chore: format

This commit is contained in:
Timothy Jaeryang Baek 2025-11-23 20:15:52 -05:00
parent cd008eeb50
commit 48d1e67e79
70 changed files with 2828 additions and 1864 deletions

View file

@ -540,7 +540,7 @@ def generate_openai_batch_embeddings(
} }
if ENABLE_FORWARD_USER_INFO_HEADERS and user: if ENABLE_FORWARD_USER_INFO_HEADERS and user:
headers = include_user_info_headers(headers, user) headers = include_user_info_headers(headers, user)
r = requests.post( r = requests.post(
f"{url}/embeddings", f"{url}/embeddings",
headers=headers, headers=headers,
@ -621,7 +621,7 @@ def generate_azure_openai_batch_embeddings(
} }
if ENABLE_FORWARD_USER_INFO_HEADERS and user: if ENABLE_FORWARD_USER_INFO_HEADERS and user:
headers = include_user_info_headers(headers, user) headers = include_user_info_headers(headers, user)
r = requests.post( r = requests.post(
url, url,
headers=headers, headers=headers,
@ -704,7 +704,7 @@ def generate_ollama_batch_embeddings(
} }
if ENABLE_FORWARD_USER_INFO_HEADERS and user: if ENABLE_FORWARD_USER_INFO_HEADERS and user:
headers = include_user_info_headers(headers, user) headers = include_user_info_headers(headers, user)
r = requests.post( r = requests.post(
f"{url}/api/embed", f"{url}/api/embed",
headers=headers, headers=headers,

View file

@ -10,22 +10,27 @@ from open_webui.retrieval.vector.main import (
GetResult, GetResult,
) )
from open_webui.retrieval.vector.utils import process_metadata from open_webui.retrieval.vector.utils import process_metadata
from open_webui.config import WEAVIATE_HTTP_HOST, WEAVIATE_HTTP_PORT, WEAVIATE_GRPC_PORT, WEAVIATE_API_KEY from open_webui.config import (
WEAVIATE_HTTP_HOST,
WEAVIATE_HTTP_PORT,
WEAVIATE_GRPC_PORT,
WEAVIATE_API_KEY,
)
def _convert_uuids_to_strings(obj: Any) -> Any: def _convert_uuids_to_strings(obj: Any) -> Any:
""" """
Recursively convert UUID objects to strings in nested data structures. Recursively convert UUID objects to strings in nested data structures.
This function handles: This function handles:
- UUID objects -> string - UUID objects -> string
- Dictionaries with UUID values - Dictionaries with UUID values
- Lists/Tuples with UUID values - Lists/Tuples with UUID values
- Nested combinations of the above - Nested combinations of the above
Args: Args:
obj: Any object that might contain UUIDs obj: Any object that might contain UUIDs
Returns: Returns:
The same object structure with UUIDs converted to strings The same object structure with UUIDs converted to strings
""" """
@ -41,23 +46,23 @@ def _convert_uuids_to_strings(obj: Any) -> Any:
return obj return obj
class WeaviateClient(VectorDBBase): class WeaviateClient(VectorDBBase):
def __init__(self): def __init__(self):
self.url = WEAVIATE_HTTP_HOST self.url = WEAVIATE_HTTP_HOST
try: try:
# Build connection parameters # Build connection parameters
connection_params = { connection_params = {
"host": WEAVIATE_HTTP_HOST, "host": WEAVIATE_HTTP_HOST,
"port": WEAVIATE_HTTP_PORT, "port": WEAVIATE_HTTP_PORT,
"grpc_port": WEAVIATE_GRPC_PORT, "grpc_port": WEAVIATE_GRPC_PORT,
} }
# Only add auth_credentials if WEAVIATE_API_KEY exists and is not empty # Only add auth_credentials if WEAVIATE_API_KEY exists and is not empty
if WEAVIATE_API_KEY: if WEAVIATE_API_KEY:
connection_params["auth_credentials"] = weaviate.classes.init.Auth.api_key(WEAVIATE_API_KEY) connection_params["auth_credentials"] = (
weaviate.classes.init.Auth.api_key(WEAVIATE_API_KEY)
)
self.client = weaviate.connect_to_local(**connection_params) self.client = weaviate.connect_to_local(**connection_params)
self.client.connect() self.client.connect()
except Exception as e: except Exception as e:
@ -73,16 +78,18 @@ class WeaviateClient(VectorDBBase):
# The name can only contain letters, numbers, and the underscore (_) character. Spaces are not allowed. # The name can only contain letters, numbers, and the underscore (_) character. Spaces are not allowed.
# Replace hyphens with underscores and keep only alphanumeric characters # Replace hyphens with underscores and keep only alphanumeric characters
name = re.sub(r'[^a-zA-Z0-9_]', '', collection_name.replace("-", "_")) name = re.sub(r"[^a-zA-Z0-9_]", "", collection_name.replace("-", "_"))
name = name.strip("_") name = name.strip("_")
if not name: if not name:
raise ValueError("Could not sanitize collection name to be a valid Weaviate class name") raise ValueError(
"Could not sanitize collection name to be a valid Weaviate class name"
)
# Ensure it starts with a letter and is capitalized # Ensure it starts with a letter and is capitalized
if not name[0].isalpha(): if not name[0].isalpha():
name = "C" + name name = "C" + name
return name[0].upper() + name[1:] return name[0].upper() + name[1:]
def has_collection(self, collection_name: str) -> bool: def has_collection(self, collection_name: str) -> bool:
@ -99,8 +106,10 @@ class WeaviateClient(VectorDBBase):
name=collection_name, name=collection_name,
vector_config=weaviate.classes.config.Configure.Vectors.self_provided(), vector_config=weaviate.classes.config.Configure.Vectors.self_provided(),
properties=[ properties=[
weaviate.classes.config.Property(name="text", data_type=weaviate.classes.config.DataType.TEXT), weaviate.classes.config.Property(
] name="text", data_type=weaviate.classes.config.DataType.TEXT
),
],
) )
def insert(self, collection_name: str, items: List[VectorItem]) -> None: def insert(self, collection_name: str, items: List[VectorItem]) -> None:
@ -109,21 +118,21 @@ class WeaviateClient(VectorDBBase):
self._create_collection(sane_collection_name) self._create_collection(sane_collection_name)
collection = self.client.collections.get(sane_collection_name) collection = self.client.collections.get(sane_collection_name)
with collection.batch.fixed_size(batch_size=100) as batch: with collection.batch.fixed_size(batch_size=100) as batch:
for item in items: for item in items:
item_uuid = str(uuid.uuid4()) if not item["id"] else str(item["id"]) item_uuid = str(uuid.uuid4()) if not item["id"] else str(item["id"])
properties = {"text": item["text"]} properties = {"text": item["text"]}
if item["metadata"]: if item["metadata"]:
clean_metadata = _convert_uuids_to_strings(process_metadata(item["metadata"])) clean_metadata = _convert_uuids_to_strings(
process_metadata(item["metadata"])
)
clean_metadata.pop("text", None) clean_metadata.pop("text", None)
properties.update(clean_metadata) properties.update(clean_metadata)
batch.add_object( batch.add_object(
properties=properties, properties=properties, uuid=item_uuid, vector=item["vector"]
uuid=item_uuid,
vector=item["vector"]
) )
def upsert(self, collection_name: str, items: List[VectorItem]) -> None: def upsert(self, collection_name: str, items: List[VectorItem]) -> None:
@ -132,21 +141,21 @@ class WeaviateClient(VectorDBBase):
self._create_collection(sane_collection_name) self._create_collection(sane_collection_name)
collection = self.client.collections.get(sane_collection_name) collection = self.client.collections.get(sane_collection_name)
with collection.batch.fixed_size(batch_size=100) as batch: with collection.batch.fixed_size(batch_size=100) as batch:
for item in items: for item in items:
item_uuid = str(item["id"]) if item["id"] else None item_uuid = str(item["id"]) if item["id"] else None
properties = {"text": item["text"]} properties = {"text": item["text"]}
if item["metadata"]: if item["metadata"]:
clean_metadata = _convert_uuids_to_strings(process_metadata(item["metadata"])) clean_metadata = _convert_uuids_to_strings(
process_metadata(item["metadata"])
)
clean_metadata.pop("text", None) clean_metadata.pop("text", None)
properties.update(clean_metadata) properties.update(clean_metadata)
batch.add_object( batch.add_object(
properties=properties, properties=properties, uuid=item_uuid, vector=item["vector"]
uuid=item_uuid,
vector=item["vector"]
) )
def search( def search(
@ -157,9 +166,14 @@ class WeaviateClient(VectorDBBase):
return None return None
collection = self.client.collections.get(sane_collection_name) collection = self.client.collections.get(sane_collection_name)
result_ids, result_documents, result_metadatas, result_distances = [], [], [], [] result_ids, result_documents, result_metadatas, result_distances = (
[],
[],
[],
[],
)
for vector_embedding in vectors: for vector_embedding in vectors:
try: try:
response = collection.query.near_vector( response = collection.query.near_vector(
@ -167,21 +181,28 @@ class WeaviateClient(VectorDBBase):
limit=limit, limit=limit,
return_metadata=weaviate.classes.query.MetadataQuery(distance=True), return_metadata=weaviate.classes.query.MetadataQuery(distance=True),
) )
ids = [str(obj.uuid) for obj in response.objects] ids = [str(obj.uuid) for obj in response.objects]
documents = [] documents = []
metadatas = [] metadatas = []
distances = [] distances = []
for obj in response.objects: for obj in response.objects:
properties = dict(obj.properties) if obj.properties else {} properties = dict(obj.properties) if obj.properties else {}
documents.append(properties.pop("text", "")) documents.append(properties.pop("text", ""))
metadatas.append(_convert_uuids_to_strings(properties)) metadatas.append(_convert_uuids_to_strings(properties))
# Weaviate has cosine distance, 2 (worst) -> 0 (best). Re-ordering to 0 -> 1 # Weaviate has cosine distance, 2 (worst) -> 0 (best). Re-ordering to 0 -> 1
raw_distances = [obj.metadata.distance if obj.metadata and obj.metadata.distance else 2.0 for obj in response.objects] raw_distances = [
(
obj.metadata.distance
if obj.metadata and obj.metadata.distance
else 2.0
)
for obj in response.objects
]
distances = [(2 - dist) / 2 for dist in raw_distances] distances = [(2 - dist) / 2 for dist in raw_distances]
result_ids.append(ids) result_ids.append(ids)
result_documents.append(documents) result_documents.append(documents)
result_metadatas.append(metadatas) result_metadatas.append(metadatas)
@ -191,7 +212,7 @@ class WeaviateClient(VectorDBBase):
result_documents.append([]) result_documents.append([])
result_metadatas.append([]) result_metadatas.append([])
result_distances.append([]) result_distances.append([])
return SearchResult( return SearchResult(
**{ **{
"ids": result_ids, "ids": result_ids,
@ -209,16 +230,26 @@ class WeaviateClient(VectorDBBase):
return None return None
collection = self.client.collections.get(sane_collection_name) collection = self.client.collections.get(sane_collection_name)
weaviate_filter = None weaviate_filter = None
if filter: if filter:
for key, value in filter.items(): for key, value in filter.items():
prop_filter = weaviate.classes.query.Filter.by_property(name=key).equal(value) prop_filter = weaviate.classes.query.Filter.by_property(name=key).equal(
weaviate_filter = prop_filter if weaviate_filter is None else weaviate.classes.query.Filter.all_of([weaviate_filter, prop_filter]) value
)
weaviate_filter = (
prop_filter
if weaviate_filter is None
else weaviate.classes.query.Filter.all_of(
[weaviate_filter, prop_filter]
)
)
try: try:
response = collection.query.fetch_objects(filters=weaviate_filter, limit=limit) response = collection.query.fetch_objects(
filters=weaviate_filter, limit=limit
)
ids = [str(obj.uuid) for obj in response.objects] ids = [str(obj.uuid) for obj in response.objects]
documents = [] documents = []
metadatas = [] metadatas = []
@ -252,10 +283,10 @@ class WeaviateClient(VectorDBBase):
properties = dict(item.properties) if item.properties else {} properties = dict(item.properties) if item.properties else {}
documents.append(properties.pop("text", "")) documents.append(properties.pop("text", ""))
metadatas.append(_convert_uuids_to_strings(properties)) metadatas.append(_convert_uuids_to_strings(properties))
if not ids: if not ids:
return None return None
return GetResult( return GetResult(
**{ **{
"ids": [ids], "ids": [ids],
@ -285,9 +316,17 @@ class WeaviateClient(VectorDBBase):
elif filter: elif filter:
weaviate_filter = None weaviate_filter = None
for key, value in filter.items(): for key, value in filter.items():
prop_filter = weaviate.classes.query.Filter.by_property(name=key).equal(value) prop_filter = weaviate.classes.query.Filter.by_property(
weaviate_filter = prop_filter if weaviate_filter is None else weaviate.classes.query.Filter.all_of([weaviate_filter, prop_filter]) name=key
).equal(value)
weaviate_filter = (
prop_filter
if weaviate_filter is None
else weaviate.classes.query.Filter.all_of(
[weaviate_filter, prop_filter]
)
)
if weaviate_filter: if weaviate_filter:
collection.data.delete_many(where=weaviate_filter) collection.data.delete_many(where=weaviate_filter)
except Exception: except Exception:

View file

@ -1025,7 +1025,9 @@ def transcription_handler(request, file_path, metadata, user=None):
) )
def transcribe(request: Request, file_path: str, metadata: Optional[dict] = None, user=None): def transcribe(
request: Request, file_path: str, metadata: Optional[dict] = None, user=None
):
log.info(f"transcribe: {file_path} {metadata}") log.info(f"transcribe: {file_path} {metadata}")
if is_audio_conversion_required(file_path): if is_audio_conversion_required(file_path):
@ -1052,7 +1054,9 @@ def transcribe(request: Request, file_path: str, metadata: Optional[dict] = None
with ThreadPoolExecutor() as executor: with ThreadPoolExecutor() as executor:
# Submit tasks for each chunk_path # Submit tasks for each chunk_path
futures = [ futures = [
executor.submit(transcription_handler, request, chunk_path, metadata, user) executor.submit(
transcription_handler, request, chunk_path, metadata, user
)
for chunk_path in chunk_paths for chunk_path in chunk_paths
] ]
# Gather results as they complete # Gather results as they complete

View file

@ -52,9 +52,7 @@ async def add_memory(
): ):
memory = Memories.insert_new_memory(user.id, form_data.content) memory = Memories.insert_new_memory(user.id, form_data.content)
vector = await request.app.state.EMBEDDING_FUNCTION( vector = await request.app.state.EMBEDDING_FUNCTION(memory.content, user=user)
memory.content, user=user
)
VECTOR_DB_CLIENT.upsert( VECTOR_DB_CLIENT.upsert(
collection_name=f"user-memory-{user.id}", collection_name=f"user-memory-{user.id}",
@ -112,10 +110,12 @@ async def reset_memory_from_vector_db(
memories = Memories.get_memories_by_user_id(user.id) memories = Memories.get_memories_by_user_id(user.id)
# Generate vectors in parallel # Generate vectors in parallel
vectors = await asyncio.gather(*[ vectors = await asyncio.gather(
request.app.state.EMBEDDING_FUNCTION(memory.content, user=user) *[
for memory in memories request.app.state.EMBEDDING_FUNCTION(memory.content, user=user)
]) for memory in memories
]
)
VECTOR_DB_CLIENT.upsert( VECTOR_DB_CLIENT.upsert(
collection_name=f"user-memory-{user.id}", collection_name=f"user-memory-{user.id}",
@ -174,9 +174,7 @@ async def update_memory_by_id(
raise HTTPException(status_code=404, detail="Memory not found") raise HTTPException(status_code=404, detail="Memory not found")
if form_data.content is not None: if form_data.content is not None:
vector = await request.app.state.EMBEDDING_FUNCTION( vector = await request.app.state.EMBEDDING_FUNCTION(memory.content, user=user)
memory.content, user=user
)
VECTOR_DB_CLIENT.upsert( VECTOR_DB_CLIENT.upsert(
collection_name=f"user-memory-{user.id}", collection_name=f"user-memory-{user.id}",

View file

@ -53,7 +53,6 @@ from open_webui.utils.auth import get_admin_user, get_verified_user
from open_webui.utils.access_control import has_access from open_webui.utils.access_control import has_access
from open_webui.config import ( from open_webui.config import (
UPLOAD_DIR, UPLOAD_DIR,
) )

View file

@ -1468,11 +1468,13 @@ def save_docs_to_vector_db(
) )
# Run async embedding in sync context # Run async embedding in sync context
embeddings = asyncio.run(embedding_function( embeddings = asyncio.run(
list(map(lambda x: x.replace("\n", " "), texts)), embedding_function(
prefix=RAG_EMBEDDING_CONTENT_PREFIX, list(map(lambda x: x.replace("\n", " "), texts)),
user=user, prefix=RAG_EMBEDDING_CONTENT_PREFIX,
)) user=user,
)
)
log.info(f"embeddings generated {len(embeddings)} for {len(texts)} items") log.info(f"embeddings generated {len(embeddings)} for {len(texts)} items")
items = [ items = [

4
package-lock.json generated
View file

@ -1,12 +1,12 @@
{ {
"name": "open-webui", "name": "open-webui",
"version": "0.6.36", "version": "0.6.37",
"lockfileVersion": 3, "lockfileVersion": 3,
"requires": true, "requires": true,
"packages": { "packages": {
"": { "": {
"name": "open-webui", "name": "open-webui",
"version": "0.6.36", "version": "0.6.37",
"dependencies": { "dependencies": {
"@azure/msal-browser": "^4.5.0", "@azure/msal-browser": "^4.5.0",
"@codemirror/lang-javascript": "^6.2.2", "@codemirror/lang-javascript": "^6.2.2",

View file

@ -1,6 +1,6 @@
{ {
"name": "open-webui", "name": "open-webui",
"version": "0.6.36", "version": "0.6.37",
"private": true, "private": true,
"scripts": { "scripts": {
"dev": "npm run pyodide:fetch && vite dev --host", "dev": "npm run pyodide:fetch && vite dev --host",

View file

@ -312,7 +312,7 @@
bind:value={adminConfig.DEFAULT_GROUP_ID} bind:value={adminConfig.DEFAULT_GROUP_ID}
placeholder={$i18n.t('Select a group')} placeholder={$i18n.t('Select a group')}
> >
<option value={""}>None</option> <option value={''}>None</option>
{#each groups as group} {#each groups as group}
<option value={group.id}>{group.name}</option> <option value={group.id}>{group.name}</option>
{/each} {/each}

View file

@ -4,7 +4,7 @@
import dayjs from 'dayjs'; import dayjs from 'dayjs';
import localizedFormat from 'dayjs/plugin/localizedFormat'; import localizedFormat from 'dayjs/plugin/localizedFormat';
import calendar from 'dayjs/plugin/calendar' import calendar from 'dayjs/plugin/calendar';
dayjs.extend(localizedFormat); dayjs.extend(localizedFormat);
dayjs.extend(calendar); dayjs.extend(calendar);
@ -244,14 +244,16 @@
<div class="basis-2/5 flex items-center justify-end"> <div class="basis-2/5 flex items-center justify-end">
<div class="hidden sm:flex text-gray-500 dark:text-gray-400 text-xs"> <div class="hidden sm:flex text-gray-500 dark:text-gray-400 text-xs">
{$i18n.t(dayjs(chat?.updated_at * 1000).calendar(null, { {$i18n.t(
sameDay: '[Today]', dayjs(chat?.updated_at * 1000).calendar(null, {
nextDay: '[Tomorrow]', sameDay: '[Today]',
nextWeek: 'dddd', nextDay: '[Tomorrow]',
lastDay: '[Yesterday]', nextWeek: 'dddd',
lastWeek: '[Last] dddd', lastDay: '[Yesterday]',
sameElse: 'L' // use localized format, otherwise dayjs.calendar() defaults to DD/MM/YYYY lastWeek: '[Last] dddd',
}))} sameElse: 'L' // use localized format, otherwise dayjs.calendar() defaults to DD/MM/YYYY
})
)}
</div> </div>
<div class="flex justify-end pl-2.5 text-gray-600 dark:text-gray-300"> <div class="flex justify-end pl-2.5 text-gray-600 dark:text-gray-300">

View file

@ -389,14 +389,16 @@
</div> </div>
<div class=" pl-3 shrink-0 text-gray-500 dark:text-gray-400 text-xs"> <div class=" pl-3 shrink-0 text-gray-500 dark:text-gray-400 text-xs">
{$i18n.t(dayjs(chat?.updated_at * 1000).calendar(null, { {$i18n.t(
sameDay: '[Today]', dayjs(chat?.updated_at * 1000).calendar(null, {
nextDay: '[Tomorrow]', sameDay: '[Today]',
nextWeek: 'dddd', nextDay: '[Tomorrow]',
lastDay: '[Yesterday]', nextWeek: 'dddd',
lastWeek: '[Last] dddd', lastDay: '[Yesterday]',
sameElse: 'L' // use localized format, otherwise dayjs.calendar() defaults to DD/MM/YYYY lastWeek: '[Last] dddd',
}))} sameElse: 'L' // use localized format, otherwise dayjs.calendar() defaults to DD/MM/YYYY
})
)}
</div> </div>
</a> </a>
{/each} {/each}

View file

@ -101,6 +101,6 @@ import 'dayjs/locale/yo';
import 'dayjs/locale/zh'; import 'dayjs/locale/zh';
import 'dayjs/locale/zh-tw'; import 'dayjs/locale/zh-tw';
import 'dayjs/locale/et'; import 'dayjs/locale/et';
import 'dayjs/locale/en-gb' import 'dayjs/locale/en-gb';
export default dayjs; export default dayjs;

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "الأرشيف المحادثات", "Archived Chats": "الأرشيف المحادثات",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "النموذج الافتراضي", "Default Model": "النموذج الافتراضي",
"Default model updated": "الإفتراضي تحديث الموديل", "Default model updated": "الإفتراضي تحديث الموديل",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "الإفتراضي Prompt الاقتراحات", "Default Prompt Suggestions": "الإفتراضي Prompt الاقتراحات",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "حذف", "Delete": "حذف",
"Delete a model": "حذف الموديل", "Delete a model": "حذف الموديل",
"Delete All Chats": "حذف جميع الدردشات", "Delete All Chats": "حذف جميع الدردشات",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "حذف المحادثه.", "Delete Chat": "حذف المحادثه.",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "فبراير", "February": "فبراير",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "محرك توليد الصور", "Image Generation Engine": "محرك توليد الصور",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "يمكن تنزيل 3 نماذج كحد أقصى في وقت واحد. الرجاء معاودة المحاولة في وقت لاحق.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "يمكن تنزيل 3 نماذج كحد أقصى في وقت واحد. الرجاء معاودة المحاولة في وقت لاحق.",
"May": "مايو", "May": "مايو",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "المزيد", "More": "المزيد",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ملاحظة: إذا قمت بتعيين الحد الأدنى من النقاط، فلن يؤدي البحث إلا إلى إرجاع المستندات التي لها نقاط أكبر من أو تساوي الحد الأدنى من النقاط.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ملاحظة: إذا قمت بتعيين الحد الأدنى من النقاط، فلن يؤدي البحث إلا إلى إرجاع المستندات التي لها نقاط أكبر من أو تساوي الحد الأدنى من النقاط.",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "إشعارات", "Notifications": "إشعارات",
@ -1274,6 +1286,7 @@
"Prompts": "مطالبات", "Prompts": "مطالبات",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com \"{{searchValue}}\" أسحب من ", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com \"{{searchValue}}\" أسحب من ",
@ -1461,6 +1474,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "الاعدادات", "Settings": "الاعدادات",
"Settings saved successfully!": "تم حفظ الاعدادات بنجاح", "Settings saved successfully!": "تم حفظ الاعدادات بنجاح",
"Share": "كشاركة", "Share": "كشاركة",
@ -1641,6 +1655,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1688,6 +1703,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "جاري التحميل", "Upload Progress": "جاري التحميل",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "رابط الموديل", "URL Mode": "رابط الموديل",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "السماح بتحميل الملفات", "Allow File Upload": "السماح بتحميل الملفات",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "السماح بالأصوات غير المحلية", "Allow non-local voices": "السماح بالأصوات غير المحلية",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "المحادثات المؤرشفة", "Archived Chats": "المحادثات المؤرشفة",
"archived-chat-export": "تصدير المحادثات المؤرشفة", "archived-chat-export": "تصدير المحادثات المؤرشفة",
"Are you sure you want to clear all memories? This action cannot be undone.": "هل أنت متأكد من رغبتك في مسح جميع الذكريات؟ لا يمكن التراجع عن هذا الإجراء.", "Are you sure you want to clear all memories? This action cannot be undone.": "هل أنت متأكد من رغبتك في مسح جميع الذكريات؟ لا يمكن التراجع عن هذا الإجراء.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "هل أنت متأكد من رغبتك في حذف هذه القناة؟", "Are you sure you want to delete this channel?": "هل أنت متأكد من رغبتك في حذف هذه القناة؟",
"Are you sure you want to delete this message?": "هل أنت متأكد من رغبتك في حذف هذه الرسالة؟", "Are you sure you want to delete this message?": "هل أنت متأكد من رغبتك في حذف هذه الرسالة؟",
"Are you sure you want to unarchive all archived chats?": "هل أنت متأكد من رغبتك في إلغاء أرشفة جميع المحادثات المؤرشفة؟", "Are you sure you want to unarchive all archived chats?": "هل أنت متأكد من رغبتك في إلغاء أرشفة جميع المحادثات المؤرشفة؟",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "الوضع الافتراضي يعمل مع مجموعة أوسع من النماذج من خلال استدعاء الأدوات مرة واحدة قبل التنفيذ. أما الوضع الأصلي فيستخدم قدرات استدعاء الأدوات المدمجة في النموذج، لكنه يتطلب دعمًا داخليًا لهذه الميزة.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "الوضع الافتراضي يعمل مع مجموعة أوسع من النماذج من خلال استدعاء الأدوات مرة واحدة قبل التنفيذ. أما الوضع الأصلي فيستخدم قدرات استدعاء الأدوات المدمجة في النموذج، لكنه يتطلب دعمًا داخليًا لهذه الميزة.",
"Default Model": "النموذج الافتراضي", "Default Model": "النموذج الافتراضي",
"Default model updated": "الإفتراضي تحديث الموديل", "Default model updated": "الإفتراضي تحديث الموديل",
"Default Models": "النماذج الافتراضية", "Default Models": "النماذج الافتراضية",
"Default permissions": "الأذونات الافتراضية", "Default permissions": "الأذونات الافتراضية",
"Default permissions updated successfully": "تم تحديث الأذونات الافتراضية بنجاح", "Default permissions updated successfully": "تم تحديث الأذونات الافتراضية بنجاح",
"Default Pinned Models": "",
"Default Prompt Suggestions": "الإفتراضي Prompt الاقتراحات", "Default Prompt Suggestions": "الإفتراضي Prompt الاقتراحات",
"Default to 389 or 636 if TLS is enabled": "الافتراضي هو 389 أو 636 إذا تم تمكين TLS", "Default to 389 or 636 if TLS is enabled": "الافتراضي هو 389 أو 636 إذا تم تمكين TLS",
"Default to ALL": "الافتراضي هو الكل", "Default to ALL": "الافتراضي هو الكل",
@ -402,6 +406,7 @@
"Delete": "حذف", "Delete": "حذف",
"Delete a model": "حذف الموديل", "Delete a model": "حذف الموديل",
"Delete All Chats": "حذف جميع الدردشات", "Delete All Chats": "حذف جميع الدردشات",
"Delete all contents inside this folder": "",
"Delete All Models": "حذف جميع النماذج", "Delete All Models": "حذف جميع النماذج",
"Delete Chat": "حذف المحادثه.", "Delete Chat": "حذف المحادثه.",
"Delete chat?": "هل تريد حذف المحادثة؟", "Delete chat?": "هل تريد حذف المحادثة؟",
@ -730,6 +735,7 @@
"Features": "الميزات", "Features": "الميزات",
"Features Permissions": "أذونات الميزات", "Features Permissions": "أذونات الميزات",
"February": "فبراير", "February": "فبراير",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "سجل الملاحظات", "Feedback History": "سجل الملاحظات",
"Feedbacks": "الملاحظات", "Feedbacks": "الملاحظات",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "يجب ألا يتجاوز حجم الملف {{maxSize}} ميغابايت.", "File size should not exceed {{maxSize}} MB.": "يجب ألا يتجاوز حجم الملف {{maxSize}} ميغابايت.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "تم رفع الملف بنجاح", "File uploaded successfully": "تم رفع الملف بنجاح",
"File uploaded!": "",
"Files": "الملفات", "Files": "الملفات",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "تم الآن تعطيل الفلتر على مستوى النظام", "Filter is now globally disabled": "تم الآن تعطيل الفلتر على مستوى النظام",
@ -857,6 +864,7 @@
"Image Compression": "ضغط الصور", "Image Compression": "ضغط الصور",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "توليد الصور", "Image Generation": "توليد الصور",
"Image Generation Engine": "محرك توليد الصور", "Image Generation Engine": "محرك توليد الصور",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "تم إعادة تعيين المعرفة بنجاح.", "Knowledge reset successfully.": "تم إعادة تعيين المعرفة بنجاح.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "تم تحديث المعرفة بنجاح", "Knowledge updated successfully": "تم تحديث المعرفة بنجاح",
"Kokoro.js (Browser)": "Kokoro.js (المتصفح)", "Kokoro.js (Browser)": "Kokoro.js (المتصفح)",
"Kokoro.js Dtype": "نوع بيانات Kokoro.js", "Kokoro.js Dtype": "نوع بيانات Kokoro.js",
@ -1006,6 +1015,7 @@
"Max Upload Size": "الحد الأقصى لحجم الملف المرفوع", "Max Upload Size": "الحد الأقصى لحجم الملف المرفوع",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "يمكن تنزيل 3 نماذج كحد أقصى في وقت واحد. الرجاء معاودة المحاولة في وقت لاحق.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "يمكن تنزيل 3 نماذج كحد أقصى في وقت واحد. الرجاء معاودة المحاولة في وقت لاحق.",
"May": "مايو", "May": "مايو",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "تم حفظ إعدادات النماذج بنجاح", "Models configuration saved successfully": "تم حفظ إعدادات النماذج بنجاح",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "مفتاح API لـ Mojeek Search", "Mojeek Search API Key": "مفتاح API لـ Mojeek Search",
"More": "المزيد", "More": "المزيد",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ملاحظة: إذا قمت بتعيين الحد الأدنى من النقاط، فلن يؤدي البحث إلا إلى إرجاع المستندات التي لها نقاط أكبر من أو تساوي الحد الأدنى من النقاط.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ملاحظة: إذا قمت بتعيين الحد الأدنى من النقاط، فلن يؤدي البحث إلا إلى إرجاع المستندات التي لها نقاط أكبر من أو تساوي الحد الأدنى من النقاط.",
"Notes": "ملاحظات", "Notes": "ملاحظات",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "صوت الإشعارات", "Notification Sound": "صوت الإشعارات",
"Notification Webhook": "رابط Webhook للإشعارات", "Notification Webhook": "رابط Webhook للإشعارات",
"Notifications": "إشعارات", "Notifications": "إشعارات",
@ -1274,6 +1286,7 @@
"Prompts": "مطالبات", "Prompts": "مطالبات",
"Prompts Access": "الوصول إلى التوجيهات", "Prompts Access": "الوصول إلى التوجيهات",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com \"{{searchValue}}\" أسحب من ", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com \"{{searchValue}}\" أسحب من ",
@ -1461,6 +1474,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "يحدد البذرة العشوائية لاستخدامها في التوليد. تعيين قيمة معينة يجعل النموذج ينتج نفس النص لنفس التوجيه.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "يحدد البذرة العشوائية لاستخدامها في التوليد. تعيين قيمة معينة يجعل النموذج ينتج نفس النص لنفس التوجيه.",
"Sets the size of the context window used to generate the next token.": "يحدد حجم نافذة السياق المستخدمة لتوليد الرمز التالي.", "Sets the size of the context window used to generate the next token.": "يحدد حجم نافذة السياق المستخدمة لتوليد الرمز التالي.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "يحدد تسلسلات الإيقاف. عند مواجهتها، سيتوقف النموذج عن التوليد ويُرجع النتيجة. يمكن تحديد أنماط توقف متعددة داخل ملف النموذج.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "يحدد تسلسلات الإيقاف. عند مواجهتها، سيتوقف النموذج عن التوليد ويُرجع النتيجة. يمكن تحديد أنماط توقف متعددة داخل ملف النموذج.",
"Setting": "",
"Settings": "الاعدادات", "Settings": "الاعدادات",
"Settings saved successfully!": "تم حفظ الاعدادات بنجاح", "Settings saved successfully!": "تم حفظ الاعدادات بنجاح",
"Share": "كشاركة", "Share": "كشاركة",
@ -1641,6 +1655,7 @@
"Tools Function Calling Prompt": "توجيه استدعاء وظائف الأدوات", "Tools Function Calling Prompt": "توجيه استدعاء وظائف الأدوات",
"Tools have a function calling system that allows arbitrary code execution.": "تحتوي الأدوات على نظام لاستدعاء الوظائف يتيح تنفيذ كود برمجي مخصص.", "Tools have a function calling system that allows arbitrary code execution.": "تحتوي الأدوات على نظام لاستدعاء الوظائف يتيح تنفيذ كود برمجي مخصص.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1688,6 +1703,7 @@
"Upload Pipeline": "رفع خط المعالجة", "Upload Pipeline": "رفع خط المعالجة",
"Upload Progress": "جاري التحميل", "Upload Progress": "جاري التحميل",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "الرابط", "URL": "الرابط",
"URL is required": "", "URL is required": "",
"URL Mode": "رابط الموديل", "URL Mode": "رابط الموديل",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Разреши качване на файлове", "Allow File Upload": "Разреши качване на файлове",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Разреши нелокални гласове", "Allow non-local voices": "Разреши нелокални гласове",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Архивирани Чатове", "Archived Chats": "Архивирани Чатове",
"archived-chat-export": "експорт-на-архивирани-чатове", "archived-chat-export": "експорт-на-архивирани-чатове",
"Are you sure you want to clear all memories? This action cannot be undone.": "Сигурни ли сте, че исткате да изчистите всички спомени? Това е необратимо.", "Are you sure you want to clear all memories? This action cannot be undone.": "Сигурни ли сте, че исткате да изчистите всички спомени? Това е необратимо.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Сигурни ли сте, че искате да изтриете този канал?", "Are you sure you want to delete this channel?": "Сигурни ли сте, че искате да изтриете този канал?",
"Are you sure you want to delete this message?": "Сигурни ли сте, че искате да изтриете това съобщение?", "Are you sure you want to delete this message?": "Сигурни ли сте, че искате да изтриете това съобщение?",
"Are you sure you want to unarchive all archived chats?": "Сигурни ли сте, че искате да разархивирате всички архивирани чатове?", "Are you sure you want to unarchive all archived chats?": "Сигурни ли сте, че искате да разархивирате всички архивирани чатове?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Режимът по подразбиране работи с по-широк набор от модели, като извиква инструменти веднъж преди изпълнение. Нативният режим използва вградените възможности за извикване на инструменти на модела, но изисква моделът да поддържа тази функция по същество.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Режимът по подразбиране работи с по-широк набор от модели, като извиква инструменти веднъж преди изпълнение. Нативният режим използва вградените възможности за извикване на инструменти на модела, но изисква моделът да поддържа тази функция по същество.",
"Default Model": "Модел по подразбиране", "Default Model": "Модел по подразбиране",
"Default model updated": "Моделът по подразбиране е обновен", "Default model updated": "Моделът по подразбиране е обновен",
"Default Models": "Модели по подразбиране", "Default Models": "Модели по подразбиране",
"Default permissions": "Разрешения по подразбиране", "Default permissions": "Разрешения по подразбиране",
"Default permissions updated successfully": "Разрешенията по подразбиране са успешно актуализирани", "Default permissions updated successfully": "Разрешенията по подразбиране са успешно актуализирани",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Промпт Предложения по подразбиране", "Default Prompt Suggestions": "Промпт Предложения по подразбиране",
"Default to 389 or 636 if TLS is enabled": "По подразбиране 389 или 636, ако TLS е активиран", "Default to 389 or 636 if TLS is enabled": "По подразбиране 389 или 636, ако TLS е активиран",
"Default to ALL": "По подразбиране за ВСИЧКИ", "Default to ALL": "По подразбиране за ВСИЧКИ",
@ -402,6 +406,7 @@
"Delete": "Изтриване", "Delete": "Изтриване",
"Delete a model": "Изтриване на модела", "Delete a model": "Изтриване на модела",
"Delete All Chats": "Изтриване на всички чатове", "Delete All Chats": "Изтриване на всички чатове",
"Delete all contents inside this folder": "",
"Delete All Models": "Изтриване на всички модели", "Delete All Models": "Изтриване на всички модели",
"Delete Chat": "Изтриване на Чат", "Delete Chat": "Изтриване на Чат",
"Delete chat?": "Изтриване на чата?", "Delete chat?": "Изтриване на чата?",
@ -730,6 +735,7 @@
"Features": "Функции", "Features": "Функции",
"Features Permissions": "Разрешения за функции", "Features Permissions": "Разрешения за функции",
"February": "Февруари", "February": "Февруари",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "История на обратната връзка", "Feedback History": "История на обратната връзка",
"Feedbacks": "Обратни връзки", "Feedbacks": "Обратни връзки",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Размерът на файла не трябва да надвишава {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Размерът на файла не трябва да надвишава {{maxSize}} MB.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Файлът е качен успешно", "File uploaded successfully": "Файлът е качен успешно",
"File uploaded!": "",
"Files": "Файлове", "Files": "Файлове",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Филтърът вече е глобално деактивиран", "Filter is now globally disabled": "Филтърът вече е глобално деактивиран",
@ -857,6 +864,7 @@
"Image Compression": "Компресия на изображенията", "Image Compression": "Компресия на изображенията",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Генериране на изображения", "Image Generation": "Генериране на изображения",
"Image Generation Engine": "Двигател за генериране на изображения", "Image Generation Engine": "Двигател за генериране на изображения",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "Знанието е нулирано успешно.", "Knowledge reset successfully.": "Знанието е нулирано успешно.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Знанието е актуализирано успешно", "Knowledge updated successfully": "Знанието е актуализирано успешно",
"Kokoro.js (Browser)": "Kokoro.js (Браузър)", "Kokoro.js (Browser)": "Kokoro.js (Браузър)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Максимален размер на качване", "Max Upload Size": "Максимален размер на качване",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 модела могат да бъдат сваляни едновременно. Моля, опитайте отново по-късно.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 модела могат да бъдат сваляни едновременно. Моля, опитайте отново по-късно.",
"May": "Май", "May": "Май",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Конфигурацията на моделите е запазена успешно", "Models configuration saved successfully": "Конфигурацията на моделите е запазена успешно",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Споделяне на моделите публично", "Models Public Sharing": "Споделяне на моделите публично",
"Models Sharing": "",
"Mojeek Search API Key": "API ключ за Mojeek Search", "Mojeek Search API Key": "API ключ за Mojeek Search",
"More": "Повече", "More": "Повече",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Забележка: Ако зададете минимален резултат, търсенето ще върне само документи с резултат, по-голям или равен на минималния резултат.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Забележка: Ако зададете минимален резултат, търсенето ще върне само документи с резултат, по-голям или равен на минималния резултат.",
"Notes": "Бележки", "Notes": "Бележки",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Звук за известия", "Notification Sound": "Звук за известия",
"Notification Webhook": "Webhook за известия", "Notification Webhook": "Webhook за известия",
"Notifications": "Известия", "Notifications": "Известия",
@ -1274,6 +1286,7 @@
"Prompts": "Промптове", "Prompts": "Промптове",
"Prompts Access": "Достъп до промптове", "Prompts Access": "Достъп до промптове",
"Prompts Public Sharing": "Публично споделяне на промптове", "Prompts Public Sharing": "Публично споделяне на промптове",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Публично", "Public": "Публично",
"Pull \"{{searchValue}}\" from Ollama.com": "Извади \"{{searchValue}}\" от Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Извади \"{{searchValue}}\" от Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Задава последователностите за спиране, които да се използват. Когато се срещне този модел, LLM ще спре да генерира текст и ще се върне. Множество модели за спиране могат да бъдат зададени чрез определяне на множество отделни параметри за спиране в моделния файл.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Задава последователностите за спиране, които да се използват. Когато се срещне този модел, LLM ще спре да генерира текст и ще се върне. Множество модели за спиране могат да бъдат зададени чрез определяне на множество отделни параметри за спиране в моделния файл.",
"Setting": "",
"Settings": "Настройки", "Settings": "Настройки",
"Settings saved successfully!": "Настройките са запазени успешно!", "Settings saved successfully!": "Настройките са запазени успешно!",
"Share": "Подели", "Share": "Подели",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Промпт за извикване на функциите на инструментите", "Tools Function Calling Prompt": "Промпт за извикване на функциите на инструментите",
"Tools have a function calling system that allows arbitrary code execution.": "Инструментите имат система за извикване на функции, която позволява произволно изпълнение на код.", "Tools have a function calling system that allows arbitrary code execution.": "Инструментите имат система за извикване на функции, която позволява произволно изпълнение на код.",
"Tools Public Sharing": "Публично споделяне на инструменти", "Tools Public Sharing": "Публично споделяне на инструменти",
"Tools Sharing": "",
"Top K": "Топ К", "Top K": "Топ К",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Трансформатори", "Transformers": "Трансформатори",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Качване на конвейер", "Upload Pipeline": "Качване на конвейер",
"Upload Progress": "Прогрес на качването", "Upload Progress": "Прогрес на качването",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "URL режим", "URL Mode": "URL режим",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "চ্যাট ইতিহাস সংরক্ষণাগার", "Archived Chats": "চ্যাট ইতিহাস সংরক্ষণাগার",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "ডিফল্ট মডেল", "Default Model": "ডিফল্ট মডেল",
"Default model updated": "ডিফল্ট মডেল আপডেট হয়েছে", "Default model updated": "ডিফল্ট মডেল আপডেট হয়েছে",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "ডিফল্ট প্রম্পট সাজেশন", "Default Prompt Suggestions": "ডিফল্ট প্রম্পট সাজেশন",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "মুছে ফেলুন", "Delete": "মুছে ফেলুন",
"Delete a model": "একটি মডেল মুছে ফেলুন", "Delete a model": "একটি মডেল মুছে ফেলুন",
"Delete All Chats": "সব চ্যাট মুছে ফেলুন", "Delete All Chats": "সব চ্যাট মুছে ফেলুন",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "চ্যাট মুছে ফেলুন", "Delete Chat": "চ্যাট মুছে ফেলুন",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "ফেব্রুয়ারি", "February": "ফেব্রুয়ারি",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "ইমেজ জেনারেশন ইঞ্জিন", "Image Generation Engine": "ইমেজ জেনারেশন ইঞ্জিন",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "একসঙ্গে সর্বোচ্চ তিনটি মডেল ডাউনলোড করা যায়। দয়া করে পরে আবার চেষ্টা করুন।", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "একসঙ্গে সর্বোচ্চ তিনটি মডেল ডাউনলোড করা যায়। দয়া করে পরে আবার চেষ্টা করুন।",
"May": "মে", "May": "মে",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "আরো", "More": "আরো",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "দ্রষ্টব্য: আপনি যদি ন্যূনতম স্কোর সেট করেন তবে অনুসন্ধানটি কেবলমাত্র ন্যূনতম স্কোরের চেয়ে বেশি বা সমান স্কোর সহ নথিগুলি ফেরত দেবে।", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "দ্রষ্টব্য: আপনি যদি ন্যূনতম স্কোর সেট করেন তবে অনুসন্ধানটি কেবলমাত্র ন্যূনতম স্কোরের চেয়ে বেশি বা সমান স্কোর সহ নথিগুলি ফেরত দেবে।",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "নোটিফিকেশনসমূহ", "Notifications": "নোটিফিকেশনসমূহ",
@ -1274,6 +1286,7 @@
"Prompts": "প্রম্পটসমূহ", "Prompts": "প্রম্পটসমূহ",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com থেকে \"{{searchValue}}\" টানুন", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com থেকে \"{{searchValue}}\" টানুন",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "সেটিংসমূহ", "Settings": "সেটিংসমূহ",
"Settings saved successfully!": "সেটিংগুলো সফলভাবে সংরক্ষিত হয়েছে", "Settings saved successfully!": "সেটিংগুলো সফলভাবে সংরক্ষিত হয়েছে",
"Share": "শেয়ার করুন", "Share": "শেয়ার করুন",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "আপলোড হচ্ছে", "Upload Progress": "আপলোড হচ্ছে",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "ইউআরএল মোড", "URL Mode": "ইউআরএল মোড",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "ཡིག་ཆ་སྤར་བར་གནང་བ་སྤྲོད་པ།", "Allow File Upload": "ཡིག་ཆ་སྤར་བར་གནང་བ་སྤྲོད་པ།",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "ས་གནས་མིན་པའི་སྐད་གདངས་ལ་གནང་བ་སྤྲོད་པ།", "Allow non-local voices": "ས་གནས་མིན་པའི་སྐད་གདངས་ལ་གནང་བ་སྤྲོད་པ།",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "ཡིག་མཛོད་དུ་བཞག་པའི་ཁ་བརྡ།", "Archived Chats": "ཡིག་མཛོད་དུ་བཞག་པའི་ཁ་བརྡ།",
"archived-chat-export": "ཡིག་མཛོད་ཁ་བརྡ་ཕྱིར་གཏོང་།", "archived-chat-export": "ཡིག་མཛོད་ཁ་བརྡ་ཕྱིར་གཏོང་།",
"Are you sure you want to clear all memories? This action cannot be undone.": "དྲན་ཤེས་ཡོངས་རྫོགས་བསུབ་འདོད་ཡོད་དམ། བྱ་སྤྱོད་འདི་ཕྱིར་ལྡོག་བྱེད་མི་ཐུབ།", "Are you sure you want to clear all memories? This action cannot be undone.": "དྲན་ཤེས་ཡོངས་རྫོགས་བསུབ་འདོད་ཡོད་དམ། བྱ་སྤྱོད་འདི་ཕྱིར་ལྡོག་བྱེད་མི་ཐུབ།",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "ཁྱེད་ཀྱིས་བགྲོ་གླེང་འདི་བསུབ་འདོད་ངེས་ཡིན་ནམ།", "Are you sure you want to delete this channel?": "ཁྱེད་ཀྱིས་བགྲོ་གླེང་འདི་བསུབ་འདོད་ངེས་ཡིན་ནམ།",
"Are you sure you want to delete this message?": "འཕྲིན་འདི་བསུབ་འདོད་ངེས་ཡིན་ནམ།", "Are you sure you want to delete this message?": "འཕྲིན་འདི་བསུབ་འདོད་ངེས་ཡིན་ནམ།",
"Are you sure you want to unarchive all archived chats?": "ཁྱེད་ཀྱིས་ཡིག་མཛོད་དུ་བཞག་པའི་ཁ་བརྡ་ཡོངས་རྫོགས་ཕྱིར་འདོན་འདོད་ངེས་ཡིན་ནམ།", "Are you sure you want to unarchive all archived chats?": "ཁྱེད་ཀྱིས་ཡིག་མཛོད་དུ་བཞག་པའི་ཁ་བརྡ་ཡོངས་རྫོགས་ཕྱིར་འདོན་འདོད་ངེས་ཡིན་ནམ།",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "སྔོན་སྒྲིག་མ་དཔེ་ནི་ལག་བསྟར་མ་བྱས་སྔོན་དུ་ལག་ཆ་ཐེངས་གཅིག་འབོད་ནས་དཔེ་དབྱིབས་རྒྱ་ཆེ་བའི་ཁྱབ་ཁོངས་དང་མཉམ་ལས་བྱེད་ཐུབ། ས་སྐྱེས་མ་དཔེ་ཡིས་དཔེ་དབྱིབས་ཀྱི་ནང་འདྲེས་ལག་ཆ་འབོད་པའི་ནུས་པ་སྤྱོད་ཀྱི་ཡོད་མོད། འོན་ཀྱང་དཔེ་དབྱིབས་དེས་ཁྱད་ཆོས་འདི་ལ་ངོ་བོའི་ཐོག་ནས་རྒྱབ་སྐྱོར་བྱེད་དགོས།", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "སྔོན་སྒྲིག་མ་དཔེ་ནི་ལག་བསྟར་མ་བྱས་སྔོན་དུ་ལག་ཆ་ཐེངས་གཅིག་འབོད་ནས་དཔེ་དབྱིབས་རྒྱ་ཆེ་བའི་ཁྱབ་ཁོངས་དང་མཉམ་ལས་བྱེད་ཐུབ། ས་སྐྱེས་མ་དཔེ་ཡིས་དཔེ་དབྱིབས་ཀྱི་ནང་འདྲེས་ལག་ཆ་འབོད་པའི་ནུས་པ་སྤྱོད་ཀྱི་ཡོད་མོད། འོན་ཀྱང་དཔེ་དབྱིབས་དེས་ཁྱད་ཆོས་འདི་ལ་ངོ་བོའི་ཐོག་ནས་རྒྱབ་སྐྱོར་བྱེད་དགོས།",
"Default Model": "སྔོན་སྒྲིག་དཔེ་དབྱིབས།", "Default Model": "སྔོན་སྒྲིག་དཔེ་དབྱིབས།",
"Default model updated": "སྔོན་སྒྲིག་དཔེ་དབྱིབས་གསར་སྒྱུར་བྱས།", "Default model updated": "སྔོན་སྒྲིག་དཔེ་དབྱིབས་གསར་སྒྱུར་བྱས།",
"Default Models": "སྔོན་སྒྲིག་དཔེ་དབྱིབས།", "Default Models": "སྔོན་སྒྲིག་དཔེ་དབྱིབས།",
"Default permissions": "སྔོན་སྒྲིག་དབང་ཚད།", "Default permissions": "སྔོན་སྒྲིག་དབང་ཚད།",
"Default permissions updated successfully": "སྔོན་སྒྲིག་དབང་ཚད་ལེགས་པར་གསར་སྒྱུར་བྱས།", "Default permissions updated successfully": "སྔོན་སྒྲིག་དབང་ཚད་ལེགས་པར་གསར་སྒྱུར་བྱས།",
"Default Pinned Models": "",
"Default Prompt Suggestions": "སྔོན་སྒྲིག་འགུལ་སློང་གྲོས་གཞི།", "Default Prompt Suggestions": "སྔོན་སྒྲིག་འགུལ་སློང་གྲོས་གཞི།",
"Default to 389 or 636 if TLS is enabled": "TLS སྒུལ་བསྐྱོད་བྱས་ན་སྔོན་སྒྲིག་ཏུ་ ༣༨༩ ཡང་ན་ ༦༣༦།", "Default to 389 or 636 if TLS is enabled": "TLS སྒུལ་བསྐྱོད་བྱས་ན་སྔོན་སྒྲིག་ཏུ་ ༣༨༩ ཡང་ན་ ༦༣༦།",
"Default to ALL": "སྔོན་སྒྲིག་ཏུ་ཡོངས་རྫོགས།", "Default to ALL": "སྔོན་སྒྲིག་ཏུ་ཡོངས་རྫོགས།",
@ -402,6 +406,7 @@
"Delete": "བསུབ་པ།", "Delete": "བསུབ་པ།",
"Delete a model": "དཔེ་དབྱིབས་ཤིག་བསུབ་པ།", "Delete a model": "དཔེ་དབྱིབས་ཤིག་བསུབ་པ།",
"Delete All Chats": "ཁ་བརྡ་ཡོངས་རྫོགས་བསུབ་པ།", "Delete All Chats": "ཁ་བརྡ་ཡོངས་རྫོགས་བསུབ་པ།",
"Delete all contents inside this folder": "",
"Delete All Models": "དཔེ་དབྱིབས་ཡོངས་རྫོགས་བསུབ་པ།", "Delete All Models": "དཔེ་དབྱིབས་ཡོངས་རྫོགས་བསུབ་པ།",
"Delete Chat": "ཁ་བརྡ་བསུབ་པ།", "Delete Chat": "ཁ་བརྡ་བསུབ་པ།",
"Delete chat?": "ཁ་བརྡ་བསུབ་པ།?", "Delete chat?": "ཁ་བརྡ་བསུབ་པ།?",
@ -730,6 +735,7 @@
"Features": "ཁྱད་ཆོས།", "Features": "ཁྱད་ཆོས།",
"Features Permissions": "ཁྱད་ཆོས་ཀྱི་དབང་ཚད།", "Features Permissions": "ཁྱད་ཆོས་ཀྱི་དབང་ཚད།",
"February": "ཟླ་བ་གཉིས་པ།", "February": "ཟླ་བ་གཉིས་པ།",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "བསམ་འཆར་གྱི་ལོ་རྒྱུས།", "Feedback History": "བསམ་འཆར་གྱི་ལོ་རྒྱུས།",
"Feedbacks": "བསམ་འཆར།", "Feedbacks": "བསམ་འཆར།",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "ཡིག་ཆའི་ཆེ་ཆུང་ {{maxSize}} MB ལས་མི་བརྒལ་དགོས།", "File size should not exceed {{maxSize}} MB.": "ཡིག་ཆའི་ཆེ་ཆུང་ {{maxSize}} MB ལས་མི་བརྒལ་དགོས།",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "ཡིག་ཆ་ལེགས་པར་སྤར་ཟིན།", "File uploaded successfully": "ཡིག་ཆ་ལེགས་པར་སྤར་ཟིན།",
"File uploaded!": "",
"Files": "ཡིག་ཆ།", "Files": "ཡིག་ཆ།",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "འཚག་མ་དེ་ད་ལྟ་འཛམ་གླིང་ཡོངས་ནས་ནུས་མེད་བཏང་ཡོད།", "Filter is now globally disabled": "འཚག་མ་དེ་ད་ལྟ་འཛམ་གླིང་ཡོངས་ནས་ནུས་མེད་བཏང་ཡོད།",
@ -857,6 +864,7 @@
"Image Compression": "པར་བསྡུ་སྐུམ།", "Image Compression": "པར་བསྡུ་སྐུམ།",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "པར་བཟོ།", "Image Generation": "པར་བཟོ།",
"Image Generation Engine": "པར་བཟོ་འཕྲུལ་འཁོར།", "Image Generation Engine": "པར་བཟོ་འཕྲུལ་འཁོར།",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "ཤེས་བྱ་སྤྱི་སྤྱོད་མཉམ་སྤྱོད།", "Knowledge Public Sharing": "ཤེས་བྱ་སྤྱི་སྤྱོད་མཉམ་སྤྱོད།",
"Knowledge reset successfully.": "ཤེས་བྱ་ལེགས་པར་སླར་སྒྲིག་བྱས་ཟིན།", "Knowledge reset successfully.": "ཤེས་བྱ་ལེགས་པར་སླར་སྒྲིག་བྱས་ཟིན།",
"Knowledge Sharing": "",
"Knowledge updated successfully": "ཤེས་བྱ་ལེགས་པར་གསར་སྒྱུར་བྱས་ཟིན།", "Knowledge updated successfully": "ཤེས་བྱ་ལེགས་པར་གསར་སྒྱུར་བྱས་ཟིན།",
"Kokoro.js (Browser)": "Kokoro.js (བརྡ་འཚོལ་ཆས།)", "Kokoro.js (Browser)": "Kokoro.js (བརྡ་འཚོལ་ཆས།)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "སྤར་བའི་ཆེ་ཆུང་མང་ཤོས།", "Max Upload Size": "སྤར་བའི་ཆེ་ཆུང་མང་ཤོས།",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "དཔེ་དབྱིབས་ ༣ ལས་མང་བ་མཉམ་དུ་ཕབ་ལེན་བྱེད་མི་ཐུབ། རྗེས་སུ་ཡང་བསྐྱར་ཚོད་ལྟ་བྱེད་རོགས།", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "དཔེ་དབྱིབས་ ༣ ལས་མང་བ་མཉམ་དུ་ཕབ་ལེན་བྱེད་མི་ཐུབ། རྗེས་སུ་ཡང་བསྐྱར་ཚོད་ལྟ་བྱེད་རོགས།",
"May": "ཟླ་བ་ལྔ་པ།", "May": "ཟླ་བ་ལྔ་པ།",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "དཔེ་དབྱིབས་སྒྲིག་འགོད་ལེགས་པར་ཉར་ཚགས་བྱས།", "Models configuration saved successfully": "དཔེ་དབྱིབས་སྒྲིག་འགོད་ལེགས་པར་ཉར་ཚགས་བྱས།",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "དཔེ་དབྱིབས་སྤྱི་སྤྱོད་མཉམ་སྤྱོད།", "Models Public Sharing": "དཔེ་དབྱིབས་སྤྱི་སྤྱོད་མཉམ་སྤྱོད།",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API ལྡེ་མིག", "Mojeek Search API Key": "Mojeek Search API ལྡེ་མིག",
"More": "མང་བ།", "More": "མང་བ།",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "དོ་སྣང་།: གལ་ཏེ་ཁྱེད་ཀྱིས་སྐར་མ་ཉུང་ཤོས་ཤིག་བཀོད་སྒྲིག་བྱས་ན། འཚོལ་བཤེར་གྱིས་སྐར་མ་ཉུང་ཤོས་དེ་དང་མཉམ་པའམ་དེ་ལས་ཆེ་བའི་ཡིག་ཆ་ཁོ་ན་ཕྱིར་སློག་བྱེད་ངེས།", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "དོ་སྣང་།: གལ་ཏེ་ཁྱེད་ཀྱིས་སྐར་མ་ཉུང་ཤོས་ཤིག་བཀོད་སྒྲིག་བྱས་ན། འཚོལ་བཤེར་གྱིས་སྐར་མ་ཉུང་ཤོས་དེ་དང་མཉམ་པའམ་དེ་ལས་ཆེ་བའི་ཡིག་ཆ་ཁོ་ན་ཕྱིར་སློག་བྱེད་ངེས།",
"Notes": "མཆན་བུ།", "Notes": "མཆན་བུ།",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "བརྡ་ཁྱབ་ཀྱི་སྒྲ།", "Notification Sound": "བརྡ་ཁྱབ་ཀྱི་སྒྲ།",
"Notification Webhook": "བརྡ་ཁྱབ་ཀྱི་ Webhook", "Notification Webhook": "བརྡ་ཁྱབ་ཀྱི་ Webhook",
"Notifications": "བརྡ་ཁྱབ།", "Notifications": "བརྡ་ཁྱབ།",
@ -1274,6 +1286,7 @@
"Prompts": "འགུལ་སློང་།", "Prompts": "འགུལ་སློང་།",
"Prompts Access": "འགུལ་སློང་འཛུལ་སྤྱོད།", "Prompts Access": "འགུལ་སློང་འཛུལ་སྤྱོད།",
"Prompts Public Sharing": "འགུལ་སློང་སྤྱི་སྤྱོད་མཉམ་སྤྱོད།", "Prompts Public Sharing": "འགུལ་སློང་སྤྱི་སྤྱོད་མཉམ་སྤྱོད།",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "སྤྱི་སྤྱོད།", "Public": "སྤྱི་སྤྱོད།",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com ནས་ \"{{searchValue}}\" འཐེན་པ།", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com ནས་ \"{{searchValue}}\" འཐེན་པ།",
@ -1456,6 +1469,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "བཟོ་སྐྲུན་ལ་བེད་སྤྱོད་གཏོང་རྒྱུའི་གང་བྱུང་གྲངས་ཀྱི་ Seed འཇོག་པ། འདི་གྲངས་ངེས་ཅན་ཞིག་ལ་བཀོད་སྒྲིག་བྱས་ན་དཔེ་དབྱིབས་ཀྱིས་འགུལ་སློང་གཅིག་པར་ཡིག་རྐྱང་གཅིག་པ་བཟོ་ངེས།", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "བཟོ་སྐྲུན་ལ་བེད་སྤྱོད་གཏོང་རྒྱུའི་གང་བྱུང་གྲངས་ཀྱི་ Seed འཇོག་པ། འདི་གྲངས་ངེས་ཅན་ཞིག་ལ་བཀོད་སྒྲིག་བྱས་ན་དཔེ་དབྱིབས་ཀྱིས་འགུལ་སློང་གཅིག་པར་ཡིག་རྐྱང་གཅིག་པ་བཟོ་ངེས།",
"Sets the size of the context window used to generate the next token.": "ཊོཀ་ཀེན་རྗེས་མ་བཟོ་བར་བེད་སྤྱོད་གཏོང་བའི་ནང་དོན་སྒེའུ་ཁུང་གི་ཆེ་ཆུང་འཇོག་པ།", "Sets the size of the context window used to generate the next token.": "ཊོཀ་ཀེན་རྗེས་མ་བཟོ་བར་བེད་སྤྱོད་གཏོང་བའི་ནང་དོན་སྒེའུ་ཁུང་གི་ཆེ་ཆུང་འཇོག་པ།",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "བེད་སྤྱོད་གཏོང་རྒྱུའི་མཚམས་འཇོག་རིམ་པ་འཇོག་པ། བཟོ་ལྟ་འདི་འཕྲད་དུས། LLM ཡིས་ཡིག་རྐྱང་བཟོ་བ་མཚམས་འཇོག་ནས་ཕྱིར་ལོག་བྱེད་ངེས། Modelfile ནང་མཚམས་འཇོག་ཞུགས་གྲངས་ལོགས་སུ་མང་པོ་གསལ་བཀོད་བྱས་ནས་མཚམས་འཇོག་བཟོ་ལྟ་མང་པོ་འཇོག་ཐུབ།", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "བེད་སྤྱོད་གཏོང་རྒྱུའི་མཚམས་འཇོག་རིམ་པ་འཇོག་པ། བཟོ་ལྟ་འདི་འཕྲད་དུས། LLM ཡིས་ཡིག་རྐྱང་བཟོ་བ་མཚམས་འཇོག་ནས་ཕྱིར་ལོག་བྱེད་ངེས། Modelfile ནང་མཚམས་འཇོག་ཞུགས་གྲངས་ལོགས་སུ་མང་པོ་གསལ་བཀོད་བྱས་ནས་མཚམས་འཇོག་བཟོ་ལྟ་མང་པོ་འཇོག་ཐུབ།",
"Setting": "",
"Settings": "སྒྲིག་འགོད།", "Settings": "སྒྲིག་འགོད།",
"Settings saved successfully!": "སྒྲིག་འགོད་ལེགས་པར་ཉར་ཚགས་བྱས།", "Settings saved successfully!": "སྒྲིག་འགོད་ལེགས་པར་ཉར་ཚགས་བྱས།",
"Share": "མཉམ་སྤྱོད།", "Share": "མཉམ་སྤྱོད།",
@ -1636,6 +1650,7 @@
"Tools Function Calling Prompt": "ལག་ཆ་ལས་འགན་འབོད་པའི་འགུལ་སློང་།", "Tools Function Calling Prompt": "ལག་ཆ་ལས་འགན་འབོད་པའི་འགུལ་སློང་།",
"Tools have a function calling system that allows arbitrary code execution.": "ལག་ཆར་གང་འདོད་ཀྱི་ཀོཌ་ལག་བསྟར་ལ་གནང་བ་སྤྲོད་པའི་ལས་འགན་འབོད་པའི་མ་ལག་ཡོད།", "Tools have a function calling system that allows arbitrary code execution.": "ལག་ཆར་གང་འདོད་ཀྱི་ཀོཌ་ལག་བསྟར་ལ་གནང་བ་སྤྲོད་པའི་ལས་འགན་འབོད་པའི་མ་ལག་ཡོད།",
"Tools Public Sharing": "ལག་ཆ་སྤྱི་སྤྱོད་མཉམ་སྤྱོད།", "Tools Public Sharing": "ལག་ཆ་སྤྱི་སྤྱོད་མཉམ་སྤྱོད།",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Reranker", "Top K Reranker": "Top K Reranker",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1683,6 +1698,7 @@
"Upload Pipeline": "རྒྱུ་ལམ་སྤར་བ།", "Upload Pipeline": "རྒྱུ་ལམ་སྤར་བ།",
"Upload Progress": "སྤར་བའི་འཕེལ་རིམ།", "Upload Progress": "སྤར་བའི་འཕེལ་རིམ།",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "URL མ་དཔེ།", "URL Mode": "URL མ་དཔེ།",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Dozvoli vise modela u jednom chatu", "Allow Multiple Models in Chat": "Dozvoli vise modela u jednom chatu",
"Allow non-local voices": "Dopusti nelokalne glasove", "Allow non-local voices": "Dopusti nelokalne glasove",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Arhivirani razgovori", "Archived Chats": "Arhivirani razgovori",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Zadani model", "Default Model": "Zadani model",
"Default model updated": "Zadani model ažuriran", "Default model updated": "Zadani model ažuriran",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Zadani prijedlozi prompta", "Default Prompt Suggestions": "Zadani prijedlozi prompta",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Izbriši", "Delete": "Izbriši",
"Delete a model": "Izbriši model", "Delete a model": "Izbriši model",
"Delete All Chats": "Izbriši sve razgovore", "Delete All Chats": "Izbriši sve razgovore",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "Izbriši razgovor", "Delete Chat": "Izbriši razgovor",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Februar", "February": "Februar",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Stroj za generiranje slika", "Image Generation Engine": "Stroj za generiranje slika",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimalno 3 modela se mogu preuzeti istovremeno. Pokušajte ponovo kasnije.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimalno 3 modela se mogu preuzeti istovremeno. Pokušajte ponovo kasnije.",
"May": "Maj", "May": "Maj",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Više", "More": "Više",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Napomena: Ako postavite minimalnu ocjenu, pretraga će vratiti samo dokumente s ocjenom većom ili jednakom minimalnoj ocjeni.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Napomena: Ako postavite minimalnu ocjenu, pretraga će vratiti samo dokumente s ocjenom većom ili jednakom minimalnoj ocjeni.",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Obavijesti", "Notifications": "Obavijesti",
@ -1274,6 +1286,7 @@
"Prompts": "Prompti", "Prompts": "Prompti",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Povucite \"{{searchValue}}\" s Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Povucite \"{{searchValue}}\" s Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Postavke", "Settings": "Postavke",
"Settings saved successfully!": "Postavke su uspješno spremljene!", "Settings saved successfully!": "Postavke su uspješno spremljene!",
"Share": "Podijeli", "Share": "Podijeli",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Prijenos kanala", "Upload Pipeline": "Prijenos kanala",
"Upload Progress": "Napredak učitavanja", "Upload Progress": "Napredak učitavanja",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "URL način", "URL Mode": "URL način",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Permetre continuar la resposta", "Allow Continue Response": "Permetre continuar la resposta",
"Allow Delete Messages": "Permetre eliminar missatges", "Allow Delete Messages": "Permetre eliminar missatges",
"Allow File Upload": "Permetre la pujada d'arxius", "Allow File Upload": "Permetre la pujada d'arxius",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Permetre múltiple models al xat", "Allow Multiple Models in Chat": "Permetre múltiple models al xat",
"Allow non-local voices": "Permetre veus no locals", "Allow non-local voices": "Permetre veus no locals",
"Allow Rate Response": "Permetre valorar les respostes", "Allow Rate Response": "Permetre valorar les respostes",
@ -144,6 +145,7 @@
"Archived Chats": "Xats arxivats", "Archived Chats": "Xats arxivats",
"archived-chat-export": "archived-chat-export", "archived-chat-export": "archived-chat-export",
"Are you sure you want to clear all memories? This action cannot be undone.": "Estàs segur que vols netejar totes les memòries? Aquesta acció no es pot desfer.", "Are you sure you want to clear all memories? This action cannot be undone.": "Estàs segur que vols netejar totes les memòries? Aquesta acció no es pot desfer.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Estàs segur que vols eliminar aquest canal?", "Are you sure you want to delete this channel?": "Estàs segur que vols eliminar aquest canal?",
"Are you sure you want to delete this message?": "Estàs segur que vols eliminar aquest missatge?", "Are you sure you want to delete this message?": "Estàs segur que vols eliminar aquest missatge?",
"Are you sure you want to unarchive all archived chats?": "Estàs segur que vols desarxivar tots els xats arxivats?", "Are you sure you want to unarchive all archived chats?": "Estàs segur que vols desarxivar tots els xats arxivats?",
@ -388,12 +390,14 @@
"Default description enabled": "Descripcions per defecte habilitades", "Default description enabled": "Descripcions per defecte habilitades",
"Default Features": "Característiques per defecte", "Default Features": "Característiques per defecte",
"Default Filters": "Filres per defecte", "Default Filters": "Filres per defecte",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "El mode predeterminat funciona amb una gamma més àmplia de models cridant a les eines una vegada abans de l'execució. El mode natiu aprofita les capacitats de crida d'eines integrades del model, però requereix que el model admeti aquesta funció de manera inherent.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "El mode predeterminat funciona amb una gamma més àmplia de models cridant a les eines una vegada abans de l'execució. El mode natiu aprofita les capacitats de crida d'eines integrades del model, però requereix que el model admeti aquesta funció de manera inherent.",
"Default Model": "Model per defecte", "Default Model": "Model per defecte",
"Default model updated": "Model per defecte actualitzat", "Default model updated": "Model per defecte actualitzat",
"Default Models": "Models per defecte", "Default Models": "Models per defecte",
"Default permissions": "Permisos per defecte", "Default permissions": "Permisos per defecte",
"Default permissions updated successfully": "Permisos per defecte actualitzats correctament", "Default permissions updated successfully": "Permisos per defecte actualitzats correctament",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Suggeriments d'indicació per defecte", "Default Prompt Suggestions": "Suggeriments d'indicació per defecte",
"Default to 389 or 636 if TLS is enabled": "Per defecte 389 o 636 si TLS està habilitat", "Default to 389 or 636 if TLS is enabled": "Per defecte 389 o 636 si TLS està habilitat",
"Default to ALL": "Per defecte TOTS", "Default to ALL": "Per defecte TOTS",
@ -402,6 +406,7 @@
"Delete": "Eliminar", "Delete": "Eliminar",
"Delete a model": "Eliminar un model", "Delete a model": "Eliminar un model",
"Delete All Chats": "Eliminar tots els xats", "Delete All Chats": "Eliminar tots els xats",
"Delete all contents inside this folder": "",
"Delete All Models": "Eliminar tots els models", "Delete All Models": "Eliminar tots els models",
"Delete Chat": "Eliminar xat", "Delete Chat": "Eliminar xat",
"Delete chat?": "Eliminar el xat?", "Delete chat?": "Eliminar el xat?",
@ -730,6 +735,7 @@
"Features": "Característiques", "Features": "Característiques",
"Features Permissions": "Permisos de les característiques", "Features Permissions": "Permisos de les característiques",
"February": "Febrer", "February": "Febrer",
"Feedback deleted successfully": "",
"Feedback Details": "Detalls del retorn", "Feedback Details": "Detalls del retorn",
"Feedback History": "Històric de comentaris", "Feedback History": "Històric de comentaris",
"Feedbacks": "Comentaris", "Feedbacks": "Comentaris",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "La mida del fitxer no ha de superar els {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "La mida del fitxer no ha de superar els {{maxSize}} MB.",
"File Upload": "Pujar arxiu", "File Upload": "Pujar arxiu",
"File uploaded successfully": "arxiu pujat satisfactòriament", "File uploaded successfully": "arxiu pujat satisfactòriament",
"File uploaded!": "",
"Files": "Arxius", "Files": "Arxius",
"Filter": "Filtre", "Filter": "Filtre",
"Filter is now globally disabled": "El filtre ha estat desactivat globalment", "Filter is now globally disabled": "El filtre ha estat desactivat globalment",
@ -857,6 +864,7 @@
"Image Compression": "Compressió d'imatges", "Image Compression": "Compressió d'imatges",
"Image Compression Height": "Alçada de la compressió d'imatges", "Image Compression Height": "Alçada de la compressió d'imatges",
"Image Compression Width": "Amplada de la compressió d'imatges", "Image Compression Width": "Amplada de la compressió d'imatges",
"Image Edit": "",
"Image Edit Engine": "Motor d'edició d'imatges", "Image Edit Engine": "Motor d'edició d'imatges",
"Image Generation": "Generació d'imatges", "Image Generation": "Generació d'imatges",
"Image Generation Engine": "Motor de generació d'imatges", "Image Generation Engine": "Motor de generació d'imatges",
@ -941,6 +949,7 @@
"Knowledge Name": "Nom del coneixement", "Knowledge Name": "Nom del coneixement",
"Knowledge Public Sharing": "Compartir públicament el Coneixement", "Knowledge Public Sharing": "Compartir públicament el Coneixement",
"Knowledge reset successfully.": "Coneixement restablert correctament.", "Knowledge reset successfully.": "Coneixement restablert correctament.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Coneixement actualitzat correctament.", "Knowledge updated successfully": "Coneixement actualitzat correctament.",
"Kokoro.js (Browser)": "Kokoro.js (Navegador)", "Kokoro.js (Browser)": "Kokoro.js (Navegador)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Mida màxima de càrrega", "Max Upload Size": "Mida màxima de càrrega",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es poden descarregar un màxim de 3 models simultàniament. Si us plau, prova-ho més tard.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es poden descarregar un màxim de 3 models simultàniament. Si us plau, prova-ho més tard.",
"May": "Maig", "May": "Maig",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El suport per a MCP és experimental i la seva especificació canvia sovint, cosa que pot provocar incompatibilitats. El suport per a l'especificació d'OpenAPI el manté directament l'equip d'Open WebUI, cosa que el converteix en l'opció més fiable per a la compatibilitat.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El suport per a MCP és experimental i la seva especificació canvia sovint, cosa que pot provocar incompatibilitats. El suport per a l'especificació d'OpenAPI el manté directament l'equip d'Open WebUI, cosa que el converteix en l'opció més fiable per a la compatibilitat.",
"Medium": "Mig", "Medium": "Mig",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "La configuració dels models s'ha desat correctament", "Models configuration saved successfully": "La configuració dels models s'ha desat correctament",
"Models imported successfully": "Els models s'han importat correctament", "Models imported successfully": "Els models s'han importat correctament",
"Models Public Sharing": "Compartició pública de models", "Models Public Sharing": "Compartició pública de models",
"Models Sharing": "",
"Mojeek Search API Key": "Clau API de Mojeek Search", "Mojeek Search API Key": "Clau API de Mojeek Search",
"More": "Més", "More": "Més",
"More Concise": "Més precís", "More Concise": "Més precís",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Si s'estableix una puntuació mínima, la cerca només retornarà documents amb una puntuació major o igual a la puntuació mínima.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Si s'estableix una puntuació mínima, la cerca només retornarà documents amb una puntuació major o igual a la puntuació mínima.",
"Notes": "Notes", "Notes": "Notes",
"Notes Public Sharing": "Compartició pública de les notes", "Notes Public Sharing": "Compartició pública de les notes",
"Notes Sharing": "",
"Notification Sound": "So de la notificació", "Notification Sound": "So de la notificació",
"Notification Webhook": "Webhook de la notificació", "Notification Webhook": "Webhook de la notificació",
"Notifications": "Notificacions", "Notifications": "Notificacions",
@ -1274,6 +1286,7 @@
"Prompts": "Indicacions", "Prompts": "Indicacions",
"Prompts Access": "Accés a les indicacions", "Prompts Access": "Accés a les indicacions",
"Prompts Public Sharing": "Compartició pública de indicacions", "Prompts Public Sharing": "Compartició pública de indicacions",
"Prompts Sharing": "",
"Provider Type": "Tipus de proveïdor", "Provider Type": "Tipus de proveïdor",
"Public": "Públic", "Public": "Públic",
"Pull \"{{searchValue}}\" from Ollama.com": "Obtenir \"{{searchValue}}\" de Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Obtenir \"{{searchValue}}\" de Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Estableix la llavor del nombre aleatori que s'utilitzarà per a la generació. Establir-ho a un número específic farà que el model generi el mateix text per a la mateixa sol·licitud.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Estableix la llavor del nombre aleatori que s'utilitzarà per a la generació. Establir-ho a un número específic farà que el model generi el mateix text per a la mateixa sol·licitud.",
"Sets the size of the context window used to generate the next token.": "Estableix la mida de la finestra de context utilitzada per generar el següent token.", "Sets the size of the context window used to generate the next token.": "Estableix la mida de la finestra de context utilitzada per generar el següent token.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Establir les seqüències d'aturada a utilitzar. Quan es trobi aquest patró, el LLM deixarà de generar text. Es poden establir diversos patrons de parada especificant diversos paràmetres de parada separats en un fitxer model.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Establir les seqüències d'aturada a utilitzar. Quan es trobi aquest patró, el LLM deixarà de generar text. Es poden establir diversos patrons de parada especificant diversos paràmetres de parada separats en un fitxer model.",
"Setting": "",
"Settings": "Preferències", "Settings": "Preferències",
"Settings saved successfully!": "Les preferències s'han desat correctament", "Settings saved successfully!": "Les preferències s'han desat correctament",
"Share": "Compartir", "Share": "Compartir",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "Indicació per a la crida de funcions", "Tools Function Calling Prompt": "Indicació per a la crida de funcions",
"Tools have a function calling system that allows arbitrary code execution.": "Les eines disposen d'un sistema de crida a funcions que permet execució de codi arbitrari.", "Tools have a function calling system that allows arbitrary code execution.": "Les eines disposen d'un sistema de crida a funcions que permet execució de codi arbitrari.",
"Tools Public Sharing": "Compartició pública d'eines", "Tools Public Sharing": "Compartició pública d'eines",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Reranker", "Top K Reranker": "Top K Reranker",
"Transformers": "Transformadors", "Transformers": "Transformadors",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Pujar una Pipeline", "Upload Pipeline": "Pujar una Pipeline",
"Upload Progress": "Progrés de càrrega", "Upload Progress": "Progrés de càrrega",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progrés de la pujada: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progrés de la pujada: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "La URL és necessaria", "URL is required": "La URL és necessaria",
"URL Mode": "Mode URL", "URL Mode": "Mode URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "pagrekord sa chat", "Archived Chats": "pagrekord sa chat",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "", "Default Model": "",
"Default model updated": "Gi-update nga default template", "Default model updated": "Gi-update nga default template",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Default nga prompt nga mga sugyot", "Default Prompt Suggestions": "Default nga prompt nga mga sugyot",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "", "Delete": "",
"Delete a model": "Pagtangtang sa usa ka template", "Delete a model": "Pagtangtang sa usa ka template",
"Delete All Chats": "", "Delete All Chats": "",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "", "February": "",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Makina sa paghimo og imahe", "Image Generation Engine": "Makina sa paghimo og imahe",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Ang labing taas nga 3 nga mga disenyo mahimong ma-download nga dungan. ", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Ang labing taas nga 3 nga mga disenyo mahimong ma-download nga dungan. ",
"May": "", "May": "",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "", "More": "",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Mga pahibalo sa desktop", "Notifications": "Mga pahibalo sa desktop",
@ -1274,6 +1286,7 @@
"Prompts": "Mga aghat", "Prompts": "Mga aghat",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "", "Pull \"{{searchValue}}\" from Ollama.com": "",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Mga setting", "Settings": "Mga setting",
"Settings saved successfully!": "Malampuson nga na-save ang mga setting!", "Settings saved successfully!": "Malampuson nga na-save ang mga setting!",
"Share": "", "Share": "",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "Pag-uswag sa Pag-upload", "Upload Progress": "Pag-uswag sa Pag-upload",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "URL mode", "URL Mode": "URL mode",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Povolit nahrávání souborů", "Allow File Upload": "Povolit nahrávání souborů",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Povolit více modelů v chatu", "Allow Multiple Models in Chat": "Povolit více modelů v chatu",
"Allow non-local voices": "Povolit nelokální hlasy", "Allow non-local voices": "Povolit nelokální hlasy",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Archiv", "Archived Chats": "Archiv",
"archived-chat-export": "export-archivovanych-konverzaci", "archived-chat-export": "export-archivovanych-konverzaci",
"Are you sure you want to clear all memories? This action cannot be undone.": "Opravdu si přejete vymazat všechny vzpomínky? Tuto akci nelze vrátit zpět.", "Are you sure you want to clear all memories? This action cannot be undone.": "Opravdu si přejete vymazat všechny vzpomínky? Tuto akci nelze vrátit zpět.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Opravdu chcete smazat tento kanál?", "Are you sure you want to delete this channel?": "Opravdu chcete smazat tento kanál?",
"Are you sure you want to delete this message?": "Opravdu chcete smazat tuto zprávu?", "Are you sure you want to delete this message?": "Opravdu chcete smazat tuto zprávu?",
"Are you sure you want to unarchive all archived chats?": "Opravdu chcete zrušit archivaci všech archivovaných konverzací?", "Are you sure you want to unarchive all archived chats?": "Opravdu chcete zrušit archivaci všech archivovaných konverzací?",
@ -388,12 +390,14 @@
"Default description enabled": "Výchozí popis povolen", "Default description enabled": "Výchozí popis povolen",
"Default Features": "Výchozí funkce", "Default Features": "Výchozí funkce",
"Default Filters": "Výchozí filtry", "Default Filters": "Výchozí filtry",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Výchozí režim funguje s širší škálou modelů voláním nástrojů jednou před spuštěním. Nativní režim využívá vestavěné schopnosti modelu pro volání nástrojů, ale vyžaduje, aby model tuto funkci nativně podporoval.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Výchozí režim funguje s širší škálou modelů voláním nástrojů jednou před spuštěním. Nativní režim využívá vestavěné schopnosti modelu pro volání nástrojů, ale vyžaduje, aby model tuto funkci nativně podporoval.",
"Default Model": "Výchozí model", "Default Model": "Výchozí model",
"Default model updated": "Výchozí model byl aktualizován.", "Default model updated": "Výchozí model byl aktualizován.",
"Default Models": "Výchozí modely", "Default Models": "Výchozí modely",
"Default permissions": "Výchozí oprávnění", "Default permissions": "Výchozí oprávnění",
"Default permissions updated successfully": "Výchozí oprávnění byla úspěšně aktualizována", "Default permissions updated successfully": "Výchozí oprávnění byla úspěšně aktualizována",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Výchozí návrhy instrukce", "Default Prompt Suggestions": "Výchozí návrhy instrukce",
"Default to 389 or 636 if TLS is enabled": "Výchozí hodnota 389, nebo 636, pokud je povoleno TLS", "Default to 389 or 636 if TLS is enabled": "Výchozí hodnota 389, nebo 636, pokud je povoleno TLS",
"Default to ALL": "Výchozí hodnota VŠE", "Default to ALL": "Výchozí hodnota VŠE",
@ -402,6 +406,7 @@
"Delete": "Smazat", "Delete": "Smazat",
"Delete a model": "Smazat model", "Delete a model": "Smazat model",
"Delete All Chats": "Smazat všechny konverzace", "Delete All Chats": "Smazat všechny konverzace",
"Delete all contents inside this folder": "",
"Delete All Models": "Smazat všechny modely", "Delete All Models": "Smazat všechny modely",
"Delete Chat": "Smazat konverzaci", "Delete Chat": "Smazat konverzaci",
"Delete chat?": "Smazat konverzaci?", "Delete chat?": "Smazat konverzaci?",
@ -730,6 +735,7 @@
"Features": "Funkce", "Features": "Funkce",
"Features Permissions": "Oprávnění funkcí", "Features Permissions": "Oprávnění funkcí",
"February": "Únor", "February": "Únor",
"Feedback deleted successfully": "",
"Feedback Details": "Podrobnosti zpětné vazby", "Feedback Details": "Podrobnosti zpětné vazby",
"Feedback History": "Historie zpětné vazby", "Feedback History": "Historie zpětné vazby",
"Feedbacks": "Zpětné vazby", "Feedbacks": "Zpětné vazby",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Velikost souboru by neměla překročit {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Velikost souboru by neměla překročit {{maxSize}} MB.",
"File Upload": "Nahrání souboru", "File Upload": "Nahrání souboru",
"File uploaded successfully": "Soubor byl úspěšně nahrán", "File uploaded successfully": "Soubor byl úspěšně nahrán",
"File uploaded!": "",
"Files": "Soubory", "Files": "Soubory",
"Filter": "Filtr", "Filter": "Filtr",
"Filter is now globally disabled": "Filtr je nyní globálně zakázán", "Filter is now globally disabled": "Filtr je nyní globálně zakázán",
@ -857,6 +864,7 @@
"Image Compression": "Komprese obrázků", "Image Compression": "Komprese obrázků",
"Image Compression Height": "Výška komprese obrázku", "Image Compression Height": "Výška komprese obrázku",
"Image Compression Width": "Šířka komprese obrázku", "Image Compression Width": "Šířka komprese obrázku",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Generování obrázků", "Image Generation": "Generování obrázků",
"Image Generation Engine": "Jádro pro generování obrázků", "Image Generation Engine": "Jádro pro generování obrázků",
@ -941,6 +949,7 @@
"Knowledge Name": "Název znalosti", "Knowledge Name": "Název znalosti",
"Knowledge Public Sharing": "Veřejné sdílení znalostí", "Knowledge Public Sharing": "Veřejné sdílení znalostí",
"Knowledge reset successfully.": "Znalosti byly úspěšně resetovány.", "Knowledge reset successfully.": "Znalosti byly úspěšně resetovány.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Znalost byla úspěšně aktualizována", "Knowledge updated successfully": "Znalost byla úspěšně aktualizována",
"Kokoro.js (Browser)": "Kokoro.js (prohlížeč)", "Kokoro.js (Browser)": "Kokoro.js (prohlížeč)",
"Kokoro.js Dtype": "Datový typ Kokoro.js", "Kokoro.js Dtype": "Datový typ Kokoro.js",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maximální velikost nahrávaných souborů", "Max Upload Size": "Maximální velikost nahrávaných souborů",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Současně lze stahovat maximálně 3 modely. Zkuste to prosím později.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Současně lze stahovat maximálně 3 modely. Zkuste to prosím později.",
"May": "Květen", "May": "Květen",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "Střední", "Medium": "Střední",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Konfigurace modelů byla úspěšně uložena", "Models configuration saved successfully": "Konfigurace modelů byla úspěšně uložena",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Veřejné sdílení modelů", "Models Public Sharing": "Veřejné sdílení modelů",
"Models Sharing": "",
"Mojeek Search API Key": "API klíč pro Mojeek Search", "Mojeek Search API Key": "API klíč pro Mojeek Search",
"More": "Více", "More": "Více",
"More Concise": "Stručnější", "More Concise": "Stručnější",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Poznámka: Pokud nastavíte minimální skóre, vyhledávání vrátí pouze dokumenty se skóre vyšším nebo rovným minimálnímu skóre.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Poznámka: Pokud nastavíte minimální skóre, vyhledávání vrátí pouze dokumenty se skóre vyšším nebo rovným minimálnímu skóre.",
"Notes": "Poznámky", "Notes": "Poznámky",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Zvuk oznámení", "Notification Sound": "Zvuk oznámení",
"Notification Webhook": "Webhook pro oznámení", "Notification Webhook": "Webhook pro oznámení",
"Notifications": "Oznámení", "Notifications": "Oznámení",
@ -1274,6 +1286,7 @@
"Prompts": "Instrukce", "Prompts": "Instrukce",
"Prompts Access": "Přístup k instrukcím", "Prompts Access": "Přístup k instrukcím",
"Prompts Public Sharing": "Veřejné sdílení instrukcí", "Prompts Public Sharing": "Veřejné sdílení instrukcí",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Veřejné", "Public": "Veřejné",
"Pull \"{{searchValue}}\" from Ollama.com": "Stáhnout \"{{searchValue}}\" z Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Stáhnout \"{{searchValue}}\" z Ollama.com",
@ -1459,6 +1472,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Nastavuje semínko náhodných čísel pro generování. Nastavení na konkrétní číslo způsobí, že model bude generovat stejný text pro stejné instrukce.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Nastavuje semínko náhodných čísel pro generování. Nastavení na konkrétní číslo způsobí, že model bude generovat stejný text pro stejné instrukce.",
"Sets the size of the context window used to generate the next token.": "Nastavuje velikost kontextového okna použitého k vygenerování dalšího tokenu.", "Sets the size of the context window used to generate the next token.": "Nastavuje velikost kontextového okna použitého k vygenerování dalšího tokenu.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Nastavuje ukončovací sekvence. Když je tento vzor nalezen, LLM přestane generovat text a vrátí výsledek. Lze nastavit více ukončovacích vzorů zadáním více samostatných parametrů stop v souboru modelfile.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Nastavuje ukončovací sekvence. Když je tento vzor nalezen, LLM přestane generovat text a vrátí výsledek. Lze nastavit více ukončovacích vzorů zadáním více samostatných parametrů stop v souboru modelfile.",
"Setting": "",
"Settings": "Nastavení", "Settings": "Nastavení",
"Settings saved successfully!": "Nastavení byla úspěšně uložena!", "Settings saved successfully!": "Nastavení byla úspěšně uložena!",
"Share": "Sdílet", "Share": "Sdílet",
@ -1639,6 +1653,7 @@
"Tools Function Calling Prompt": "Instrukce pro volání funkcí nástrojů", "Tools Function Calling Prompt": "Instrukce pro volání funkcí nástrojů",
"Tools have a function calling system that allows arbitrary code execution.": "Nástroje mají systém volání funkcí, který umožňuje spouštění libovolného kódu.", "Tools have a function calling system that allows arbitrary code execution.": "Nástroje mají systém volání funkcí, který umožňuje spouštění libovolného kódu.",
"Tools Public Sharing": "Veřejné sdílení nástrojů", "Tools Public Sharing": "Veřejné sdílení nástrojů",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K pro přehodnocení", "Top K Reranker": "Top K pro přehodnocení",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1686,6 +1701,7 @@
"Upload Pipeline": "Nahrát pipeline", "Upload Pipeline": "Nahrát pipeline",
"Upload Progress": "Průběh nahrávání", "Upload Progress": "Průběh nahrávání",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Průběh nahrávání: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Průběh nahrávání: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL je vyžadována", "URL is required": "URL je vyžadována",
"URL Mode": "Režim URL", "URL Mode": "Režim URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Tillad fortsættelse af svar", "Allow Continue Response": "Tillad fortsættelse af svar",
"Allow Delete Messages": "Tillad sletning af beskeder", "Allow Delete Messages": "Tillad sletning af beskeder",
"Allow File Upload": "Tillad upload af fil", "Allow File Upload": "Tillad upload af fil",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Tillad flere modeller i chats", "Allow Multiple Models in Chat": "Tillad flere modeller i chats",
"Allow non-local voices": "Tillad ikke-lokale stemmer", "Allow non-local voices": "Tillad ikke-lokale stemmer",
"Allow Rate Response": "Tillad vurdering af svar", "Allow Rate Response": "Tillad vurdering af svar",
@ -144,6 +145,7 @@
"Archived Chats": "Arkiverede chats", "Archived Chats": "Arkiverede chats",
"archived-chat-export": "arkiveret-chat-eksport", "archived-chat-export": "arkiveret-chat-eksport",
"Are you sure you want to clear all memories? This action cannot be undone.": "Er du sikker på du vil rydde hele hukommelsen? Dette kan ikke gøres om.", "Are you sure you want to clear all memories? This action cannot be undone.": "Er du sikker på du vil rydde hele hukommelsen? Dette kan ikke gøres om.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Er du sikker på du vil slette denne kanal?", "Are you sure you want to delete this channel?": "Er du sikker på du vil slette denne kanal?",
"Are you sure you want to delete this message?": "Er du sikker på du vil slette denne besked?", "Are you sure you want to delete this message?": "Er du sikker på du vil slette denne besked?",
"Are you sure you want to unarchive all archived chats?": "Er du sikker på du vil fjerne alle arkiverede chats?", "Are you sure you want to unarchive all archived chats?": "Er du sikker på du vil fjerne alle arkiverede chats?",
@ -388,12 +390,14 @@
"Default description enabled": "Standardbeskrivelse aktiveret", "Default description enabled": "Standardbeskrivelse aktiveret",
"Default Features": "Standardfunktioner", "Default Features": "Standardfunktioner",
"Default Filters": "Standardfiltre", "Default Filters": "Standardfiltre",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Standardtilstand fungerer med et bredere udvalg af modeller ved at kalde værktøjer én gang før udførelse. Native tilstand udnytter modellens indbyggede værktøjskald-funktioner, men kræver at modellen i sagens natur understøtter denne funktion.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Standardtilstand fungerer med et bredere udvalg af modeller ved at kalde værktøjer én gang før udførelse. Native tilstand udnytter modellens indbyggede værktøjskald-funktioner, men kræver at modellen i sagens natur understøtter denne funktion.",
"Default Model": "Standard model", "Default Model": "Standard model",
"Default model updated": "Standard model opdateret", "Default model updated": "Standard model opdateret",
"Default Models": "Standard modeller", "Default Models": "Standard modeller",
"Default permissions": "Standard tilladelser", "Default permissions": "Standard tilladelser",
"Default permissions updated successfully": "Standard tilladelser opdateret", "Default permissions updated successfully": "Standard tilladelser opdateret",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Standardforslag til prompt", "Default Prompt Suggestions": "Standardforslag til prompt",
"Default to 389 or 636 if TLS is enabled": "Standard til 389 eller 636 hvis TLS er aktiveret", "Default to 389 or 636 if TLS is enabled": "Standard til 389 eller 636 hvis TLS er aktiveret",
"Default to ALL": "Standard til ALLE", "Default to ALL": "Standard til ALLE",
@ -402,6 +406,7 @@
"Delete": "Slet", "Delete": "Slet",
"Delete a model": "Slet en model", "Delete a model": "Slet en model",
"Delete All Chats": "Slet alle chats", "Delete All Chats": "Slet alle chats",
"Delete all contents inside this folder": "",
"Delete All Models": "Slet alle modeller", "Delete All Models": "Slet alle modeller",
"Delete Chat": "Slet chat", "Delete Chat": "Slet chat",
"Delete chat?": "Slet chat?", "Delete chat?": "Slet chat?",
@ -730,6 +735,7 @@
"Features": "Features", "Features": "Features",
"Features Permissions": "Features tilladelser", "Features Permissions": "Features tilladelser",
"February": "Februar", "February": "Februar",
"Feedback deleted successfully": "",
"Feedback Details": "Feedback detaljer", "Feedback Details": "Feedback detaljer",
"Feedback History": "Feedback historik", "Feedback History": "Feedback historik",
"Feedbacks": "Feedback", "Feedbacks": "Feedback",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Filstørrelsen må ikke overstige {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Filstørrelsen må ikke overstige {{maxSize}} MB.",
"File Upload": "Fil upload", "File Upload": "Fil upload",
"File uploaded successfully": "Fil uploadet.", "File uploaded successfully": "Fil uploadet.",
"File uploaded!": "",
"Files": "Filer", "Files": "Filer",
"Filter": "Filter", "Filter": "Filter",
"Filter is now globally disabled": "Filter er nu globalt deaktiveret", "Filter is now globally disabled": "Filter er nu globalt deaktiveret",
@ -857,6 +864,7 @@
"Image Compression": "Billedkomprimering", "Image Compression": "Billedkomprimering",
"Image Compression Height": "Billedkomprimering højde", "Image Compression Height": "Billedkomprimering højde",
"Image Compression Width": "Billedkomprimering bredde", "Image Compression Width": "Billedkomprimering bredde",
"Image Edit": "",
"Image Edit Engine": "Billederedigeringsmotor", "Image Edit Engine": "Billederedigeringsmotor",
"Image Generation": "Billedgenerering", "Image Generation": "Billedgenerering",
"Image Generation Engine": "Billedgenereringsmotor", "Image Generation Engine": "Billedgenereringsmotor",
@ -941,6 +949,7 @@
"Knowledge Name": "Vidensnavn", "Knowledge Name": "Vidensnavn",
"Knowledge Public Sharing": "Viden offentlig deling", "Knowledge Public Sharing": "Viden offentlig deling",
"Knowledge reset successfully.": "Viden nulstillet.", "Knowledge reset successfully.": "Viden nulstillet.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Viden opdateret.", "Knowledge updated successfully": "Viden opdateret.",
"Kokoro.js (Browser)": "Kokoro.js (Browser)", "Kokoro.js (Browser)": "Kokoro.js (Browser)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maks. uploadstørrelse", "Max Upload Size": "Maks. uploadstørrelse",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Højst 3 modeller kan downloades samtidigt. Prøv igen senere.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Højst 3 modeller kan downloades samtidigt. Prøv igen senere.",
"May": "Maj", "May": "Maj",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP understøttelse er eksperimentel og dens specifikationer ændres ofte hvilket kan medføre inkompatibilitet. OpenAI specifikationsunderstøttelse er vedligeholdt af Open WebUI-teamet hvilket gør det til den mest pålidelige mulighed for understøttelse.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP understøttelse er eksperimentel og dens specifikationer ændres ofte hvilket kan medføre inkompatibilitet. OpenAI specifikationsunderstøttelse er vedligeholdt af Open WebUI-teamet hvilket gør det til den mest pålidelige mulighed for understøttelse.",
"Medium": "Medium", "Medium": "Medium",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Modeller konfiguration gemt", "Models configuration saved successfully": "Modeller konfiguration gemt",
"Models imported successfully": "Modeller importeret", "Models imported successfully": "Modeller importeret",
"Models Public Sharing": "Modeller offentlig deling", "Models Public Sharing": "Modeller offentlig deling",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API nøgle", "Mojeek Search API Key": "Mojeek Search API nøgle",
"More": "Mere", "More": "Mere",
"More Concise": "Mere kortfattet", "More Concise": "Mere kortfattet",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Bemærk: Hvis du angiver en minimumscore, returnerer søgningen kun dokumenter med en score, der er større end eller lig med minimumscoren.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Bemærk: Hvis du angiver en minimumscore, returnerer søgningen kun dokumenter med en score, der er større end eller lig med minimumscoren.",
"Notes": "Noter", "Notes": "Noter",
"Notes Public Sharing": "Noter offentlig deling", "Notes Public Sharing": "Noter offentlig deling",
"Notes Sharing": "",
"Notification Sound": "Notifikationslyd", "Notification Sound": "Notifikationslyd",
"Notification Webhook": "Notifikations webhook", "Notification Webhook": "Notifikations webhook",
"Notifications": "Notifikationer", "Notifications": "Notifikationer",
@ -1274,6 +1286,7 @@
"Prompts": "Prompts", "Prompts": "Prompts",
"Prompts Access": "Prompts adgang", "Prompts Access": "Prompts adgang",
"Prompts Public Sharing": "Prompts offentlig deling", "Prompts Public Sharing": "Prompts offentlig deling",
"Prompts Sharing": "",
"Provider Type": "Udbyder type", "Provider Type": "Udbyder type",
"Public": "Offentlig", "Public": "Offentlig",
"Pull \"{{searchValue}}\" from Ollama.com": "Hent \"{{searchValue}}\" fra Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Hent \"{{searchValue}}\" fra Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Indstiller det tilfældige tal seed til brug for generering. At indstille dette til et specifikt tal vil få modellen til at generere den samme tekst for den samme prompt.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Indstiller det tilfældige tal seed til brug for generering. At indstille dette til et specifikt tal vil få modellen til at generere den samme tekst for den samme prompt.",
"Sets the size of the context window used to generate the next token.": "Indstiller størrelsen af kontekstvinduet brugt til at generere det næste token.", "Sets the size of the context window used to generate the next token.": "Indstiller størrelsen af kontekstvinduet brugt til at generere det næste token.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Indstiller stop-sekvenserne til brug. Når dette mønster stødes på, vil LLM'en stoppe med at generere tekst og returnere. Flere stop-mønstre kan indstilles ved at specificere flere separate stop-parametre i en modelfil.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Indstiller stop-sekvenserne til brug. Når dette mønster stødes på, vil LLM'en stoppe med at generere tekst og returnere. Flere stop-mønstre kan indstilles ved at specificere flere separate stop-parametre i en modelfil.",
"Setting": "",
"Settings": "Indstillinger", "Settings": "Indstillinger",
"Settings saved successfully!": "Indstillinger gemt!", "Settings saved successfully!": "Indstillinger gemt!",
"Share": "Del", "Share": "Del",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Værktøjs Funktionkaldprompt", "Tools Function Calling Prompt": "Værktøjs Funktionkaldprompt",
"Tools have a function calling system that allows arbitrary code execution.": "Værktøjer har et funktionkaldssystem, der tillader vilkårlig kodeudførelse.", "Tools have a function calling system that allows arbitrary code execution.": "Værktøjer har et funktionkaldssystem, der tillader vilkårlig kodeudførelse.",
"Tools Public Sharing": "Værktøjer Offentlig Deling", "Tools Public Sharing": "Værktøjer Offentlig Deling",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K omarrangering", "Top K Reranker": "Top K omarrangering",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Upload pipeline", "Upload Pipeline": "Upload pipeline",
"Upload Progress": "Uploadfremdrift", "Upload Progress": "Uploadfremdrift",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Uploadfremdrift: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Uploadfremdrift: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL er påkrævet", "URL is required": "URL er påkrævet",
"URL Mode": "URL-tilstand", "URL Mode": "URL-tilstand",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Erlaube fortgesetzte Antwort", "Allow Continue Response": "Erlaube fortgesetzte Antwort",
"Allow Delete Messages": "Löschen von Nachrichten erlauben", "Allow Delete Messages": "Löschen von Nachrichten erlauben",
"Allow File Upload": "Hochladen von Dateien erlauben", "Allow File Upload": "Hochladen von Dateien erlauben",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Multiple Modelle in Chat erlauben", "Allow Multiple Models in Chat": "Multiple Modelle in Chat erlauben",
"Allow non-local voices": "Nicht-lokale Stimmen erlauben", "Allow non-local voices": "Nicht-lokale Stimmen erlauben",
"Allow Rate Response": "Erlaube Bewertung der Antwort", "Allow Rate Response": "Erlaube Bewertung der Antwort",
@ -144,6 +145,7 @@
"Archived Chats": "Archivierte Chats", "Archived Chats": "Archivierte Chats",
"archived-chat-export": "archivierter-chat-export", "archived-chat-export": "archivierter-chat-export",
"Are you sure you want to clear all memories? This action cannot be undone.": "Sind Sie sicher, dass Sie alle Erinnerungen löschen möchten? Diese Handlung kann nicht rückgängig gemacht werden.", "Are you sure you want to clear all memories? This action cannot be undone.": "Sind Sie sicher, dass Sie alle Erinnerungen löschen möchten? Diese Handlung kann nicht rückgängig gemacht werden.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Sind Sie sicher, dass Sie diesen Kanal löschen möchten?", "Are you sure you want to delete this channel?": "Sind Sie sicher, dass Sie diesen Kanal löschen möchten?",
"Are you sure you want to delete this message?": "Sind Sie sicher, dass Sie diese Nachricht löschen möchten?", "Are you sure you want to delete this message?": "Sind Sie sicher, dass Sie diese Nachricht löschen möchten?",
"Are you sure you want to unarchive all archived chats?": "Sind Sie sicher, dass Sie alle archivierten Chats wiederherstellen möchten?", "Are you sure you want to unarchive all archived chats?": "Sind Sie sicher, dass Sie alle archivierten Chats wiederherstellen möchten?",
@ -388,12 +390,14 @@
"Default description enabled": "Standard Beschreibung aktiviert", "Default description enabled": "Standard Beschreibung aktiviert",
"Default Features": "Standardfunktionen", "Default Features": "Standardfunktionen",
"Default Filters": "Standardfilter", "Default Filters": "Standardfilter",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Der Standardmodus funktioniert mit einer breiteren Auswahl von Modellen, indem er Werkzeuge einmal vor der Ausführung aufruft. Der native Modus nutzt die integrierten Tool-Aufrufmöglichkeiten des Modells, erfordert jedoch, dass das Modell diese Funktion von Natur aus unterstützt.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Der Standardmodus funktioniert mit einer breiteren Auswahl von Modellen, indem er Werkzeuge einmal vor der Ausführung aufruft. Der native Modus nutzt die integrierten Tool-Aufrufmöglichkeiten des Modells, erfordert jedoch, dass das Modell diese Funktion von Natur aus unterstützt.",
"Default Model": "Standardmodell", "Default Model": "Standardmodell",
"Default model updated": "Standardmodell aktualisiert", "Default model updated": "Standardmodell aktualisiert",
"Default Models": "Standardmodelle", "Default Models": "Standardmodelle",
"Default permissions": "Standardberechtigungen", "Default permissions": "Standardberechtigungen",
"Default permissions updated successfully": "Standardberechtigungen erfolgreich aktualisiert", "Default permissions updated successfully": "Standardberechtigungen erfolgreich aktualisiert",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Prompt-Vorschläge", "Default Prompt Suggestions": "Prompt-Vorschläge",
"Default to 389 or 636 if TLS is enabled": "Standardmäßig auf 389 oder 636 setzen, wenn TLS aktiviert ist", "Default to 389 or 636 if TLS is enabled": "Standardmäßig auf 389 oder 636 setzen, wenn TLS aktiviert ist",
"Default to ALL": "Standardmäßig auf ALLE setzen", "Default to ALL": "Standardmäßig auf ALLE setzen",
@ -402,6 +406,7 @@
"Delete": "Löschen", "Delete": "Löschen",
"Delete a model": "Ein Modell löschen", "Delete a model": "Ein Modell löschen",
"Delete All Chats": "Alle Chats löschen", "Delete All Chats": "Alle Chats löschen",
"Delete all contents inside this folder": "",
"Delete All Models": "Alle Modelle löschen", "Delete All Models": "Alle Modelle löschen",
"Delete Chat": "Chat löschen", "Delete Chat": "Chat löschen",
"Delete chat?": "Chat löschen?", "Delete chat?": "Chat löschen?",
@ -730,6 +735,7 @@
"Features": "Funktionalitäten", "Features": "Funktionalitäten",
"Features Permissions": "Funktionen-Berechtigungen", "Features Permissions": "Funktionen-Berechtigungen",
"February": "Februar", "February": "Februar",
"Feedback deleted successfully": "",
"Feedback Details": "Feedback-Details", "Feedback Details": "Feedback-Details",
"Feedback History": "Feedback-Verlauf", "Feedback History": "Feedback-Verlauf",
"Feedbacks": "Feedbacks", "Feedbacks": "Feedbacks",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Datei darf nicht größer als {{maxSize}} MB sein.", "File size should not exceed {{maxSize}} MB.": "Datei darf nicht größer als {{maxSize}} MB sein.",
"File Upload": "Dateiupload", "File Upload": "Dateiupload",
"File uploaded successfully": "Datei erfolgreich hochgeladen", "File uploaded successfully": "Datei erfolgreich hochgeladen",
"File uploaded!": "",
"Files": "Dateien", "Files": "Dateien",
"Filter": "Filter", "Filter": "Filter",
"Filter is now globally disabled": "Filter ist jetzt global deaktiviert", "Filter is now globally disabled": "Filter ist jetzt global deaktiviert",
@ -857,6 +864,7 @@
"Image Compression": "Bildkomprimierung", "Image Compression": "Bildkomprimierung",
"Image Compression Height": "Bildkompression Länge", "Image Compression Height": "Bildkompression Länge",
"Image Compression Width": "Bildkompression Breite", "Image Compression Width": "Bildkompression Breite",
"Image Edit": "",
"Image Edit Engine": "Bildbearbeitungsengine", "Image Edit Engine": "Bildbearbeitungsengine",
"Image Generation": "Bildgenerierung", "Image Generation": "Bildgenerierung",
"Image Generation Engine": "Bildgenerierungs-Engine", "Image Generation Engine": "Bildgenerierungs-Engine",
@ -941,6 +949,7 @@
"Knowledge Name": "Wissensname", "Knowledge Name": "Wissensname",
"Knowledge Public Sharing": "Öffentliche Freigabe von Wissen", "Knowledge Public Sharing": "Öffentliche Freigabe von Wissen",
"Knowledge reset successfully.": "Wissen erfolgreich zurückgesetzt.", "Knowledge reset successfully.": "Wissen erfolgreich zurückgesetzt.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Wissen erfolgreich aktualisiert", "Knowledge updated successfully": "Wissen erfolgreich aktualisiert",
"Kokoro.js (Browser)": "Kokoro.js (Browser)", "Kokoro.js (Browser)": "Kokoro.js (Browser)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maximale Uploadgröße", "Max Upload Size": "Maximale Uploadgröße",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es können maximal 3 Modelle gleichzeitig heruntergeladen werden. Bitte versuchen Sie es später erneut.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es können maximal 3 Modelle gleichzeitig heruntergeladen werden. Bitte versuchen Sie es später erneut.",
"May": "Mai", "May": "Mai",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "Die MCP-Unterstützung ist experimentell und ihre Spezifikation ändert sich häufig, was zu Inkompatibilitäten führen kann. Die Unterstützung der OpenAPI-Spezifikation wird direkt vom OpenWebUITeam gepflegt und ist daher die verlässlichere Option in Bezug auf Kompatibilität.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "Die MCP-Unterstützung ist experimentell und ihre Spezifikation ändert sich häufig, was zu Inkompatibilitäten führen kann. Die Unterstützung der OpenAPI-Spezifikation wird direkt vom OpenWebUITeam gepflegt und ist daher die verlässlichere Option in Bezug auf Kompatibilität.",
"Medium": "Mittel", "Medium": "Mittel",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Modellkonfiguration erfolgreich gespeichert", "Models configuration saved successfully": "Modellkonfiguration erfolgreich gespeichert",
"Models imported successfully": "Modelle erfolgreich importiert", "Models imported successfully": "Modelle erfolgreich importiert",
"Models Public Sharing": "Öffentliche Freigabe von Modellen", "Models Public Sharing": "Öffentliche Freigabe von Modellen",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API-Schlüssel", "Mojeek Search API Key": "Mojeek Search API-Schlüssel",
"More": "Mehr", "More": "Mehr",
"More Concise": "Kürzer", "More Concise": "Kürzer",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Hinweis: Wenn Sie eine Mindestpunktzahl festlegen, werden in der Suche nur Dokumente mit einer Punktzahl größer oder gleich der Mindestpunktzahl zurückgegeben.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Hinweis: Wenn Sie eine Mindestpunktzahl festlegen, werden in der Suche nur Dokumente mit einer Punktzahl größer oder gleich der Mindestpunktzahl zurückgegeben.",
"Notes": "Notizen", "Notes": "Notizen",
"Notes Public Sharing": "Öffentliche Freigabe von Notizen", "Notes Public Sharing": "Öffentliche Freigabe von Notizen",
"Notes Sharing": "",
"Notification Sound": "Benachrichtigungston", "Notification Sound": "Benachrichtigungston",
"Notification Webhook": "Benachrichtigungs-Webhook", "Notification Webhook": "Benachrichtigungs-Webhook",
"Notifications": "Benachrichtigungen", "Notifications": "Benachrichtigungen",
@ -1274,6 +1286,7 @@
"Prompts": "Prompts", "Prompts": "Prompts",
"Prompts Access": "Prompt-Zugriff", "Prompts Access": "Prompt-Zugriff",
"Prompts Public Sharing": "Öffentliche Freigabe von Prompts", "Prompts Public Sharing": "Öffentliche Freigabe von Prompts",
"Prompts Sharing": "",
"Provider Type": "Anbietertyp", "Provider Type": "Anbietertyp",
"Public": "Öffentlich", "Public": "Öffentlich",
"Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" von Ollama.com beziehen", "Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" von Ollama.com beziehen",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Legt den Startwert für die Zufallszahlengenerierung fest. Wenn dieser auf eine bestimmte Zahl gesetzt wird, erzeugt das Modell für denselben Prompt immer denselben Text.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Legt den Startwert für die Zufallszahlengenerierung fest. Wenn dieser auf eine bestimmte Zahl gesetzt wird, erzeugt das Modell für denselben Prompt immer denselben Text.",
"Sets the size of the context window used to generate the next token.": "Legt die Größe des Kontextfensters fest, das zur Generierung des nächsten Token verwendet wird.", "Sets the size of the context window used to generate the next token.": "Legt die Größe des Kontextfensters fest, das zur Generierung des nächsten Token verwendet wird.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Legt die zu verwendenden Stoppsequenzen fest. Wenn dieses Muster erkannt wird, stoppt das LLM die Textgenerierung und gibt zurück. Mehrere Stoppmuster können festgelegt werden, indem mehrere separate Stopp-Parameter in einer Modelldatei angegeben werden.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Legt die zu verwendenden Stoppsequenzen fest. Wenn dieses Muster erkannt wird, stoppt das LLM die Textgenerierung und gibt zurück. Mehrere Stoppmuster können festgelegt werden, indem mehrere separate Stopp-Parameter in einer Modelldatei angegeben werden.",
"Setting": "",
"Settings": "Einstellungen", "Settings": "Einstellungen",
"Settings saved successfully!": "Einstellungen erfolgreich gespeichert!", "Settings saved successfully!": "Einstellungen erfolgreich gespeichert!",
"Share": "Teilen", "Share": "Teilen",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Prompt für Funktionssystemaufrufe", "Tools Function Calling Prompt": "Prompt für Funktionssystemaufrufe",
"Tools have a function calling system that allows arbitrary code execution.": "Werkzeuge verfügen über ein Funktionssystem, das die Ausführung beliebigen Codes ermöglicht.", "Tools have a function calling system that allows arbitrary code execution.": "Werkzeuge verfügen über ein Funktionssystem, das die Ausführung beliebigen Codes ermöglicht.",
"Tools Public Sharing": "Öffentliche Freigabe von Werkzeugen", "Tools Public Sharing": "Öffentliche Freigabe von Werkzeugen",
"Tools Sharing": "",
"Top K": "Top-K", "Top K": "Top-K",
"Top K Reranker": "Top-K Reranker", "Top K Reranker": "Top-K Reranker",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Pipeline hochladen", "Upload Pipeline": "Pipeline hochladen",
"Upload Progress": "Fortschritt", "Upload Progress": "Fortschritt",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Fortschritt: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Fortschritt: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL wird benötigt", "URL is required": "URL wird benötigt",
"URL Mode": "URL-Modus", "URL Mode": "URL-Modus",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "", "Archived Chats": "",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "", "Default Model": "",
"Default model updated": "Default model much updated", "Default model updated": "Default model much updated",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Default Prompt Suggestions", "Default Prompt Suggestions": "Default Prompt Suggestions",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "", "Delete": "",
"Delete a model": "Delete a model", "Delete a model": "Delete a model",
"Delete All Chats": "", "Delete All Chats": "",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "", "February": "",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Image Engine", "Image Generation Engine": "Image Engine",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum of 3 models can be downloaded simultaneously. Please try again later.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum of 3 models can be downloaded simultaneously. Please try again later.",
"May": "", "May": "",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "", "More": "",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Notifications", "Notifications": "Notifications",
@ -1274,6 +1286,7 @@
"Prompts": "Promptos", "Prompts": "Promptos",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "", "Pull \"{{searchValue}}\" from Ollama.com": "",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Settings much settings", "Settings": "Settings much settings",
"Settings saved successfully!": "Settings saved successfully! Very success!", "Settings saved successfully!": "Settings saved successfully! Very success!",
"Share": "", "Share": "",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K very top", "Top K": "Top K very top",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "Upload Progress much progress", "Upload Progress": "Upload Progress much progress",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "URL Mode much mode", "URL Mode": "URL Mode much mode",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Επιτρέπεται η Συνέχιση Απάντησης", "Allow Continue Response": "Επιτρέπεται η Συνέχιση Απάντησης",
"Allow Delete Messages": "Επιτρέπεται η διαγραφή μηνυμάτων", "Allow Delete Messages": "Επιτρέπεται η διαγραφή μηνυμάτων",
"Allow File Upload": "Επιτρέπεται το Ανέβασμα Αρχείων", "Allow File Upload": "Επιτρέπεται το Ανέβασμα Αρχείων",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Επιτρέπεται η χρήση πολλαπλών μοντέλων στη συνομιλία", "Allow Multiple Models in Chat": "Επιτρέπεται η χρήση πολλαπλών μοντέλων στη συνομιλία",
"Allow non-local voices": "Επιτρέπονται μη τοπικές φωνές", "Allow non-local voices": "Επιτρέπονται μη τοπικές φωνές",
"Allow Rate Response": "Επιτρέπεται η Αξιολόγηση Απάντησης", "Allow Rate Response": "Επιτρέπεται η Αξιολόγηση Απάντησης",
@ -144,6 +145,7 @@
"Archived Chats": "Αρχειοθετημένες Συνομιλίες", "Archived Chats": "Αρχειοθετημένες Συνομιλίες",
"archived-chat-export": "εξαγωγή-αρχείου-συνομιλίας", "archived-chat-export": "εξαγωγή-αρχείου-συνομιλίας",
"Are you sure you want to clear all memories? This action cannot be undone.": "Είστε σίγουροι ότι θέλετε να διαγράψετε όλες τις μνήμες; Αυτή η ενέργεια δεν μπορεί να αναιρεθεί.", "Are you sure you want to clear all memories? This action cannot be undone.": "Είστε σίγουροι ότι θέλετε να διαγράψετε όλες τις μνήμες; Αυτή η ενέργεια δεν μπορεί να αναιρεθεί.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το κανάλι;", "Are you sure you want to delete this channel?": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το κανάλι;",
"Are you sure you want to delete this message?": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το μήνυμα;", "Are you sure you want to delete this message?": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτό το μήνυμα;",
"Are you sure you want to unarchive all archived chats?": "Είστε σίγουροι ότι θέλετε να απο-αρχειοθετήσετε όλες τις αρχειοθετημένες συνομιλίες;", "Are you sure you want to unarchive all archived chats?": "Είστε σίγουροι ότι θέλετε να απο-αρχειοθετήσετε όλες τις αρχειοθετημένες συνομιλίες;",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "Προεπιλεγμένες Λειτουργίες", "Default Features": "Προεπιλεγμένες Λειτουργίες",
"Default Filters": "Προεπιλεγμένα Φίλτρα", "Default Filters": "Προεπιλεγμένα Φίλτρα",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Προεπιλεγμένο Μοντέλο", "Default Model": "Προεπιλεγμένο Μοντέλο",
"Default model updated": "Το προεπιλεγμένο μοντέλο ενημερώθηκε", "Default model updated": "Το προεπιλεγμένο μοντέλο ενημερώθηκε",
"Default Models": "Προεπιλεγμένα Μοντέλα", "Default Models": "Προεπιλεγμένα Μοντέλα",
"Default permissions": "Προεπιλεγμένα δικαιώματα", "Default permissions": "Προεπιλεγμένα δικαιώματα",
"Default permissions updated successfully": "Τα προεπιλεγμένα δικαιώματα ενημερώθηκαν με επιτυχία", "Default permissions updated successfully": "Τα προεπιλεγμένα δικαιώματα ενημερώθηκαν με επιτυχία",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Προεπιλεγμένες Προτεινόμενες Προτροπές", "Default Prompt Suggestions": "Προεπιλεγμένες Προτεινόμενες Προτροπές",
"Default to 389 or 636 if TLS is enabled": "Προεπιλογή στο 389 ή 636 εάν είναι ενεργοποιημένο το TLS", "Default to 389 or 636 if TLS is enabled": "Προεπιλογή στο 389 ή 636 εάν είναι ενεργοποιημένο το TLS",
"Default to ALL": "Προεπιλογή σε ΟΛΑ", "Default to ALL": "Προεπιλογή σε ΟΛΑ",
@ -402,6 +406,7 @@
"Delete": "Διαγραφή", "Delete": "Διαγραφή",
"Delete a model": "Διαγραφή ενός μοντέλου", "Delete a model": "Διαγραφή ενός μοντέλου",
"Delete All Chats": "Διαγραφή Όλων των Συνομιλιών", "Delete All Chats": "Διαγραφή Όλων των Συνομιλιών",
"Delete all contents inside this folder": "",
"Delete All Models": "Διαγραφή Όλων των Μοντέλων", "Delete All Models": "Διαγραφή Όλων των Μοντέλων",
"Delete Chat": "Διαγραφή Συνομιλίας", "Delete Chat": "Διαγραφή Συνομιλίας",
"Delete chat?": "Διαγραφή συνομιλίας;", "Delete chat?": "Διαγραφή συνομιλίας;",
@ -730,6 +735,7 @@
"Features": "Λειτουργίες", "Features": "Λειτουργίες",
"Features Permissions": "", "Features Permissions": "",
"February": "Φεβρουάριος", "February": "Φεβρουάριος",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Ιστορικό Ανατροφοδότησης", "Feedback History": "Ιστορικό Ανατροφοδότησης",
"Feedbacks": "Ανατροφοδοτήσεις", "Feedbacks": "Ανατροφοδοτήσεις",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Το μέγεθος του αρχείου δεν πρέπει να υπερβαίνει τα {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Το μέγεθος του αρχείου δεν πρέπει να υπερβαίνει τα {{maxSize}} MB.",
"File Upload": "Ανέβασμα Αρχείων", "File Upload": "Ανέβασμα Αρχείων",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "Αρχεία", "Files": "Αρχεία",
"Filter": "Φίλτρο", "Filter": "Φίλτρο",
"Filter is now globally disabled": "Το φίλτρο είναι τώρα καθολικά απενεργοποιημένο", "Filter is now globally disabled": "Το φίλτρο είναι τώρα καθολικά απενεργοποιημένο",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "Ύψος Συμπίεσης Εικόνας", "Image Compression Height": "Ύψος Συμπίεσης Εικόνας",
"Image Compression Width": "Πλάτος Συμπίεσης Εικόνας", "Image Compression Width": "Πλάτος Συμπίεσης Εικόνας",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Δημιουργία Εικόνας", "Image Generation": "Δημιουργία Εικόνας",
"Image Generation Engine": "Μηχανή Δημιουργίας Εικόνας", "Image Generation Engine": "Μηχανή Δημιουργίας Εικόνας",
@ -941,6 +949,7 @@
"Knowledge Name": "Όνομα Knowledge", "Knowledge Name": "Όνομα Knowledge",
"Knowledge Public Sharing": "Κοινή χρήση Knowledge", "Knowledge Public Sharing": "Κοινή χρήση Knowledge",
"Knowledge reset successfully.": "Το Knowledge επαναφέρθηκε με επιτυχία.", "Knowledge reset successfully.": "Το Knowledge επαναφέρθηκε με επιτυχία.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Το Knowledge ενημερώθηκε με επιτυχία", "Knowledge updated successfully": "Το Knowledge ενημερώθηκε με επιτυχία",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Μέγιστο Μέγεθος Αρχείου", "Max Upload Size": "Μέγιστο Μέγεθος Αρχείου",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Μέγιστο των 3 μοντέλων μπορούν να κατεβούν ταυτόχρονα. Παρακαλώ δοκιμάστε ξανά αργότερα.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Μέγιστο των 3 μοντέλων μπορούν να κατεβούν ταυτόχρονα. Παρακαλώ δοκιμάστε ξανά αργότερα.",
"May": "Μάιος", "May": "Μάιος",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Η διαμόρφωση των μοντέλων αποθηκεύτηκε με επιτυχία", "Models configuration saved successfully": "Η διαμόρφωση των μοντέλων αποθηκεύτηκε με επιτυχία",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "Κλειδί API Mojeek Search", "Mojeek Search API Key": "Κλειδί API Mojeek Search",
"More": "Περισσότερα", "More": "Περισσότερα",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Σημείωση: Αν ορίσετε ένα ελάχιστο score, η αναζήτηση θα επιστρέψει μόνο έγγραφα με score μεγαλύτερο ή ίσο με το ελάχιστο score.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Σημείωση: Αν ορίσετε ένα ελάχιστο score, η αναζήτηση θα επιστρέψει μόνο έγγραφα με score μεγαλύτερο ή ίσο με το ελάχιστο score.",
"Notes": "Σημειώσεις", "Notes": "Σημειώσεις",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Ήχος Ειδοποίησης", "Notification Sound": "Ήχος Ειδοποίησης",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Ειδοποιήσεις", "Notifications": "Ειδοποιήσεις",
@ -1274,6 +1286,7 @@
"Prompts": "Προτροπές", "Prompts": "Προτροπές",
"Prompts Access": "Πρόσβαση Προτροπών", "Prompts Access": "Πρόσβαση Προτροπών",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Δημόσιο", "Public": "Δημόσιο",
"Pull \"{{searchValue}}\" from Ollama.com": "Τραβήξτε \"{{searchValue}}\" από το Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Τραβήξτε \"{{searchValue}}\" από το Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Ορίζει τις σειρές παύσης που θα χρησιμοποιηθούν. Όταν εντοπιστεί αυτό το μοτίβο, το LLM θα σταματήσει να δημιουργεί κείμενο και θα επιστρέψει. Πολλαπλά μοτίβα παύσης μπορούν να οριστούν καθορίζοντας πολλαπλές ξεχωριστές παραμέτρους παύσης σε ένα αρχείο μοντέλου.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Ορίζει τις σειρές παύσης που θα χρησιμοποιηθούν. Όταν εντοπιστεί αυτό το μοτίβο, το LLM θα σταματήσει να δημιουργεί κείμενο και θα επιστρέψει. Πολλαπλά μοτίβα παύσης μπορούν να οριστούν καθορίζοντας πολλαπλές ξεχωριστές παραμέτρους παύσης σε ένα αρχείο μοντέλου.",
"Setting": "",
"Settings": "Ρυθμίσεις", "Settings": "Ρυθμίσεις",
"Settings saved successfully!": "Οι Ρυθμίσεις αποθηκεύτηκαν με επιτυχία!", "Settings saved successfully!": "Οι Ρυθμίσεις αποθηκεύτηκαν με επιτυχία!",
"Share": "Κοινή Χρήση", "Share": "Κοινή Χρήση",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Προτροπή Κλήσης Εργαλείων Λειτουργιών", "Tools Function Calling Prompt": "Προτροπή Κλήσης Εργαλείων Λειτουργιών",
"Tools have a function calling system that allows arbitrary code execution.": "Τα εργαλεία διαθέτουν ένα σύστημα κλήσης λειτουργιών που επιτρέπει την αυθαίρετη εκτέλεση κώδικα.", "Tools have a function calling system that allows arbitrary code execution.": "Τα εργαλεία διαθέτουν ένα σύστημα κλήσης λειτουργιών που επιτρέπει την αυθαίρετη εκτέλεση κώδικα.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Ανέβασμα Pipeline", "Upload Pipeline": "Ανέβασμα Pipeline",
"Upload Progress": "Πρόοδος Ανεβάσματος", "Upload Progress": "Πρόοδος Ανεβάσματος",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "Το URL είναι απαραίτητο", "URL is required": "Το URL είναι απαραίτητο",
"URL Mode": "Λειτουργία URL", "URL Mode": "Λειτουργία URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "", "Archived Chats": "",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "", "Default Model": "",
"Default model updated": "", "Default model updated": "",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "", "Default Prompt Suggestions": "",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "", "Delete": "",
"Delete a model": "", "Delete a model": "",
"Delete All Chats": "", "Delete All Chats": "",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "", "February": "",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "", "Image Generation Engine": "",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "",
"May": "", "May": "",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "", "More": "",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "", "Notifications": "",
@ -1274,6 +1286,7 @@
"Prompts": "", "Prompts": "",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "", "Pull \"{{searchValue}}\" from Ollama.com": "",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "", "Settings": "",
"Settings saved successfully!": "", "Settings saved successfully!": "",
"Share": "", "Share": "",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "", "Top K": "",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "", "Upload Progress": "",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "", "URL Mode": "",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "", "Archived Chats": "",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "", "Default Model": "",
"Default model updated": "", "Default model updated": "",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "", "Default Prompt Suggestions": "",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "", "Delete": "",
"Delete a model": "", "Delete a model": "",
"Delete All Chats": "", "Delete All Chats": "",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "", "February": "",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "", "Image Generation Engine": "",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "",
"May": "", "May": "",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "", "More": "",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "", "Notifications": "",
@ -1274,6 +1286,7 @@
"Prompts": "", "Prompts": "",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "", "Pull \"{{searchValue}}\" from Ollama.com": "",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "", "Settings": "",
"Settings saved successfully!": "", "Settings saved successfully!": "",
"Share": "", "Share": "",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "", "Top K": "",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "", "Upload Progress": "",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "", "URL Mode": "",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Permitir Continuar Respuesta", "Allow Continue Response": "Permitir Continuar Respuesta",
"Allow Delete Messages": "Permitir Borrar Mensajes", "Allow Delete Messages": "Permitir Borrar Mensajes",
"Allow File Upload": "Permitir Subida de Archivos", "Allow File Upload": "Permitir Subida de Archivos",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Permitir Chat con Múltiples Modelos", "Allow Multiple Models in Chat": "Permitir Chat con Múltiples Modelos",
"Allow non-local voices": "Permitir voces no locales", "Allow non-local voices": "Permitir voces no locales",
"Allow Rate Response": "Permitir Calificar Respuesta", "Allow Rate Response": "Permitir Calificar Respuesta",
@ -144,6 +145,7 @@
"Archived Chats": "Chats archivados", "Archived Chats": "Chats archivados",
"archived-chat-export": "exportar chats archivados", "archived-chat-export": "exportar chats archivados",
"Are you sure you want to clear all memories? This action cannot be undone.": "¿Segur@ de que quieres borrar todas las memorias? (¡esta acción NO se puede deshacer!)", "Are you sure you want to clear all memories? This action cannot be undone.": "¿Segur@ de que quieres borrar todas las memorias? (¡esta acción NO se puede deshacer!)",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "¿Segur@ de que quieres eliminar este canal?", "Are you sure you want to delete this channel?": "¿Segur@ de que quieres eliminar este canal?",
"Are you sure you want to delete this message?": "¿Segur@ de que quieres eliminar este mensaje? ", "Are you sure you want to delete this message?": "¿Segur@ de que quieres eliminar este mensaje? ",
"Are you sure you want to unarchive all archived chats?": "¿Segur@ de que quieres desarchivar todos los chats archivados?", "Are you sure you want to unarchive all archived chats?": "¿Segur@ de que quieres desarchivar todos los chats archivados?",
@ -388,12 +390,14 @@
"Default description enabled": "Descripción predeterminada activada", "Default description enabled": "Descripción predeterminada activada",
"Default Features": "Características Predeterminadas", "Default Features": "Características Predeterminadas",
"Default Filters": "Filtros Predeterminados", "Default Filters": "Filtros Predeterminados",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "El modo predeterminado trabaja con un amplio rango de modelos, llamando a las herramientas una vez antes de la ejecución. El modo nativo aprovecha las capacidades de llamada de herramientas integradas del modelo, pero requiere que el modelo admita inherentemente esta función.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "El modo predeterminado trabaja con un amplio rango de modelos, llamando a las herramientas una vez antes de la ejecución. El modo nativo aprovecha las capacidades de llamada de herramientas integradas del modelo, pero requiere que el modelo admita inherentemente esta función.",
"Default Model": "Modelo Predeterminado", "Default Model": "Modelo Predeterminado",
"Default model updated": "El modelo Predeterminado ha sido actualizado", "Default model updated": "El modelo Predeterminado ha sido actualizado",
"Default Models": "Modelos Predeterminados", "Default Models": "Modelos Predeterminados",
"Default permissions": "Permisos Predeterminados", "Default permissions": "Permisos Predeterminados",
"Default permissions updated successfully": "Permisos predeterminados actualizados correctamente", "Default permissions updated successfully": "Permisos predeterminados actualizados correctamente",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Sugerencias Predeterminadas de Indicador", "Default Prompt Suggestions": "Sugerencias Predeterminadas de Indicador",
"Default to 389 or 636 if TLS is enabled": "Predeterminado a 389, o 636 si TLS está habilitado", "Default to 389 or 636 if TLS is enabled": "Predeterminado a 389, o 636 si TLS está habilitado",
"Default to ALL": "Predeterminado a TODOS", "Default to ALL": "Predeterminado a TODOS",
@ -402,6 +406,7 @@
"Delete": "Borrar", "Delete": "Borrar",
"Delete a model": "Borrar un modelo", "Delete a model": "Borrar un modelo",
"Delete All Chats": "Borrar todos los chats", "Delete All Chats": "Borrar todos los chats",
"Delete all contents inside this folder": "",
"Delete All Models": "Borrar todos los modelos", "Delete All Models": "Borrar todos los modelos",
"Delete Chat": "Borrar Chat", "Delete Chat": "Borrar Chat",
"Delete chat?": "¿Borrar el chat?", "Delete chat?": "¿Borrar el chat?",
@ -730,6 +735,7 @@
"Features": "Características", "Features": "Características",
"Features Permissions": "Permisos de las Características", "Features Permissions": "Permisos de las Características",
"February": "Febrero", "February": "Febrero",
"Feedback deleted successfully": "",
"Feedback Details": "Detalle de la Opinión", "Feedback Details": "Detalle de la Opinión",
"Feedback History": "Historia de la Opiniones", "Feedback History": "Historia de la Opiniones",
"Feedbacks": "Opiniones", "Feedbacks": "Opiniones",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Tamaño del archivo no debe exceder {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Tamaño del archivo no debe exceder {{maxSize}} MB.",
"File Upload": "Subir Archivo", "File Upload": "Subir Archivo",
"File uploaded successfully": "Archivo subido correctamente", "File uploaded successfully": "Archivo subido correctamente",
"File uploaded!": "",
"Files": "Archivos", "Files": "Archivos",
"Filter": "Filtro", "Filter": "Filtro",
"Filter is now globally disabled": "El filtro ahora está desactivado globalmente", "Filter is now globally disabled": "El filtro ahora está desactivado globalmente",
@ -857,6 +864,7 @@
"Image Compression": "Compresión de Imagen", "Image Compression": "Compresión de Imagen",
"Image Compression Height": "Alto en Compresión de Imagen", "Image Compression Height": "Alto en Compresión de Imagen",
"Image Compression Width": "Ancho en Compresión de Imagen", "Image Compression Width": "Ancho en Compresión de Imagen",
"Image Edit": "",
"Image Edit Engine": "Motor del Editor de Imágenes", "Image Edit Engine": "Motor del Editor de Imágenes",
"Image Generation": "Generación de Imagen", "Image Generation": "Generación de Imagen",
"Image Generation Engine": "Motor de Generación de Imagen", "Image Generation Engine": "Motor de Generación de Imagen",
@ -941,6 +949,7 @@
"Knowledge Name": "Nombre del Conocimiento", "Knowledge Name": "Nombre del Conocimiento",
"Knowledge Public Sharing": "Compartir Conocimiento Públicamente", "Knowledge Public Sharing": "Compartir Conocimiento Públicamente",
"Knowledge reset successfully.": "Conocimiento restablecido correctamente.", "Knowledge reset successfully.": "Conocimiento restablecido correctamente.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Conocimiento actualizado correctamente.", "Knowledge updated successfully": "Conocimiento actualizado correctamente.",
"Kokoro.js (Browser)": "Kokoro.js (Navegador)", "Kokoro.js (Browser)": "Kokoro.js (Navegador)",
"Kokoro.js Dtype": "Kokoro.js DType", "Kokoro.js Dtype": "Kokoro.js DType",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Tamaño Max de Subidas", "Max Upload Size": "Tamaño Max de Subidas",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Se puede descargar un máximo de 3 modelos simultáneamente. Por favor, reinténtelo más tarde.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Se puede descargar un máximo de 3 modelos simultáneamente. Por favor, reinténtelo más tarde.",
"May": "Mayo", "May": "Mayo",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El soporte de MCP es experimental y su especificación cambia con frecuencia, lo que puede generar incompatibilidades. El equipo de Open WebUI mantiene directamente la compatibilidad con la especificación OpenAPI, lo que la convierte en la opción más fiable para la compatibilidad.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El soporte de MCP es experimental y su especificación cambia con frecuencia, lo que puede generar incompatibilidades. El equipo de Open WebUI mantiene directamente la compatibilidad con la especificación OpenAPI, lo que la convierte en la opción más fiable para la compatibilidad.",
"Medium": "Medio", "Medium": "Medio",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Configuración de Modelos guardada correctamente", "Models configuration saved successfully": "Configuración de Modelos guardada correctamente",
"Models imported successfully": "Modelos importados correctamente", "Models imported successfully": "Modelos importados correctamente",
"Models Public Sharing": "Compartir Modelos Públicamente", "Models Public Sharing": "Compartir Modelos Públicamente",
"Models Sharing": "",
"Mojeek Search API Key": "Clave API de Mojeek Search", "Mojeek Search API Key": "Clave API de Mojeek Search",
"More": "Más", "More": "Más",
"More Concise": "Más Conciso", "More Concise": "Más Conciso",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Si estableces una puntuación mínima, la búsqueda sólo devolverá documentos con una puntuación mayor o igual a la puntuación mínima establecida.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Si estableces una puntuación mínima, la búsqueda sólo devolverá documentos con una puntuación mayor o igual a la puntuación mínima establecida.",
"Notes": "Notas", "Notes": "Notas",
"Notes Public Sharing": "Compartir Notas Publicamente", "Notes Public Sharing": "Compartir Notas Publicamente",
"Notes Sharing": "",
"Notification Sound": "Notificación Sonora", "Notification Sound": "Notificación Sonora",
"Notification Webhook": "Notificación Enganchada (webhook)", "Notification Webhook": "Notificación Enganchada (webhook)",
"Notifications": "Notificaciones", "Notifications": "Notificaciones",
@ -1274,6 +1286,7 @@
"Prompts": "Indicadores", "Prompts": "Indicadores",
"Prompts Access": "Acceso a Indicadores", "Prompts Access": "Acceso a Indicadores",
"Prompts Public Sharing": "Compartir Indicadores Públicamente", "Prompts Public Sharing": "Compartir Indicadores Públicamente",
"Prompts Sharing": "",
"Provider Type": "Tipo de Proveedor", "Provider Type": "Tipo de Proveedor",
"Public": "Público", "Public": "Público",
"Pull \"{{searchValue}}\" from Ollama.com": "Extraer \"{{searchValue}}\" desde Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Extraer \"{{searchValue}}\" desde Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Establece la semilla de números aleatorios a usar para la generación. Establecer esto en un número específico hará que el modelo genere el mismo texto para el mismo indicador(prompt).", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Establece la semilla de números aleatorios a usar para la generación. Establecer esto en un número específico hará que el modelo genere el mismo texto para el mismo indicador(prompt).",
"Sets the size of the context window used to generate the next token.": "Establece el tamaño de la ventana del contexto utilizada para generar el siguiente token.", "Sets the size of the context window used to generate the next token.": "Establece el tamaño de la ventana del contexto utilizada para generar el siguiente token.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Establece las secuencias de parada a usar. Cuando se encuentre este patrón, el LLM dejará de generar texto y retornará. Se pueden establecer varios patrones de parada especificando separadamente múltiples parámetros de parada en un archivo de modelo.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Establece las secuencias de parada a usar. Cuando se encuentre este patrón, el LLM dejará de generar texto y retornará. Se pueden establecer varios patrones de parada especificando separadamente múltiples parámetros de parada en un archivo de modelo.",
"Setting": "",
"Settings": "Ajustes", "Settings": "Ajustes",
"Settings saved successfully!": "¡Ajustes guardados correctamente!", "Settings saved successfully!": "¡Ajustes guardados correctamente!",
"Share": "Compartir", "Share": "Compartir",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "Indicador para la Función de Llamada a las Herramientas", "Tools Function Calling Prompt": "Indicador para la Función de Llamada a las Herramientas",
"Tools have a function calling system that allows arbitrary code execution.": "Las herramientas tienen un sistema de llamada de funciones que permite la ejecución de código arbitrario.", "Tools have a function calling system that allows arbitrary code execution.": "Las herramientas tienen un sistema de llamada de funciones que permite la ejecución de código arbitrario.",
"Tools Public Sharing": "Compartir Herramientas Publicamente", "Tools Public Sharing": "Compartir Herramientas Publicamente",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Reclasificador", "Top K Reranker": "Top K Reclasificador",
"Transformers": "Transformadores", "Transformers": "Transformadores",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Subir Tubería", "Upload Pipeline": "Subir Tubería",
"Upload Progress": "Progreso de la Subida", "Upload Progress": "Progreso de la Subida",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progreso de la Subida: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progreso de la Subida: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "La URL es requerida", "URL is required": "La URL es requerida",
"URL Mode": "Modo URL", "URL Mode": "Modo URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Luba vastuse jätkamine", "Allow Continue Response": "Luba vastuse jätkamine",
"Allow Delete Messages": "Luba sõnumite kustutamine", "Allow Delete Messages": "Luba sõnumite kustutamine",
"Allow File Upload": "Luba failide üleslaadimine", "Allow File Upload": "Luba failide üleslaadimine",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Luba mitu mudelit vestluses", "Allow Multiple Models in Chat": "Luba mitu mudelit vestluses",
"Allow non-local voices": "Luba mitte-lokaalsed hääled", "Allow non-local voices": "Luba mitte-lokaalsed hääled",
"Allow Rate Response": "Luba vastuse hindamine", "Allow Rate Response": "Luba vastuse hindamine",
@ -144,6 +145,7 @@
"Archived Chats": "Arhiveeritud vestlused", "Archived Chats": "Arhiveeritud vestlused",
"archived-chat-export": "arhiveeritud-vestluste-eksport", "archived-chat-export": "arhiveeritud-vestluste-eksport",
"Are you sure you want to clear all memories? This action cannot be undone.": "Kas olete kindel, et soovite kustutada kõik mälestused? Seda toimingut ei saa tagasi võtta.", "Are you sure you want to clear all memories? This action cannot be undone.": "Kas olete kindel, et soovite kustutada kõik mälestused? Seda toimingut ei saa tagasi võtta.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Kas olete kindel, et soovite selle kanali kustutada?", "Are you sure you want to delete this channel?": "Kas olete kindel, et soovite selle kanali kustutada?",
"Are you sure you want to delete this message?": "Kas olete kindel, et soovite selle sõnumi kustutada?", "Are you sure you want to delete this message?": "Kas olete kindel, et soovite selle sõnumi kustutada?",
"Are you sure you want to unarchive all archived chats?": "Kas olete kindel, et soovite kõik arhiveeritud vestlused arhiivist eemaldada?", "Are you sure you want to unarchive all archived chats?": "Kas olete kindel, et soovite kõik arhiveeritud vestlused arhiivist eemaldada?",
@ -388,12 +390,14 @@
"Default description enabled": "Vaikekirjeldus lubatud", "Default description enabled": "Vaikekirjeldus lubatud",
"Default Features": "Vaikefunktsioonid", "Default Features": "Vaikefunktsioonid",
"Default Filters": "Vaikimisi filtrid", "Default Filters": "Vaikimisi filtrid",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Vaikimisi mode works koos a wider range - mudelid autor calling tööriista once before execution. Native mode leverages the mudelid built-in tool-calling capabilities, but requires the mudel kuni inherently support this funktsioon.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Vaikimisi mode works koos a wider range - mudelid autor calling tööriista once before execution. Native mode leverages the mudelid built-in tool-calling capabilities, but requires the mudel kuni inherently support this funktsioon.",
"Default Model": "Vaikimisi mudel", "Default Model": "Vaikimisi mudel",
"Default model updated": "Vaikimisi mudel uuendatud", "Default model updated": "Vaikimisi mudel uuendatud",
"Default Models": "Vaikimisi mudelid", "Default Models": "Vaikimisi mudelid",
"Default permissions": "Vaikimisi õigused", "Default permissions": "Vaikimisi õigused",
"Default permissions updated successfully": "Vaikimisi õigused edukalt uuendatud", "Default permissions updated successfully": "Vaikimisi õigused edukalt uuendatud",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Vaikimisi vihjete soovitused", "Default Prompt Suggestions": "Vaikimisi vihjete soovitused",
"Default to 389 or 636 if TLS is enabled": "Vaikimisi 389 või 636, kui TLS on lubatud", "Default to 389 or 636 if TLS is enabled": "Vaikimisi 389 või 636, kui TLS on lubatud",
"Default to ALL": "Vaikimisi KÕIK", "Default to ALL": "Vaikimisi KÕIK",
@ -402,6 +406,7 @@
"Delete": "Kustuta", "Delete": "Kustuta",
"Delete a model": "Kustuta mudel", "Delete a model": "Kustuta mudel",
"Delete All Chats": "Kustuta kõik vestlused", "Delete All Chats": "Kustuta kõik vestlused",
"Delete all contents inside this folder": "",
"Delete All Models": "Kustuta kõik mudelid", "Delete All Models": "Kustuta kõik mudelid",
"Delete Chat": "Kustuta vestlus", "Delete Chat": "Kustuta vestlus",
"Delete chat?": "Kustutada vestlus?", "Delete chat?": "Kustutada vestlus?",
@ -730,6 +735,7 @@
"Features": "Funktsioonid", "Features": "Funktsioonid",
"Features Permissions": "Funktsioonide õigused", "Features Permissions": "Funktsioonide õigused",
"February": "Veebruar", "February": "Veebruar",
"Feedback deleted successfully": "",
"Feedback Details": "Tagasiside Details", "Feedback Details": "Tagasiside Details",
"Feedback History": "Tagasiside ajalugu", "Feedback History": "Tagasiside ajalugu",
"Feedbacks": "Tagasisided", "Feedbacks": "Tagasisided",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Faili suurus ei tohiks ületada {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Faili suurus ei tohiks ületada {{maxSize}} MB.",
"File Upload": "Faili üleslaadimine", "File Upload": "Faili üleslaadimine",
"File uploaded successfully": "Fail edukalt üles laaditud", "File uploaded successfully": "Fail edukalt üles laaditud",
"File uploaded!": "",
"Files": "Failid", "Files": "Failid",
"Filter": "Filter", "Filter": "Filter",
"Filter is now globally disabled": "Filter on nüüd globaalselt keelatud", "Filter is now globally disabled": "Filter on nüüd globaalselt keelatud",
@ -857,6 +864,7 @@
"Image Compression": "Pildi tihendamine", "Image Compression": "Pildi tihendamine",
"Image Compression Height": "Pilditihenduse kõrgus", "Image Compression Height": "Pilditihenduse kõrgus",
"Image Compression Width": "Pilditihenduse laius", "Image Compression Width": "Pilditihenduse laius",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Pildi genereerimine", "Image Generation": "Pildi genereerimine",
"Image Generation Engine": "Pildi genereerimise mootor", "Image Generation Engine": "Pildi genereerimise mootor",
@ -941,6 +949,7 @@
"Knowledge Name": "Teadmiste nimi", "Knowledge Name": "Teadmiste nimi",
"Knowledge Public Sharing": "Teadmiste avalik jagamine", "Knowledge Public Sharing": "Teadmiste avalik jagamine",
"Knowledge reset successfully.": "Teadmised edukalt lähtestatud.", "Knowledge reset successfully.": "Teadmised edukalt lähtestatud.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Teadmised edukalt uuendatud", "Knowledge updated successfully": "Teadmised edukalt uuendatud",
"Kokoro.js (Browser)": "Kokoro.js (brauser)", "Kokoro.js (Browser)": "Kokoro.js (brauser)",
"Kokoro.js Dtype": "Kokoro.js andmetüüp", "Kokoro.js Dtype": "Kokoro.js andmetüüp",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maksimaalne üleslaadimise suurus", "Max Upload Size": "Maksimaalne üleslaadimise suurus",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Korraga saab alla laadida maksimaalselt 3 mudelit. Palun proovige hiljem uuesti.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Korraga saab alla laadida maksimaalselt 3 mudelit. Palun proovige hiljem uuesti.",
"May": "Mai", "May": "Mai",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP support is katsetuslik ja its specification changes often, which can lead kuni incompatibilities. OpenAPI specification support is directly maintained autor the Ava WebUI team, making it the more reliable option for compatibility.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP support is katsetuslik ja its specification changes often, which can lead kuni incompatibilities. OpenAPI specification support is directly maintained autor the Ava WebUI team, making it the more reliable option for compatibility.",
"Medium": "Keskmine", "Medium": "Keskmine",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Mudelite seadistus edukalt salvestatud", "Models configuration saved successfully": "Mudelite seadistus edukalt salvestatud",
"Models imported successfully": "Mudelid edukalt imporditud", "Models imported successfully": "Mudelid edukalt imporditud",
"Models Public Sharing": "Mudelite avalik jagamine", "Models Public Sharing": "Mudelite avalik jagamine",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API võti", "Mojeek Search API Key": "Mojeek Search API võti",
"More": "Rohkem", "More": "Rohkem",
"More Concise": "Kokkuvõtlikum", "More Concise": "Kokkuvõtlikum",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Märkus: kui määrate minimaalse skoori, tagastab otsing ainult dokumendid, mille skoor on suurem või võrdne minimaalse skooriga.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Märkus: kui määrate minimaalse skoori, tagastab otsing ainult dokumendid, mille skoor on suurem või võrdne minimaalse skooriga.",
"Notes": "Märkmed", "Notes": "Märkmed",
"Notes Public Sharing": "Märkmed Avalik Sharing", "Notes Public Sharing": "Märkmed Avalik Sharing",
"Notes Sharing": "",
"Notification Sound": "Teavituse heli", "Notification Sound": "Teavituse heli",
"Notification Webhook": "Teavituse webhook", "Notification Webhook": "Teavituse webhook",
"Notifications": "Teavitused", "Notifications": "Teavitused",
@ -1274,6 +1286,7 @@
"Prompts": "Vihjed", "Prompts": "Vihjed",
"Prompts Access": "Vihjete juurdepääs", "Prompts Access": "Vihjete juurdepääs",
"Prompts Public Sharing": "Prompts Avalik Sharing", "Prompts Public Sharing": "Prompts Avalik Sharing",
"Prompts Sharing": "",
"Provider Type": "Provider Type", "Provider Type": "Provider Type",
"Public": "Avalik", "Public": "Avalik",
"Pull \"{{searchValue}}\" from Ollama.com": "Tõmba \"{{searchValue}}\" Ollama.com-ist", "Pull \"{{searchValue}}\" from Ollama.com": "Tõmba \"{{searchValue}}\" Ollama.com-ist",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Määrab genereerimiseks kasutatava juhusliku arvu seemne. Selle määramine kindlale numbrile paneb mudeli genereerima sama teksti sama vihje korral.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Määrab genereerimiseks kasutatava juhusliku arvu seemne. Selle määramine kindlale numbrile paneb mudeli genereerima sama teksti sama vihje korral.",
"Sets the size of the context window used to generate the next token.": "Määrab järgmise tokeni genereerimiseks kasutatava konteksti akna suuruse.", "Sets the size of the context window used to generate the next token.": "Määrab järgmise tokeni genereerimiseks kasutatava konteksti akna suuruse.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Määrab kasutatavad lõpetamise järjestused. Kui see muster kohatakse, lõpetab LLM teksti genereerimise ja tagastab. Mitme lõpetamise mustri saab määrata, täpsustades modelfile'is mitu eraldi lõpetamise parameetrit.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Määrab kasutatavad lõpetamise järjestused. Kui see muster kohatakse, lõpetab LLM teksti genereerimise ja tagastab. Mitme lõpetamise mustri saab määrata, täpsustades modelfile'is mitu eraldi lõpetamise parameetrit.",
"Setting": "",
"Settings": "Seaded", "Settings": "Seaded",
"Settings saved successfully!": "Seaded edukalt salvestatud!", "Settings saved successfully!": "Seaded edukalt salvestatud!",
"Share": "Jaga", "Share": "Jaga",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Tööriistade funktsioonide kutsumise vihje", "Tools Function Calling Prompt": "Tööriistade funktsioonide kutsumise vihje",
"Tools have a function calling system that allows arbitrary code execution.": "Tööriistadel on funktsioonide kutsumise süsteem, mis võimaldab suvalise koodi täitmist.", "Tools have a function calling system that allows arbitrary code execution.": "Tööriistadel on funktsioonide kutsumise süsteem, mis võimaldab suvalise koodi täitmist.",
"Tools Public Sharing": "Tööriista Avalik Sharing", "Tools Public Sharing": "Tööriista Avalik Sharing",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Reranker", "Top K Reranker": "Top K Reranker",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Laadi torustik üles", "Upload Pipeline": "Laadi torustik üles",
"Upload Progress": "Üleslaadimise progress", "Upload Progress": "Üleslaadimise progress",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Laadi Edenemine: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Laadi Edenemine: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL is required", "URL is required": "URL is required",
"URL Mode": "URL režiim", "URL Mode": "URL režiim",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Baimendu Fitxategiak Igotzea", "Allow File Upload": "Baimendu Fitxategiak Igotzea",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Baimendu urruneko ahotsak", "Allow non-local voices": "Baimendu urruneko ahotsak",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Artxibatutako Txatak", "Archived Chats": "Artxibatutako Txatak",
"archived-chat-export": "artxibatutako-txat-esportazioa", "archived-chat-export": "artxibatutako-txat-esportazioa",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "Ziur zaude artxibatutako txat guztiak desartxibatu nahi dituzula?", "Are you sure you want to unarchive all archived chats?": "Ziur zaude artxibatutako txat guztiak desartxibatu nahi dituzula?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Eredu Lehenetsia", "Default Model": "Eredu Lehenetsia",
"Default model updated": "Eredu lehenetsia eguneratu da", "Default model updated": "Eredu lehenetsia eguneratu da",
"Default Models": "Eredu Lehenetsiak", "Default Models": "Eredu Lehenetsiak",
"Default permissions": "Baimen lehenetsiak", "Default permissions": "Baimen lehenetsiak",
"Default permissions updated successfully": "Baimen lehenetsiak ongi eguneratu dira", "Default permissions updated successfully": "Baimen lehenetsiak ongi eguneratu dira",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Prompt Iradokizun Lehenetsiak", "Default Prompt Suggestions": "Prompt Iradokizun Lehenetsiak",
"Default to 389 or 636 if TLS is enabled": "Lehenetsi 389 edo 636 TLS gaituta badago", "Default to 389 or 636 if TLS is enabled": "Lehenetsi 389 edo 636 TLS gaituta badago",
"Default to ALL": "Lehenetsi GUZTIAK", "Default to ALL": "Lehenetsi GUZTIAK",
@ -402,6 +406,7 @@
"Delete": "Ezabatu", "Delete": "Ezabatu",
"Delete a model": "Ezabatu eredu bat", "Delete a model": "Ezabatu eredu bat",
"Delete All Chats": "Ezabatu Txat Guztiak", "Delete All Chats": "Ezabatu Txat Guztiak",
"Delete all contents inside this folder": "",
"Delete All Models": "Ezabatu Eredu Guztiak", "Delete All Models": "Ezabatu Eredu Guztiak",
"Delete Chat": "Ezabatu Txata", "Delete Chat": "Ezabatu Txata",
"Delete chat?": "Ezabatu txata?", "Delete chat?": "Ezabatu txata?",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Otsaila", "February": "Otsaila",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Feedbacken Historia", "Feedback History": "Feedbacken Historia",
"Feedbacks": "Feedbackak", "Feedbacks": "Feedbackak",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Fitxategiaren tamainak ez luke {{maxSize}} MB gainditu behar.", "File size should not exceed {{maxSize}} MB.": "Fitxategiaren tamainak ez luke {{maxSize}} MB gainditu behar.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "Fitxategiak", "Files": "Fitxategiak",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Iragazkia orain globalki desgaituta dago", "Filter is now globally disabled": "Iragazkia orain globalki desgaituta dago",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Irudi Sorkuntza Motorea", "Image Generation Engine": "Irudi Sorkuntza Motorea",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "Ezagutza ongi berrezarri da.", "Knowledge reset successfully.": "Ezagutza ongi berrezarri da.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Ezagutza ongi eguneratu da.", "Knowledge updated successfully": "Ezagutza ongi eguneratu da.",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Karga tamaina maximoa", "Max Upload Size": "Karga tamaina maximoa",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Gehienez 3 modelo deskarga daitezke aldi berean. Saiatu berriro geroago.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Gehienez 3 modelo deskarga daitezke aldi berean. Saiatu berriro geroago.",
"May": "Maiatza", "May": "Maiatza",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Modeloen konfigurazioa ongi gorde da", "Models configuration saved successfully": "Modeloen konfigurazioa ongi gorde da",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek bilaketa API gakoa", "Mojeek Search API Key": "Mojeek bilaketa API gakoa",
"More": "Gehiago", "More": "Gehiago",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Oharra: Gutxieneko puntuazio bat ezartzen baduzu, bilaketak gutxieneko puntuazioa baino handiagoa edo berdina duten dokumentuak soilik itzuliko ditu.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Oharra: Gutxieneko puntuazio bat ezartzen baduzu, bilaketak gutxieneko puntuazioa baino handiagoa edo berdina duten dokumentuak soilik itzuliko ditu.",
"Notes": "Oharrak", "Notes": "Oharrak",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Jakinarazpenak", "Notifications": "Jakinarazpenak",
@ -1274,6 +1286,7 @@
"Prompts": "Prompt-ak", "Prompts": "Prompt-ak",
"Prompts Access": "Prompt sarbidea", "Prompts Access": "Prompt sarbidea",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ekarri \"{{searchValue}}\" Ollama.com-etik", "Pull \"{{searchValue}}\" from Ollama.com": "Ekarri \"{{searchValue}}\" Ollama.com-etik",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Ezartzen ditu erabiliko diren gelditzeko sekuentziak. Patroi hau aurkitzen denean, LLMak testua sortzeari utziko dio eta itzuli egingo da. Gelditzeko patroi anitz ezar daitezke modelfile batean gelditzeko parametro anitz zehaztuz.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Ezartzen ditu erabiliko diren gelditzeko sekuentziak. Patroi hau aurkitzen denean, LLMak testua sortzeari utziko dio eta itzuli egingo da. Gelditzeko patroi anitz ezar daitezke modelfile batean gelditzeko parametro anitz zehaztuz.",
"Setting": "",
"Settings": "Ezarpenak", "Settings": "Ezarpenak",
"Settings saved successfully!": "Ezarpenak ongi gorde dira!", "Settings saved successfully!": "Ezarpenak ongi gorde dira!",
"Share": "Partekatu", "Share": "Partekatu",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "Tresnek kode arbitrarioa exekutatzeko aukera ematen duen funtzio deitzeko sistema dute.", "Tools have a function calling system that allows arbitrary code execution.": "Tresnek kode arbitrarioa exekutatzeko aukera ematen duen funtzio deitzeko sistema dute.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Goiko K", "Top K": "Goiko K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Transformatzaileak", "Transformers": "Transformatzaileak",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Kargatu Pipeline-a", "Upload Pipeline": "Kargatu Pipeline-a",
"Upload Progress": "Kargaren aurrerapena", "Upload Progress": "Kargaren aurrerapena",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URLa", "URL": "URLa",
"URL is required": "", "URL is required": "",
"URL Mode": "URL modua", "URL Mode": "URL modua",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "مجاز کردن ادامه پاسخ", "Allow Continue Response": "مجاز کردن ادامه پاسخ",
"Allow Delete Messages": "مجاز کردن حذف پیام\u200cها", "Allow Delete Messages": "مجاز کردن حذف پیام\u200cها",
"Allow File Upload": "اجازه بارگذاری فایل", "Allow File Upload": "اجازه بارگذاری فایل",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "اجازه استفاده از چند مدل در گفتگو", "Allow Multiple Models in Chat": "اجازه استفاده از چند مدل در گفتگو",
"Allow non-local voices": "اجازه صداهای غیر محلی", "Allow non-local voices": "اجازه صداهای غیر محلی",
"Allow Rate Response": "مجاز کردن امتیازدهی به پاسخ", "Allow Rate Response": "مجاز کردن امتیازدهی به پاسخ",
@ -144,6 +145,7 @@
"Archived Chats": "گفتگوهای بایگانی\u200cشده", "Archived Chats": "گفتگوهای بایگانی\u200cشده",
"archived-chat-export": "خروجی-گفتگوی-بایگانی-شده", "archived-chat-export": "خروجی-گفتگوی-بایگانی-شده",
"Are you sure you want to clear all memories? This action cannot be undone.": "آیا مطمئن هستید که می\u200cخواهید تمام حافظه\u200cها را پاک کنید؟ این عمل قابل بازگشت نیست.", "Are you sure you want to clear all memories? This action cannot be undone.": "آیا مطمئن هستید که می\u200cخواهید تمام حافظه\u200cها را پاک کنید؟ این عمل قابل بازگشت نیست.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "آیا مطمئن هستید که می\u200cخواهید این کانال را حذف کنید؟", "Are you sure you want to delete this channel?": "آیا مطمئن هستید که می\u200cخواهید این کانال را حذف کنید؟",
"Are you sure you want to delete this message?": "آیا مطمئن هستید که می\u200cخواهید این پیام را حذف کنید؟", "Are you sure you want to delete this message?": "آیا مطمئن هستید که می\u200cخواهید این پیام را حذف کنید؟",
"Are you sure you want to unarchive all archived chats?": "آیا مطمئن هستید که می\u200cخواهید همه گفتگوهای بایگانی شده را از بایگانی خارج کنید؟", "Are you sure you want to unarchive all archived chats?": "آیا مطمئن هستید که می\u200cخواهید همه گفتگوهای بایگانی شده را از بایگانی خارج کنید؟",
@ -388,12 +390,14 @@
"Default description enabled": "توضیحات پیش\u200cفرض فعال شد", "Default description enabled": "توضیحات پیش\u200cفرض فعال شد",
"Default Features": "ویژگی\u200cهای پیش\u200cفرض", "Default Features": "ویژگی\u200cهای پیش\u200cفرض",
"Default Filters": "فیلترهای پیش\u200cفرض", "Default Filters": "فیلترهای پیش\u200cفرض",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "حالت پیش\u200cفرض با فراخوانی ابزارها یک بار قبل از اجرا، با طیف وسیع\u200cتری از مدل\u200cها کار می\u200cکند. حالت بومی از قابلیت\u200cهای داخلی فراخوانی ابزار مدل استفاده می\u200cکند، اما مدل باید به طور ذاتی این ویژگی را پشتیبانی کند.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "حالت پیش\u200cفرض با فراخوانی ابزارها یک بار قبل از اجرا، با طیف وسیع\u200cتری از مدل\u200cها کار می\u200cکند. حالت بومی از قابلیت\u200cهای داخلی فراخوانی ابزار مدل استفاده می\u200cکند، اما مدل باید به طور ذاتی این ویژگی را پشتیبانی کند.",
"Default Model": "مدل پیشفرض", "Default Model": "مدل پیشفرض",
"Default model updated": "مدل پیشفرض به\u200cروزرسانی شد", "Default model updated": "مدل پیشفرض به\u200cروزرسانی شد",
"Default Models": "مدل\u200cهای پیش\u200cفرض", "Default Models": "مدل\u200cهای پیش\u200cفرض",
"Default permissions": "مجوزهای پیش\u200cفرض", "Default permissions": "مجوزهای پیش\u200cفرض",
"Default permissions updated successfully": "مجوزهای پیش\u200cفرض با موفقیت به\u200cروز شدند", "Default permissions updated successfully": "مجوزهای پیش\u200cفرض با موفقیت به\u200cروز شدند",
"Default Pinned Models": "",
"Default Prompt Suggestions": "پیشنهادات پرامپت پیش فرض", "Default Prompt Suggestions": "پیشنهادات پرامپت پیش فرض",
"Default to 389 or 636 if TLS is enabled": "پیش\u200cفرض به 389 یا 636 اگر TLS فعال باشد", "Default to 389 or 636 if TLS is enabled": "پیش\u200cفرض به 389 یا 636 اگر TLS فعال باشد",
"Default to ALL": "پیش\u200cفرض به همه", "Default to ALL": "پیش\u200cفرض به همه",
@ -402,6 +406,7 @@
"Delete": "حذف", "Delete": "حذف",
"Delete a model": "حذف یک مدل", "Delete a model": "حذف یک مدل",
"Delete All Chats": "حذف همه گفتگوها", "Delete All Chats": "حذف همه گفتگوها",
"Delete all contents inside this folder": "",
"Delete All Models": "حذف همه مدل\u200cها", "Delete All Models": "حذف همه مدل\u200cها",
"Delete Chat": "حذف گپ", "Delete Chat": "حذف گپ",
"Delete chat?": "گفتگو حذف شود؟", "Delete chat?": "گفتگو حذف شود؟",
@ -730,6 +735,7 @@
"Features": "ویژگی\u200cها", "Features": "ویژگی\u200cها",
"Features Permissions": "مجوزهای ویژگی\u200cها", "Features Permissions": "مجوزهای ویژگی\u200cها",
"February": "فوریه", "February": "فوریه",
"Feedback deleted successfully": "",
"Feedback Details": "جزئیات بازخورد", "Feedback Details": "جزئیات بازخورد",
"Feedback History": "تاریخچهٔ بازخورد", "Feedback History": "تاریخچهٔ بازخورد",
"Feedbacks": "بازخوردها", "Feedbacks": "بازخوردها",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "حجم پرونده نبایستی از {{maxSize}} MB بیشتر باشد.", "File size should not exceed {{maxSize}} MB.": "حجم پرونده نبایستی از {{maxSize}} MB بیشتر باشد.",
"File Upload": "آپلود فایل", "File Upload": "آپلود فایل",
"File uploaded successfully": "پرونده با موفقیت بارگذاری شد", "File uploaded successfully": "پرونده با موفقیت بارگذاری شد",
"File uploaded!": "",
"Files": "پرونده\u200cها", "Files": "پرونده\u200cها",
"Filter": "فیلتر", "Filter": "فیلتر",
"Filter is now globally disabled": "فیلتر به صورت سراسری غیرفعال شد", "Filter is now globally disabled": "فیلتر به صورت سراسری غیرفعال شد",
@ -857,6 +864,7 @@
"Image Compression": "فشرده\u200cسازی تصویر", "Image Compression": "فشرده\u200cسازی تصویر",
"Image Compression Height": "ارتفاع فشرده\u200cسازی تصویر", "Image Compression Height": "ارتفاع فشرده\u200cسازی تصویر",
"Image Compression Width": "عرض فشرده\u200cسازی تصویر", "Image Compression Width": "عرض فشرده\u200cسازی تصویر",
"Image Edit": "",
"Image Edit Engine": "موتور ویرایش تصویر", "Image Edit Engine": "موتور ویرایش تصویر",
"Image Generation": "تولید تصویر", "Image Generation": "تولید تصویر",
"Image Generation Engine": "موتور تولید تصویر", "Image Generation Engine": "موتور تولید تصویر",
@ -941,6 +949,7 @@
"Knowledge Name": "نام دانش", "Knowledge Name": "نام دانش",
"Knowledge Public Sharing": "اشتراک\u200cگذاری عمومی دانش", "Knowledge Public Sharing": "اشتراک\u200cگذاری عمومی دانش",
"Knowledge reset successfully.": "دانش با موفقیت بازنشانی شد.", "Knowledge reset successfully.": "دانش با موفقیت بازنشانی شد.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "دانش با موفقیت به\u200cروز شد", "Knowledge updated successfully": "دانش با موفقیت به\u200cروز شد",
"Kokoro.js (Browser)": "Kokoro.js (مرورگر)", "Kokoro.js (Browser)": "Kokoro.js (مرورگر)",
"Kokoro.js Dtype": "نوع داده Kokoro.js", "Kokoro.js Dtype": "نوع داده Kokoro.js",
@ -1006,6 +1015,7 @@
"Max Upload Size": "حداکثر اندازه آپلود", "Max Upload Size": "حداکثر اندازه آپلود",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "حداکثر 3 مدل را می توان به طور همزمان دانلود کرد. لطفاً بعداً دوباره امتحان کنید.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "حداکثر 3 مدل را می توان به طور همزمان دانلود کرد. لطفاً بعداً دوباره امتحان کنید.",
"May": "ماهی", "May": "ماهی",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "پشتیبانی MCP آزمایشی است و مشخصات آن اغلب تغییر می\u200cکند، که می\u200cتواند منجر به ناسازگاری شود. پشتیبانی از مشخصات OpenAPI مستقیماً توسط تیم Open WebUI نگهداری می\u200cشود و آن را به گزینه قابل اعتماد\u200cتری برای سازگاری تبدیل می\u200cکند.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "پشتیبانی MCP آزمایشی است و مشخصات آن اغلب تغییر می\u200cکند، که می\u200cتواند منجر به ناسازگاری شود. پشتیبانی از مشخصات OpenAPI مستقیماً توسط تیم Open WebUI نگهداری می\u200cشود و آن را به گزینه قابل اعتماد\u200cتری برای سازگاری تبدیل می\u200cکند.",
"Medium": "متوسط", "Medium": "متوسط",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "پیکربندی مدل\u200cها با موفقیت ذخیره شد", "Models configuration saved successfully": "پیکربندی مدل\u200cها با موفقیت ذخیره شد",
"Models imported successfully": "مدل\u200cها با موفقیت وارد شدند", "Models imported successfully": "مدل\u200cها با موفقیت وارد شدند",
"Models Public Sharing": "اشتراک\u200cگذاری عمومی مدل\u200cها", "Models Public Sharing": "اشتراک\u200cگذاری عمومی مدل\u200cها",
"Models Sharing": "",
"Mojeek Search API Key": "کلید API جستجوی موجیک", "Mojeek Search API Key": "کلید API جستجوی موجیک",
"More": "بیشتر", "More": "بیشتر",
"More Concise": "خلاصه\u200cتر", "More Concise": "خلاصه\u200cتر",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "توجه: اگر حداقل نمره را تعیین کنید، جستجو تنها اسنادی را با نمره بیشتر یا برابر با حداقل نمره باز می گرداند.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "توجه: اگر حداقل نمره را تعیین کنید، جستجو تنها اسنادی را با نمره بیشتر یا برابر با حداقل نمره باز می گرداند.",
"Notes": "یادداشت\u200cها", "Notes": "یادداشت\u200cها",
"Notes Public Sharing": "اشتراک\u200cگذاری عمومی یادداشت\u200cها", "Notes Public Sharing": "اشتراک\u200cگذاری عمومی یادداشت\u200cها",
"Notes Sharing": "",
"Notification Sound": "صدای اعلان", "Notification Sound": "صدای اعلان",
"Notification Webhook": "وب\u200cهوک اعلان", "Notification Webhook": "وب\u200cهوک اعلان",
"Notifications": "اعلان", "Notifications": "اعلان",
@ -1274,6 +1286,7 @@
"Prompts": "پرامپت\u200cها", "Prompts": "پرامپت\u200cها",
"Prompts Access": "دسترسی پرامپت\u200cها", "Prompts Access": "دسترسی پرامپت\u200cها",
"Prompts Public Sharing": "اشتراک\u200cگذاری عمومی پرامپت\u200cها", "Prompts Public Sharing": "اشتراک\u200cگذاری عمومی پرامپت\u200cها",
"Prompts Sharing": "",
"Provider Type": "نوع ارائه\u200cدهنده", "Provider Type": "نوع ارائه\u200cدهنده",
"Public": "عمومی", "Public": "عمومی",
"Pull \"{{searchValue}}\" from Ollama.com": "بازگرداندن \"{{searchValue}}\" از Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "بازگرداندن \"{{searchValue}}\" از Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "عدد تصادفی اولیه را برای تولید تنظیم می\u200cکند. تنظیم این به یک عدد خاص باعث می\u200cشود مدل برای پرامپت یکسان، متن یکسانی تولید کند.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "عدد تصادفی اولیه را برای تولید تنظیم می\u200cکند. تنظیم این به یک عدد خاص باعث می\u200cشود مدل برای پرامپت یکسان، متن یکسانی تولید کند.",
"Sets the size of the context window used to generate the next token.": "اندازه پنجره متن مورد استفاده برای تولید توکن بعدی را تنظیم می\u200cکند.", "Sets the size of the context window used to generate the next token.": "اندازه پنجره متن مورد استفاده برای تولید توکن بعدی را تنظیم می\u200cکند.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "توالی\u200cهای توقف مورد استفاده را تنظیم می\u200cکند. وقتی این الگو مشاهده شود، LLM تولید متن را متوقف کرده و برمی\u200cگردد. الگوهای توقف متعدد می\u200cتوانند با مشخص کردن پارامترهای توقف جداگانه متعدد در فایل مدل تنظیم شوند.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "توالی\u200cهای توقف مورد استفاده را تنظیم می\u200cکند. وقتی این الگو مشاهده شود، LLM تولید متن را متوقف کرده و برمی\u200cگردد. الگوهای توقف متعدد می\u200cتوانند با مشخص کردن پارامترهای توقف جداگانه متعدد در فایل مدل تنظیم شوند.",
"Setting": "",
"Settings": "تنظیمات", "Settings": "تنظیمات",
"Settings saved successfully!": "تنظیمات با موفقیت ذخیره شد!", "Settings saved successfully!": "تنظیمات با موفقیت ذخیره شد!",
"Share": "اشتراک\u200cگذاری", "Share": "اشتراک\u200cگذاری",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "پرامپت فراخوانی تابع ابزارها", "Tools Function Calling Prompt": "پرامپت فراخوانی تابع ابزارها",
"Tools have a function calling system that allows arbitrary code execution.": "ابزارها دارای سیستم فراخوانی تابع هستند که اجازه اجرای کد دلخواه را می\u200cدهد.", "Tools have a function calling system that allows arbitrary code execution.": "ابزارها دارای سیستم فراخوانی تابع هستند که اجازه اجرای کد دلخواه را می\u200cدهد.",
"Tools Public Sharing": "اشتراک\u200cگذاری عمومی ابزارها", "Tools Public Sharing": "اشتراک\u200cگذاری عمومی ابزارها",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "رتبه\u200cبندی مجدد Top K", "Top K Reranker": "رتبه\u200cبندی مجدد Top K",
"Transformers": "ترنسفورمرها", "Transformers": "ترنسفورمرها",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "خط تولید آپلود", "Upload Pipeline": "خط تولید آپلود",
"Upload Progress": "پیشرفت آپلود", "Upload Progress": "پیشرفت آپلود",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "پیشرفت آپلود: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}٪)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "پیشرفت آپلود: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}٪)",
"Uploading file...": "",
"URL": "آدرس اینترنتی", "URL": "آدرس اینترنتی",
"URL is required": "آدرس URL مورد نیاز است", "URL is required": "آدرس URL مورد نیاز است",
"URL Mode": "حالت URL", "URL Mode": "حالت URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Salli jatka vastausta", "Allow Continue Response": "Salli jatka vastausta",
"Allow Delete Messages": "Salli viestien poisto", "Allow Delete Messages": "Salli viestien poisto",
"Allow File Upload": "Salli tiedostojen lataus", "Allow File Upload": "Salli tiedostojen lataus",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Salli useampi malli keskustelussa", "Allow Multiple Models in Chat": "Salli useampi malli keskustelussa",
"Allow non-local voices": "Salli ei-paikalliset äänet", "Allow non-local voices": "Salli ei-paikalliset äänet",
"Allow Rate Response": "Salli viestien arviointi", "Allow Rate Response": "Salli viestien arviointi",
@ -144,6 +145,7 @@
"Archived Chats": "Arkistoidut keskustelut", "Archived Chats": "Arkistoidut keskustelut",
"archived-chat-export": "arkistoitu-keskustelu-vienti", "archived-chat-export": "arkistoitu-keskustelu-vienti",
"Are you sure you want to clear all memories? This action cannot be undone.": "Haluatko varmasti tyhjentää kaikki muistot? Tätä toimintoa ei voi peruuttaa.", "Are you sure you want to clear all memories? This action cannot be undone.": "Haluatko varmasti tyhjentää kaikki muistot? Tätä toimintoa ei voi peruuttaa.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Haluatko varmasti poistaa tämän kanavan?", "Are you sure you want to delete this channel?": "Haluatko varmasti poistaa tämän kanavan?",
"Are you sure you want to delete this message?": "Haluatko varmasti poistaa tämän viestin?", "Are you sure you want to delete this message?": "Haluatko varmasti poistaa tämän viestin?",
"Are you sure you want to unarchive all archived chats?": "Haluatko varmasti purkaa kaikkien arkistoitujen keskustelujen arkistoinnin?", "Are you sure you want to unarchive all archived chats?": "Haluatko varmasti purkaa kaikkien arkistoitujen keskustelujen arkistoinnin?",
@ -388,12 +390,14 @@
"Default description enabled": "Oletuskuvaus käytössä", "Default description enabled": "Oletuskuvaus käytössä",
"Default Features": "Oletus ominaisuudet", "Default Features": "Oletus ominaisuudet",
"Default Filters": "Oletus suodattimet", "Default Filters": "Oletus suodattimet",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Oletustila toimii laajemman mallivalikoiman kanssa kutsumalla työkaluja kerran ennen suorittamista. Natiivitila hyödyntää mallin sisäänrakennettuja työkalujen kutsumisominaisuuksia, mutta edellyttää, että malli tukee tätä ominaisuutta.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Oletustila toimii laajemman mallivalikoiman kanssa kutsumalla työkaluja kerran ennen suorittamista. Natiivitila hyödyntää mallin sisäänrakennettuja työkalujen kutsumisominaisuuksia, mutta edellyttää, että malli tukee tätä ominaisuutta.",
"Default Model": "Oletusmalli", "Default Model": "Oletusmalli",
"Default model updated": "Oletusmalli päivitetty", "Default model updated": "Oletusmalli päivitetty",
"Default Models": "Oletusmallit", "Default Models": "Oletusmallit",
"Default permissions": "Oletuskäyttöoikeudet", "Default permissions": "Oletuskäyttöoikeudet",
"Default permissions updated successfully": "Oletuskäyttöoikeudet päivitetty onnistuneesti", "Default permissions updated successfully": "Oletuskäyttöoikeudet päivitetty onnistuneesti",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Oletuskehotteiden ehdotukset", "Default Prompt Suggestions": "Oletuskehotteiden ehdotukset",
"Default to 389 or 636 if TLS is enabled": "Oletus 389 tai 636, jos TLS on käytössä", "Default to 389 or 636 if TLS is enabled": "Oletus 389 tai 636, jos TLS on käytössä",
"Default to ALL": "Oletus KAIKKI", "Default to ALL": "Oletus KAIKKI",
@ -402,6 +406,7 @@
"Delete": "Poista", "Delete": "Poista",
"Delete a model": "Poista malli", "Delete a model": "Poista malli",
"Delete All Chats": "Poista kaikki keskustelut", "Delete All Chats": "Poista kaikki keskustelut",
"Delete all contents inside this folder": "",
"Delete All Models": "Poista kaikki mallit", "Delete All Models": "Poista kaikki mallit",
"Delete Chat": "Poista keskustelu", "Delete Chat": "Poista keskustelu",
"Delete chat?": "Haluatko varmasti poistaa tämän keskustelun?", "Delete chat?": "Haluatko varmasti poistaa tämän keskustelun?",
@ -730,6 +735,7 @@
"Features": "Ominaisuudet", "Features": "Ominaisuudet",
"Features Permissions": "Ominaisuuksien käyttöoikeudet", "Features Permissions": "Ominaisuuksien käyttöoikeudet",
"February": "helmikuu", "February": "helmikuu",
"Feedback deleted successfully": "",
"Feedback Details": "Palautteen tiedot", "Feedback Details": "Palautteen tiedot",
"Feedback History": "Palautehistoria", "Feedback History": "Palautehistoria",
"Feedbacks": "Palautteet", "Feedbacks": "Palautteet",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Tiedoston koko ei saa ylittää {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Tiedoston koko ei saa ylittää {{maxSize}} MB.",
"File Upload": "Tiedoston lataus", "File Upload": "Tiedoston lataus",
"File uploaded successfully": "Tiedosto ladattiin onnistuneesti", "File uploaded successfully": "Tiedosto ladattiin onnistuneesti",
"File uploaded!": "",
"Files": "Tiedostot", "Files": "Tiedostot",
"Filter": "Suodata", "Filter": "Suodata",
"Filter is now globally disabled": "Suodatin on nyt poistettu käytöstä globaalisti", "Filter is now globally disabled": "Suodatin on nyt poistettu käytöstä globaalisti",
@ -857,6 +864,7 @@
"Image Compression": "Kuvan pakkaus", "Image Compression": "Kuvan pakkaus",
"Image Compression Height": "Kuvan pakkauksen korkeus", "Image Compression Height": "Kuvan pakkauksen korkeus",
"Image Compression Width": "Kuvan pakkauksen leveys", "Image Compression Width": "Kuvan pakkauksen leveys",
"Image Edit": "",
"Image Edit Engine": "Kuvan muokkaus moottori", "Image Edit Engine": "Kuvan muokkaus moottori",
"Image Generation": "Kuvagenerointi", "Image Generation": "Kuvagenerointi",
"Image Generation Engine": "Kuvagenerointimoottori", "Image Generation Engine": "Kuvagenerointimoottori",
@ -941,6 +949,7 @@
"Knowledge Name": "Tietokannan nimi", "Knowledge Name": "Tietokannan nimi",
"Knowledge Public Sharing": "Tietokannan julkinen jakaminen", "Knowledge Public Sharing": "Tietokannan julkinen jakaminen",
"Knowledge reset successfully.": "Tietokanta nollattu onnistuneesti.", "Knowledge reset successfully.": "Tietokanta nollattu onnistuneesti.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Tietokanta päivitetty onnistuneesti", "Knowledge updated successfully": "Tietokanta päivitetty onnistuneesti",
"Kokoro.js (Browser)": "Kokoro.js (selain)", "Kokoro.js (Browser)": "Kokoro.js (selain)",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Latausten enimmäiskoko", "Max Upload Size": "Latausten enimmäiskoko",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Enintään 3 mallia voidaan ladata samanaikaisesti. Yritä myöhemmin uudelleen.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Enintään 3 mallia voidaan ladata samanaikaisesti. Yritä myöhemmin uudelleen.",
"May": "toukokuu", "May": "toukokuu",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP-tuki on kokeellinen ja sen määritykset muuttuvat usein, mikä voi johtaa yhteensopivuus ongelmiin. OpenAPI-määritysten tuesta vastaa suoraan Open WebUI -tiimi, joten se on luotettavampi vaihtoehto yhteensopivuuden kannalta.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP-tuki on kokeellinen ja sen määritykset muuttuvat usein, mikä voi johtaa yhteensopivuus ongelmiin. OpenAPI-määritysten tuesta vastaa suoraan Open WebUI -tiimi, joten se on luotettavampi vaihtoehto yhteensopivuuden kannalta.",
"Medium": "Keskitaso", "Medium": "Keskitaso",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Mallien määritykset tallennettu onnistuneesti", "Models configuration saved successfully": "Mallien määritykset tallennettu onnistuneesti",
"Models imported successfully": "Mallit tuotiin onnistuneesti", "Models imported successfully": "Mallit tuotiin onnistuneesti",
"Models Public Sharing": "Mallin julkinen jakaminen", "Models Public Sharing": "Mallin julkinen jakaminen",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API -avain", "Mojeek Search API Key": "Mojeek Search API -avain",
"More": "Lisää", "More": "Lisää",
"More Concise": "Ytimekkäämpi", "More Concise": "Ytimekkäämpi",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Huomautus: Jos asetat vähimmäispistemäärän, haku palauttaa vain sellaiset asiakirjat, joiden pistemäärä on vähintään vähimmäismäärä.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Huomautus: Jos asetat vähimmäispistemäärän, haku palauttaa vain sellaiset asiakirjat, joiden pistemäärä on vähintään vähimmäismäärä.",
"Notes": "Muistiinpanot", "Notes": "Muistiinpanot",
"Notes Public Sharing": "Muistiinpanojen julkinen jako", "Notes Public Sharing": "Muistiinpanojen julkinen jako",
"Notes Sharing": "",
"Notification Sound": "Ilmoitusääni", "Notification Sound": "Ilmoitusääni",
"Notification Webhook": "Webhook ilmoitus", "Notification Webhook": "Webhook ilmoitus",
"Notifications": "Ilmoitukset", "Notifications": "Ilmoitukset",
@ -1274,6 +1286,7 @@
"Prompts": "Kehotteet", "Prompts": "Kehotteet",
"Prompts Access": "Kehoitteiden käyttöoikeudet", "Prompts Access": "Kehoitteiden käyttöoikeudet",
"Prompts Public Sharing": "Kehoitteiden julkinen jakaminen", "Prompts Public Sharing": "Kehoitteiden julkinen jakaminen",
"Prompts Sharing": "",
"Provider Type": "Tarjoajan tyyppi", "Provider Type": "Tarjoajan tyyppi",
"Public": "Julkinen", "Public": "Julkinen",
"Pull \"{{searchValue}}\" from Ollama.com": "Lataa \"{{searchValue}}\" Ollama.comista", "Pull \"{{searchValue}}\" from Ollama.com": "Lataa \"{{searchValue}}\" Ollama.comista",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Määrittä satunnainen siemenluku luomista varten. Jos asetat siemenluvun, malli tuottaa saman vastauksen samalle kehotteelle.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Määrittä satunnainen siemenluku luomista varten. Jos asetat siemenluvun, malli tuottaa saman vastauksen samalle kehotteelle.",
"Sets the size of the context window used to generate the next token.": "Määrittää konteksti-ikkunan koon seuraavaksi luotavalle tokenille.", "Sets the size of the context window used to generate the next token.": "Määrittää konteksti-ikkunan koon seuraavaksi luotavalle tokenille.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Määrittää käytettävät lopetussekvenssit. Kun tämä kuvio havaitaan, LLM lopettaa tekstin tuottamisen ja palauttaa. Useita lopetuskuvioita voidaan asettaa määrittämällä useita erillisiä lopetusparametreja mallitiedostoon.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Määrittää käytettävät lopetussekvenssit. Kun tämä kuvio havaitaan, LLM lopettaa tekstin tuottamisen ja palauttaa. Useita lopetuskuvioita voidaan asettaa määrittämällä useita erillisiä lopetusparametreja mallitiedostoon.",
"Setting": "",
"Settings": "Asetukset", "Settings": "Asetukset",
"Settings saved successfully!": "Asetukset tallennettu onnistuneesti!", "Settings saved successfully!": "Asetukset tallennettu onnistuneesti!",
"Share": "Jaa", "Share": "Jaa",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Työkalujen kutsukehote", "Tools Function Calling Prompt": "Työkalujen kutsukehote",
"Tools have a function calling system that allows arbitrary code execution.": "Työkalut sallivat mielivaltaisen koodin suorittamisen toimintokutsuilla.", "Tools have a function calling system that allows arbitrary code execution.": "Työkalut sallivat mielivaltaisen koodin suorittamisen toimintokutsuilla.",
"Tools Public Sharing": "Työkalujen julkinen jakaminen", "Tools Public Sharing": "Työkalujen julkinen jakaminen",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K uudelleen sijoittaja", "Top K Reranker": "Top K uudelleen sijoittaja",
"Transformers": "Muunnokset", "Transformers": "Muunnokset",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Lataa putki", "Upload Pipeline": "Lataa putki",
"Upload Progress": "Latauksen edistyminen", "Upload Progress": "Latauksen edistyminen",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Latauksen edistyminen: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Latauksen edistyminen: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL vaaditaan", "URL is required": "URL vaaditaan",
"URL Mode": "URL-tila", "URL Mode": "URL-tila",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Autoriser le téléversement de fichiers", "Allow File Upload": "Autoriser le téléversement de fichiers",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Autoriser plusieurs modèles dans la conversation", "Allow Multiple Models in Chat": "Autoriser plusieurs modèles dans la conversation",
"Allow non-local voices": "Autoriser les voix non locales", "Allow non-local voices": "Autoriser les voix non locales",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Conversations archivées", "Archived Chats": "Conversations archivées",
"archived-chat-export": "exportation de conversation archivée", "archived-chat-export": "exportation de conversation archivée",
"Are you sure you want to clear all memories? This action cannot be undone.": "Êtes-vous certain de vouloir supprimer toutes les mémoires ? Cette action est définitive.", "Are you sure you want to clear all memories? This action cannot be undone.": "Êtes-vous certain de vouloir supprimer toutes les mémoires ? Cette action est définitive.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Êtes-vous sûr de vouloir supprimer ce canal ?", "Are you sure you want to delete this channel?": "Êtes-vous sûr de vouloir supprimer ce canal ?",
"Are you sure you want to delete this message?": "Êtes-vous sûr de vouloir supprimer ce message ?", "Are you sure you want to delete this message?": "Êtes-vous sûr de vouloir supprimer ce message ?",
"Are you sure you want to unarchive all archived chats?": "Êtes-vous sûr de vouloir désarchiver toutes les conversations archivées?", "Are you sure you want to unarchive all archived chats?": "Êtes-vous sûr de vouloir désarchiver toutes les conversations archivées?",
@ -388,12 +390,14 @@
"Default description enabled": "Description par défaut activée", "Default description enabled": "Description par défaut activée",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Le mode par défaut fonctionne avec une plus large gamme de modèles en appelant les outils une fois avant l'exécution. Le mode natif exploite les capacités d'appel d'outils intégrées du modèle, mais nécessite que le modèle prenne en charge cette fonctionnalité.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Le mode par défaut fonctionne avec une plus large gamme de modèles en appelant les outils une fois avant l'exécution. Le mode natif exploite les capacités d'appel d'outils intégrées du modèle, mais nécessite que le modèle prenne en charge cette fonctionnalité.",
"Default Model": "Modèle standard", "Default Model": "Modèle standard",
"Default model updated": "Modèle par défaut mis à jour", "Default model updated": "Modèle par défaut mis à jour",
"Default Models": "Modèles par défaut", "Default Models": "Modèles par défaut",
"Default permissions": "Autorisations par défaut", "Default permissions": "Autorisations par défaut",
"Default permissions updated successfully": "Autorisations par défaut mises à jour avec succès", "Default permissions updated successfully": "Autorisations par défaut mises à jour avec succès",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Suggestions de prompts par défaut", "Default Prompt Suggestions": "Suggestions de prompts par défaut",
"Default to 389 or 636 if TLS is enabled": "Par défaut à 389 ou 636 si TLS est activé", "Default to 389 or 636 if TLS is enabled": "Par défaut à 389 ou 636 si TLS est activé",
"Default to ALL": "Par défaut à TOUS", "Default to ALL": "Par défaut à TOUS",
@ -402,6 +406,7 @@
"Delete": "Supprimer", "Delete": "Supprimer",
"Delete a model": "Supprimer un modèle", "Delete a model": "Supprimer un modèle",
"Delete All Chats": "Supprimer toutes les conversations", "Delete All Chats": "Supprimer toutes les conversations",
"Delete all contents inside this folder": "",
"Delete All Models": "Supprimer tous les modèles", "Delete All Models": "Supprimer tous les modèles",
"Delete Chat": "Supprimer la Conversation", "Delete Chat": "Supprimer la Conversation",
"Delete chat?": "Supprimer la conversation ?", "Delete chat?": "Supprimer la conversation ?",
@ -730,6 +735,7 @@
"Features": "Fonctionnalités", "Features": "Fonctionnalités",
"Features Permissions": "Autorisations des fonctionnalités", "Features Permissions": "Autorisations des fonctionnalités",
"February": "Février", "February": "Février",
"Feedback deleted successfully": "",
"Feedback Details": "Détails du retour d'information", "Feedback Details": "Détails du retour d'information",
"Feedback History": "Historique des avis", "Feedback History": "Historique des avis",
"Feedbacks": "Avis", "Feedbacks": "Avis",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "La taille du fichier ne doit pas dépasser {{maxSize}} Mo.", "File size should not exceed {{maxSize}} MB.": "La taille du fichier ne doit pas dépasser {{maxSize}} Mo.",
"File Upload": "Téléversement du fichier", "File Upload": "Téléversement du fichier",
"File uploaded successfully": "Fichier téléversé avec succès", "File uploaded successfully": "Fichier téléversé avec succès",
"File uploaded!": "",
"Files": "Fichiers", "Files": "Fichiers",
"Filter": "Filtre", "Filter": "Filtre",
"Filter is now globally disabled": "Le filtre est maintenant désactivé globalement", "Filter is now globally disabled": "Le filtre est maintenant désactivé globalement",
@ -857,6 +864,7 @@
"Image Compression": "Compression d'image", "Image Compression": "Compression d'image",
"Image Compression Height": "Compression de la hauteur de l'image", "Image Compression Height": "Compression de la hauteur de l'image",
"Image Compression Width": "Compression de la largeur de l'image", "Image Compression Width": "Compression de la largeur de l'image",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Génération d'images", "Image Generation": "Génération d'images",
"Image Generation Engine": "Moteur de génération d'images", "Image Generation Engine": "Moteur de génération d'images",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "Partage public des Connaissances", "Knowledge Public Sharing": "Partage public des Connaissances",
"Knowledge reset successfully.": "Connaissance réinitialisée avec succès.", "Knowledge reset successfully.": "Connaissance réinitialisée avec succès.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Connaissance mise à jour avec succès", "Knowledge updated successfully": "Connaissance mise à jour avec succès",
"Kokoro.js (Browser)": "Kokoro.js (Navigateur)", "Kokoro.js (Browser)": "Kokoro.js (Navigateur)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Limite de taille de téléversement", "Max Upload Size": "Limite de taille de téléversement",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Un maximum de 3 modèles peut être téléchargé en même temps. Veuillez réessayer ultérieurement.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Un maximum de 3 modèles peut être téléchargé en même temps. Veuillez réessayer ultérieurement.",
"May": "Mai", "May": "Mai",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Configuration des modèles enregistrée avec succès", "Models configuration saved successfully": "Configuration des modèles enregistrée avec succès",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Partage public des modèles", "Models Public Sharing": "Partage public des modèles",
"Models Sharing": "",
"Mojeek Search API Key": "Clé API Mojeek", "Mojeek Search API Key": "Clé API Mojeek",
"More": "Plus", "More": "Plus",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Note : Si vous définissez un score minimum, seuls les documents ayant un score supérieur ou égal à ce score minimum seront retournés par la recherche.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Note : Si vous définissez un score minimum, seuls les documents ayant un score supérieur ou égal à ce score minimum seront retournés par la recherche.",
"Notes": "Notes", "Notes": "Notes",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Son de notification", "Notification Sound": "Son de notification",
"Notification Webhook": "Webhook de notification", "Notification Webhook": "Webhook de notification",
"Notifications": "Notifications", "Notifications": "Notifications",
@ -1274,6 +1286,7 @@
"Prompts": "Prompts", "Prompts": "Prompts",
"Prompts Access": "Accès aux prompts", "Prompts Access": "Accès aux prompts",
"Prompts Public Sharing": "Partage public des prompts", "Prompts Public Sharing": "Partage public des prompts",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Public", "Public": "Public",
"Pull \"{{searchValue}}\" from Ollama.com": "Récupérer « {{searchValue}} » depuis Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Récupérer « {{searchValue}} » depuis Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Définit la graine du générateur aléatoire pour produire un résultat déterministe. Une même graine produira toujours la même sortie pour une invite donnée.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Définit la graine du générateur aléatoire pour produire un résultat déterministe. Une même graine produira toujours la même sortie pour une invite donnée.",
"Sets the size of the context window used to generate the next token.": "Définit la taille de la fenêtre de contexte utilisée pour générer le prochain Token.", "Sets the size of the context window used to generate the next token.": "Définit la taille de la fenêtre de contexte utilisée pour générer le prochain Token.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Définit les séquences d'arrêt à utiliser. Lorsque ce motif est rencontré, le LLM cessera de générer du texte et retournera. Plusieurs motifs d'arrêt peuvent être définis en spécifiant plusieurs réglages d'arrêt distincts dans un fichier modèle.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Définit les séquences d'arrêt à utiliser. Lorsque ce motif est rencontré, le LLM cessera de générer du texte et retournera. Plusieurs motifs d'arrêt peuvent être définis en spécifiant plusieurs réglages d'arrêt distincts dans un fichier modèle.",
"Setting": "",
"Settings": "Réglages", "Settings": "Réglages",
"Settings saved successfully!": "Réglages enregistrés avec succès !", "Settings saved successfully!": "Réglages enregistrés avec succès !",
"Share": "Partager", "Share": "Partager",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "Prompt pour les appels de fonction des outils", "Tools Function Calling Prompt": "Prompt pour les appels de fonction des outils",
"Tools have a function calling system that allows arbitrary code execution.": "Les outils ont un système d'appel de fonction qui permet l'exécution de code arbitraire.", "Tools have a function calling system that allows arbitrary code execution.": "Les outils ont un système d'appel de fonction qui permet l'exécution de code arbitraire.",
"Tools Public Sharing": "Partage public des outils", "Tools Public Sharing": "Partage public des outils",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Reranker", "Top K Reranker": "Top K Reranker",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Pipeline de téléchargement", "Upload Pipeline": "Pipeline de téléchargement",
"Upload Progress": "Progression de l'envoi", "Upload Progress": "Progression de l'envoi",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "Mode d'URL", "URL Mode": "Mode d'URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Autoriser la réponse continue", "Allow Continue Response": "Autoriser la réponse continue",
"Allow Delete Messages": "Autoriser la suppression des messages", "Allow Delete Messages": "Autoriser la suppression des messages",
"Allow File Upload": "Autoriser le téléversement de fichiers", "Allow File Upload": "Autoriser le téléversement de fichiers",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Autoriser plusieurs modèles dans la conversation", "Allow Multiple Models in Chat": "Autoriser plusieurs modèles dans la conversation",
"Allow non-local voices": "Autoriser les voix non locales", "Allow non-local voices": "Autoriser les voix non locales",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Conversations archivées", "Archived Chats": "Conversations archivées",
"archived-chat-export": "exportation de conversation archivée", "archived-chat-export": "exportation de conversation archivée",
"Are you sure you want to clear all memories? This action cannot be undone.": "Êtes-vous certain de vouloir supprimer toutes les mémoires ? Cette action est définitive.", "Are you sure you want to clear all memories? This action cannot be undone.": "Êtes-vous certain de vouloir supprimer toutes les mémoires ? Cette action est définitive.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Êtes-vous sûr de vouloir supprimer ce canal ?", "Are you sure you want to delete this channel?": "Êtes-vous sûr de vouloir supprimer ce canal ?",
"Are you sure you want to delete this message?": "Êtes-vous sûr de vouloir supprimer ce message ?", "Are you sure you want to delete this message?": "Êtes-vous sûr de vouloir supprimer ce message ?",
"Are you sure you want to unarchive all archived chats?": "Êtes-vous sûr de vouloir désarchiver toutes les conversations archivées?", "Are you sure you want to unarchive all archived chats?": "Êtes-vous sûr de vouloir désarchiver toutes les conversations archivées?",
@ -388,12 +390,14 @@
"Default description enabled": "Description par défaut activée", "Default description enabled": "Description par défaut activée",
"Default Features": "Fonctionnalités par défaut", "Default Features": "Fonctionnalités par défaut",
"Default Filters": "Filtres par défaut", "Default Filters": "Filtres par défaut",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Le mode par défaut fonctionne avec une plus large gamme de modèles en appelant les outils une fois avant l'exécution. Le mode natif exploite les capacités d'appel d'outils intégrées du modèle, mais nécessite que le modèle prenne en charge cette fonctionnalité.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Le mode par défaut fonctionne avec une plus large gamme de modèles en appelant les outils une fois avant l'exécution. Le mode natif exploite les capacités d'appel d'outils intégrées du modèle, mais nécessite que le modèle prenne en charge cette fonctionnalité.",
"Default Model": "Modèle standard", "Default Model": "Modèle standard",
"Default model updated": "Modèle par défaut mis à jour", "Default model updated": "Modèle par défaut mis à jour",
"Default Models": "Modèles par défaut", "Default Models": "Modèles par défaut",
"Default permissions": "Autorisations par défaut", "Default permissions": "Autorisations par défaut",
"Default permissions updated successfully": "Autorisations par défaut mises à jour avec succès", "Default permissions updated successfully": "Autorisations par défaut mises à jour avec succès",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Suggestions de prompts par défaut", "Default Prompt Suggestions": "Suggestions de prompts par défaut",
"Default to 389 or 636 if TLS is enabled": "Par défaut à 389 ou 636 si TLS est activé", "Default to 389 or 636 if TLS is enabled": "Par défaut à 389 ou 636 si TLS est activé",
"Default to ALL": "Par défaut à TOUS", "Default to ALL": "Par défaut à TOUS",
@ -402,6 +406,7 @@
"Delete": "Supprimer", "Delete": "Supprimer",
"Delete a model": "Supprimer un modèle", "Delete a model": "Supprimer un modèle",
"Delete All Chats": "Supprimer toutes les conversations", "Delete All Chats": "Supprimer toutes les conversations",
"Delete all contents inside this folder": "",
"Delete All Models": "Supprimer tous les modèles", "Delete All Models": "Supprimer tous les modèles",
"Delete Chat": "Supprimer la Conversation", "Delete Chat": "Supprimer la Conversation",
"Delete chat?": "Supprimer la conversation ?", "Delete chat?": "Supprimer la conversation ?",
@ -730,6 +735,7 @@
"Features": "Fonctionnalités", "Features": "Fonctionnalités",
"Features Permissions": "Autorisations des fonctionnalités", "Features Permissions": "Autorisations des fonctionnalités",
"February": "Février", "February": "Février",
"Feedback deleted successfully": "",
"Feedback Details": "Détails du retour d'information", "Feedback Details": "Détails du retour d'information",
"Feedback History": "Historique des avis", "Feedback History": "Historique des avis",
"Feedbacks": "Avis", "Feedbacks": "Avis",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "La taille du fichier ne doit pas dépasser {{maxSize}} Mo.", "File size should not exceed {{maxSize}} MB.": "La taille du fichier ne doit pas dépasser {{maxSize}} Mo.",
"File Upload": "Téléversement du fichier", "File Upload": "Téléversement du fichier",
"File uploaded successfully": "Fichier téléversé avec succès", "File uploaded successfully": "Fichier téléversé avec succès",
"File uploaded!": "",
"Files": "Fichiers", "Files": "Fichiers",
"Filter": "Filtre", "Filter": "Filtre",
"Filter is now globally disabled": "Le filtre est maintenant désactivé globalement", "Filter is now globally disabled": "Le filtre est maintenant désactivé globalement",
@ -857,6 +864,7 @@
"Image Compression": "Compression d'image", "Image Compression": "Compression d'image",
"Image Compression Height": "Compression de la hauteur de l'image", "Image Compression Height": "Compression de la hauteur de l'image",
"Image Compression Width": "Compression de la largeur de l'image", "Image Compression Width": "Compression de la largeur de l'image",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Génération d'images", "Image Generation": "Génération d'images",
"Image Generation Engine": "Moteur de génération d'images", "Image Generation Engine": "Moteur de génération d'images",
@ -941,6 +949,7 @@
"Knowledge Name": "Nom de la connaissance", "Knowledge Name": "Nom de la connaissance",
"Knowledge Public Sharing": "Partage public des Connaissances", "Knowledge Public Sharing": "Partage public des Connaissances",
"Knowledge reset successfully.": "Connaissance réinitialisée avec succès.", "Knowledge reset successfully.": "Connaissance réinitialisée avec succès.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Connaissance mise à jour avec succès", "Knowledge updated successfully": "Connaissance mise à jour avec succès",
"Kokoro.js (Browser)": "Kokoro.js (Navigateur)", "Kokoro.js (Browser)": "Kokoro.js (Navigateur)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Limite de taille de téléversement", "Max Upload Size": "Limite de taille de téléversement",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Un maximum de 3 modèles peut être téléchargé en même temps. Veuillez réessayer ultérieurement.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Un maximum de 3 modèles peut être téléchargé en même temps. Veuillez réessayer ultérieurement.",
"May": "Mai", "May": "Mai",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "Moyen", "Medium": "Moyen",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Configuration des modèles enregistrée avec succès", "Models configuration saved successfully": "Configuration des modèles enregistrée avec succès",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Partage public des modèles", "Models Public Sharing": "Partage public des modèles",
"Models Sharing": "",
"Mojeek Search API Key": "Clé API Mojeek", "Mojeek Search API Key": "Clé API Mojeek",
"More": "Plus", "More": "Plus",
"More Concise": "Plus concis", "More Concise": "Plus concis",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Note : Si vous définissez un score minimum, seuls les documents ayant un score supérieur ou égal à ce score minimum seront retournés par la recherche.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Note : Si vous définissez un score minimum, seuls les documents ayant un score supérieur ou égal à ce score minimum seront retournés par la recherche.",
"Notes": "Notes", "Notes": "Notes",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Son de notification", "Notification Sound": "Son de notification",
"Notification Webhook": "Webhook de notification", "Notification Webhook": "Webhook de notification",
"Notifications": "Notifications", "Notifications": "Notifications",
@ -1274,6 +1286,7 @@
"Prompts": "Prompts", "Prompts": "Prompts",
"Prompts Access": "Accès aux prompts", "Prompts Access": "Accès aux prompts",
"Prompts Public Sharing": "Partage public des prompts", "Prompts Public Sharing": "Partage public des prompts",
"Prompts Sharing": "",
"Provider Type": "Tye de fournisseur", "Provider Type": "Tye de fournisseur",
"Public": "Public", "Public": "Public",
"Pull \"{{searchValue}}\" from Ollama.com": "Récupérer « {{searchValue}} » depuis Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Récupérer « {{searchValue}} » depuis Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Définit la graine du générateur aléatoire pour produire un résultat déterministe. Une même graine produira toujours la même sortie pour une invite donnée.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Définit la graine du générateur aléatoire pour produire un résultat déterministe. Une même graine produira toujours la même sortie pour une invite donnée.",
"Sets the size of the context window used to generate the next token.": "Définit la taille de la fenêtre de contexte utilisée pour générer le prochain Token.", "Sets the size of the context window used to generate the next token.": "Définit la taille de la fenêtre de contexte utilisée pour générer le prochain Token.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Définit les séquences d'arrêt à utiliser. Lorsque ce motif est rencontré, le LLM cessera de générer du texte et retournera. Plusieurs motifs d'arrêt peuvent être définis en spécifiant plusieurs réglages d'arrêt distincts dans un fichier modèle.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Définit les séquences d'arrêt à utiliser. Lorsque ce motif est rencontré, le LLM cessera de générer du texte et retournera. Plusieurs motifs d'arrêt peuvent être définis en spécifiant plusieurs réglages d'arrêt distincts dans un fichier modèle.",
"Setting": "",
"Settings": "Réglages", "Settings": "Réglages",
"Settings saved successfully!": "Réglages enregistrés avec succès !", "Settings saved successfully!": "Réglages enregistrés avec succès !",
"Share": "Partager", "Share": "Partager",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "Prompt pour les appels de fonction des outils", "Tools Function Calling Prompt": "Prompt pour les appels de fonction des outils",
"Tools have a function calling system that allows arbitrary code execution.": "Les outils ont un système d'appel de fonction qui permet l'exécution de code arbitraire.", "Tools have a function calling system that allows arbitrary code execution.": "Les outils ont un système d'appel de fonction qui permet l'exécution de code arbitraire.",
"Tools Public Sharing": "Partage public des outils", "Tools Public Sharing": "Partage public des outils",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Reranker", "Top K Reranker": "Top K Reranker",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Pipeline de téléchargement", "Upload Pipeline": "Pipeline de téléchargement",
"Upload Progress": "Progression de l'envoi", "Upload Progress": "Progression de l'envoi",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progression du téléchargement\u00a0: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progression du téléchargement\u00a0: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "L'URL est requise", "URL is required": "L'URL est requise",
"URL Mode": "Mode d'URL", "URL Mode": "Mode d'URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Permitir asubida de Arquivos", "Allow File Upload": "Permitir asubida de Arquivos",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Permitir voces non locales", "Allow non-local voices": "Permitir voces non locales",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Chats arquivados", "Archived Chats": "Chats arquivados",
"archived-chat-export": "Exportación de chats arquivados", "archived-chat-export": "Exportación de chats arquivados",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "¿Seguro que queres eliminar este canal?", "Are you sure you want to delete this channel?": "¿Seguro que queres eliminar este canal?",
"Are you sure you want to delete this message?": "¿Seguro que queres eliminar este mensaxe? ", "Are you sure you want to delete this message?": "¿Seguro que queres eliminar este mensaxe? ",
"Are you sure you want to unarchive all archived chats?": "¿Estás seguro de que quieres desArquivar todos os chats arquivados?", "Are you sure you want to unarchive all archived chats?": "¿Estás seguro de que quieres desArquivar todos os chats arquivados?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "O modo predeterminado funciona con unha gama mais ampla de modelos chamando as ferramentas unha vez antes da execución. o modo nativo aproveita as capacidades integradas de chamada de ferramentas do modelo, pero requiere que o modelo soporte esta función de manera inherente.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "O modo predeterminado funciona con unha gama mais ampla de modelos chamando as ferramentas unha vez antes da execución. o modo nativo aproveita as capacidades integradas de chamada de ferramentas do modelo, pero requiere que o modelo soporte esta función de manera inherente.",
"Default Model": "Modelo predeterminado", "Default Model": "Modelo predeterminado",
"Default model updated": "O modelo por defecto foi actualizado", "Default model updated": "O modelo por defecto foi actualizado",
"Default Models": "Modelos predeterminados", "Default Models": "Modelos predeterminados",
"Default permissions": "Permisos predeterminados", "Default permissions": "Permisos predeterminados",
"Default permissions updated successfully": "Permisos predeterminados actualizados correctamente", "Default permissions updated successfully": "Permisos predeterminados actualizados correctamente",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Sugerencias de mensaxes por defecto", "Default Prompt Suggestions": "Sugerencias de mensaxes por defecto",
"Default to 389 or 636 if TLS is enabled": "Predeterminado a 389 o 636 si TLS está habilitado", "Default to 389 or 636 if TLS is enabled": "Predeterminado a 389 o 636 si TLS está habilitado",
"Default to ALL": "Predeterminado a TODOS", "Default to ALL": "Predeterminado a TODOS",
@ -402,6 +406,7 @@
"Delete": "Borrar", "Delete": "Borrar",
"Delete a model": "Borra un modelo", "Delete a model": "Borra un modelo",
"Delete All Chats": "Eliminar todos os chats", "Delete All Chats": "Eliminar todos os chats",
"Delete all contents inside this folder": "",
"Delete All Models": "Eliminar todos os modelos", "Delete All Models": "Eliminar todos os modelos",
"Delete Chat": "Borrar Chat", "Delete Chat": "Borrar Chat",
"Delete chat?": "Borrar o chat?", "Delete chat?": "Borrar o chat?",
@ -730,6 +735,7 @@
"Features": "Características", "Features": "Características",
"Features Permissions": "Permisos de características", "Features Permissions": "Permisos de características",
"February": "Febreiro", "February": "Febreiro",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Historial de retroalimentación", "Feedback History": "Historial de retroalimentación",
"Feedbacks": "Retroalimentacions", "Feedbacks": "Retroalimentacions",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Tamaño do Arquivo non debe exceder {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Tamaño do Arquivo non debe exceder {{maxSize}} MB.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Arquivo subido correctamente", "File uploaded successfully": "Arquivo subido correctamente",
"File uploaded!": "",
"Files": "Arquivos", "Files": "Arquivos",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "O filtro ahora está desactivado globalmente", "Filter is now globally disabled": "O filtro ahora está desactivado globalmente",
@ -857,6 +864,7 @@
"Image Compression": "Compresión de imaxen", "Image Compression": "Compresión de imaxen",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "xeneración de imaxes", "Image Generation": "xeneración de imaxes",
"Image Generation Engine": "Motor de xeneración de imaxes", "Image Generation Engine": "Motor de xeneración de imaxes",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "coñecemento restablecido exitosamente.", "Knowledge reset successfully.": "coñecemento restablecido exitosamente.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "coñecemento actualizado exitosamente.", "Knowledge updated successfully": "coñecemento actualizado exitosamente.",
"Kokoro.js (Browser)": "Kokoro .js (Navegador)", "Kokoro.js (Browser)": "Kokoro .js (Navegador)",
"Kokoro.js Dtype": "Kokoro .js Dtype", "Kokoro.js Dtype": "Kokoro .js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Tamaño máximo de Cargas", "Max Upload Size": "Tamaño máximo de Cargas",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Podense descargar un máximo de 3 modelos simultáneamente. Por favor, intenteo de novo mais tarde.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Podense descargar un máximo de 3 modelos simultáneamente. Por favor, intenteo de novo mais tarde.",
"May": "Mayo", "May": "Mayo",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Configuración de modelos guardada correctamente", "Models configuration saved successfully": "Configuración de modelos guardada correctamente",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "chave API de Mojeek Search", "Mojeek Search API Key": "chave API de Mojeek Search",
"More": "mais", "More": "mais",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Se estableces unha puntuación mínima, a búsqueda sólo devolverá documentos con unha puntuación mayor o igual a a puntuación mínima.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Se estableces unha puntuación mínima, a búsqueda sólo devolverá documentos con unha puntuación mayor o igual a a puntuación mínima.",
"Notes": "Notas", "Notes": "Notas",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Sonido de notificación", "Notification Sound": "Sonido de notificación",
"Notification Webhook": "Webhook de notificación", "Notification Webhook": "Webhook de notificación",
"Notifications": "Notificacions", "Notifications": "Notificacions",
@ -1274,6 +1286,7 @@
"Prompts": "Prompts", "Prompts": "Prompts",
"Prompts Access": "Acceso a Prompts", "Prompts Access": "Acceso a Prompts",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Extraer \"{{searchValue}}\" de Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Extraer \"{{searchValue}}\" de Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Establece a semente de número aleatorio a usar para xeneración. Establecer esto a un número específico hará que el modelo genere el mismo texto para el mismo prompt.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Establece a semente de número aleatorio a usar para xeneración. Establecer esto a un número específico hará que el modelo genere el mismo texto para el mismo prompt.",
"Sets the size of the context window used to generate the next token.": "Establece o tamaño da ventana de contexto utilizada para xenerar o seguinte token.", "Sets the size of the context window used to generate the next token.": "Establece o tamaño da ventana de contexto utilizada para xenerar o seguinte token.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Establece as secuencias de parada a usar. Cuando se encuentre este patrón, o LLM dejará de generar texto y devolverá. Se pueden establecer varios patrones de parada especificando múltiples parámetros de parada separados en un arquivo de modelo.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Establece as secuencias de parada a usar. Cuando se encuentre este patrón, o LLM dejará de generar texto y devolverá. Se pueden establecer varios patrones de parada especificando múltiples parámetros de parada separados en un arquivo de modelo.",
"Setting": "",
"Settings": "Configuración", "Settings": "Configuración",
"Settings saved successfully!": "¡Configuración gardada con éxito!", "Settings saved successfully!": "¡Configuración gardada con éxito!",
"Share": "Compartir", "Share": "Compartir",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Prompt de chamada de funcións de ferramentas", "Tools Function Calling Prompt": "Prompt de chamada de funcións de ferramentas",
"Tools have a function calling system that allows arbitrary code execution.": "As ferramentas tienen un sistema de chamada de funcións que permite la execución de código arbitrario.", "Tools have a function calling system that allows arbitrary code execution.": "As ferramentas tienen un sistema de chamada de funcións que permite la execución de código arbitrario.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Transformadores", "Transformers": "Transformadores",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Subir Pipeline", "Upload Pipeline": "Subir Pipeline",
"Upload Progress": "Progreso de carga", "Upload Progress": "Progreso de carga",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "Modo de URL", "URL Mode": "Modo de URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "אפשר העלאת קובץ", "Allow File Upload": "אפשר העלאת קובץ",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "צ'אטים מאורכבים", "Archived Chats": "צ'אטים מאורכבים",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "מודל ברירת מחדל", "Default Model": "מודל ברירת מחדל",
"Default model updated": "המודל המוגדר כברירת מחדל עודכן", "Default model updated": "המודל המוגדר כברירת מחדל עודכן",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "הצעות ברירת מחדל לפקודות", "Default Prompt Suggestions": "הצעות ברירת מחדל לפקודות",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "מחק", "Delete": "מחק",
"Delete a model": "מחק מודל", "Delete a model": "מחק מודל",
"Delete All Chats": "מחק את כל הצ'אטים", "Delete All Chats": "מחק את כל הצ'אטים",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "מחק צ'אט", "Delete Chat": "מחק צ'אט",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "פברואר", "February": "פברואר",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "מנוע יצירת תמונות", "Image Generation Engine": "מנוע יצירת תמונות",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "ניתן להוריד מקסימום 3 מודלים בו זמנית. אנא נסה שוב מאוחר יותר.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "ניתן להוריד מקסימום 3 מודלים בו זמנית. אנא נסה שוב מאוחר יותר.",
"May": "מאי", "May": "מאי",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "עוד", "More": "עוד",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "הערה: אם תקבע ציון מינימלי, החיפוש יחזיר רק מסמכים עם ציון שגבוה או שווה לציון המינימלי.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "הערה: אם תקבע ציון מינימלי, החיפוש יחזיר רק מסמכים עם ציון שגבוה או שווה לציון המינימלי.",
"Notes": "פתקים", "Notes": "פתקים",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "התראות", "Notifications": "התראות",
@ -1274,6 +1286,7 @@
"Prompts": "פקודות", "Prompts": "פקודות",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "משוך \"{{searchValue}}\" מ-Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "משוך \"{{searchValue}}\" מ-Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "הגדרות", "Settings": "הגדרות",
"Settings saved successfully!": "ההגדרות נשמרו בהצלחה!", "Settings saved successfully!": "ההגדרות נשמרו בהצלחה!",
"Share": "שתף", "Share": "שתף",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "תקדמות העלאה", "Upload Progress": "תקדמות העלאה",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "מצב URL", "URL Mode": "מצב URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "संग्रहीत चैट", "Archived Chats": "संग्रहीत चैट",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "डिफ़ॉल्ट मॉडल", "Default Model": "डिफ़ॉल्ट मॉडल",
"Default model updated": "डिफ़ॉल्ट मॉडल अपडेट किया गया", "Default model updated": "डिफ़ॉल्ट मॉडल अपडेट किया गया",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "डिफ़ॉल्ट प्रॉम्प्ट सुझाव", "Default Prompt Suggestions": "डिफ़ॉल्ट प्रॉम्प्ट सुझाव",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "डिलीट", "Delete": "डिलीट",
"Delete a model": "एक मॉडल हटाएँ", "Delete a model": "एक मॉडल हटाएँ",
"Delete All Chats": "सभी चैट हटाएं", "Delete All Chats": "सभी चैट हटाएं",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "चैट हटाएं", "Delete Chat": "चैट हटाएं",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "फरवरी", "February": "फरवरी",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "छवि निर्माण इंजन", "Image Generation Engine": "छवि निर्माण इंजन",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "अधिकतम 3 मॉडल एक साथ डाउनलोड किये जा सकते हैं। कृपया बाद में पुन: प्रयास करें।", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "अधिकतम 3 मॉडल एक साथ डाउनलोड किये जा सकते हैं। कृपया बाद में पुन: प्रयास करें।",
"May": "मेई", "May": "मेई",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "और..", "More": "और..",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ध्यान दें: यदि आप न्यूनतम स्कोर निर्धारित करते हैं, तो खोज केवल न्यूनतम स्कोर से अधिक या उसके बराबर स्कोर वाले दस्तावेज़ वापस लाएगी।", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ध्यान दें: यदि आप न्यूनतम स्कोर निर्धारित करते हैं, तो खोज केवल न्यूनतम स्कोर से अधिक या उसके बराबर स्कोर वाले दस्तावेज़ वापस लाएगी।",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "सूचनाएं", "Notifications": "सूचनाएं",
@ -1274,6 +1286,7 @@
"Prompts": "प्रॉम्प्ट", "Prompts": "प्रॉम्प्ट",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" को Ollama.com से खींचें", "Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" को Ollama.com से खींचें",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "सेटिंग्स", "Settings": "सेटिंग्स",
"Settings saved successfully!": "सेटिंग्स सफलतापूर्वक सहेजी गईं!", "Settings saved successfully!": "सेटिंग्स सफलतापूर्वक सहेजी गईं!",
"Share": "साझा करें", "Share": "साझा करें",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "शीर्ष K", "Top K": "शीर्ष K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "प्रगति अपलोड करें", "Upload Progress": "प्रगति अपलोड करें",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "URL मोड", "URL Mode": "URL मोड",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Dopusti nelokalne glasove", "Allow non-local voices": "Dopusti nelokalne glasove",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Arhivirani razgovori", "Archived Chats": "Arhivirani razgovori",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Zadani model", "Default Model": "Zadani model",
"Default model updated": "Zadani model ažuriran", "Default model updated": "Zadani model ažuriran",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Zadani prijedlozi prompta", "Default Prompt Suggestions": "Zadani prijedlozi prompta",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Izbriši", "Delete": "Izbriši",
"Delete a model": "Izbriši model", "Delete a model": "Izbriši model",
"Delete All Chats": "Izbriši sve razgovore", "Delete All Chats": "Izbriši sve razgovore",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "Izbriši razgovor", "Delete Chat": "Izbriši razgovor",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Veljača", "February": "Veljača",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Stroj za generiranje slika", "Image Generation Engine": "Stroj za generiranje slika",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimalno 3 modela se mogu preuzeti istovremeno. Pokušajte ponovo kasnije.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimalno 3 modela se mogu preuzeti istovremeno. Pokušajte ponovo kasnije.",
"May": "Svibanj", "May": "Svibanj",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Više", "More": "Više",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Napomena: Ako postavite minimalnu ocjenu, pretraga će vratiti samo dokumente s ocjenom većom ili jednakom minimalnoj ocjeni.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Napomena: Ako postavite minimalnu ocjenu, pretraga će vratiti samo dokumente s ocjenom većom ili jednakom minimalnoj ocjeni.",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Obavijesti", "Notifications": "Obavijesti",
@ -1274,6 +1286,7 @@
"Prompts": "Prompti", "Prompts": "Prompti",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Povucite \"{{searchValue}}\" s Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Povucite \"{{searchValue}}\" s Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Postavke", "Settings": "Postavke",
"Settings saved successfully!": "Postavke su uspješno spremljene!", "Settings saved successfully!": "Postavke su uspješno spremljene!",
"Share": "Podijeli", "Share": "Podijeli",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Prijenos kanala", "Upload Pipeline": "Prijenos kanala",
"Upload Progress": "Napredak učitavanja", "Upload Progress": "Napredak učitavanja",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "URL način", "URL Mode": "URL način",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Fájlfeltöltés engedélyezése", "Allow File Upload": "Fájlfeltöltés engedélyezése",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Nem helyi hangok engedélyezése", "Allow non-local voices": "Nem helyi hangok engedélyezése",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Archivált beszélgetések", "Archived Chats": "Archivált beszélgetések",
"archived-chat-export": "archivált csevegés exportálása", "archived-chat-export": "archivált csevegés exportálása",
"Are you sure you want to clear all memories? This action cannot be undone.": "Biztosan törölni szeretnéd az összes memóriát? Ez a művelet nem vonható vissza.", "Are you sure you want to clear all memories? This action cannot be undone.": "Biztosan törölni szeretnéd az összes memóriát? Ez a művelet nem vonható vissza.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Biztosan törölni szeretnéd ezt a csatornát?", "Are you sure you want to delete this channel?": "Biztosan törölni szeretnéd ezt a csatornát?",
"Are you sure you want to delete this message?": "Biztosan törölni szeretnéd ezt az üzenetet?", "Are you sure you want to delete this message?": "Biztosan törölni szeretnéd ezt az üzenetet?",
"Are you sure you want to unarchive all archived chats?": "Biztosan vissza szeretnéd állítani az összes archivált csevegést?", "Are you sure you want to unarchive all archived chats?": "Biztosan vissza szeretnéd állítani az összes archivált csevegést?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Az alapértelmezett mód szélesebb modellválasztékkal működik az eszközök egyszeri meghívásával a végrehajtás előtt. A natív mód a modell beépített eszközhívási képességeit használja ki, de ehhez a modellnek eredendően támogatnia kell ezt a funkciót.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Az alapértelmezett mód szélesebb modellválasztékkal működik az eszközök egyszeri meghívásával a végrehajtás előtt. A natív mód a modell beépített eszközhívási képességeit használja ki, de ehhez a modellnek eredendően támogatnia kell ezt a funkciót.",
"Default Model": "Alapértelmezett modell", "Default Model": "Alapértelmezett modell",
"Default model updated": "Alapértelmezett modell frissítve", "Default model updated": "Alapértelmezett modell frissítve",
"Default Models": "Alapértelmezett modellek", "Default Models": "Alapértelmezett modellek",
"Default permissions": "Alapértelmezett engedélyek", "Default permissions": "Alapértelmezett engedélyek",
"Default permissions updated successfully": "Alapértelmezett engedélyek sikeresen frissítve", "Default permissions updated successfully": "Alapértelmezett engedélyek sikeresen frissítve",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Alapértelmezett prompt javaslatok", "Default Prompt Suggestions": "Alapértelmezett prompt javaslatok",
"Default to 389 or 636 if TLS is enabled": "Alapértelmezés szerint 389 vagy 636, ha a TLS engedélyezve van", "Default to 389 or 636 if TLS is enabled": "Alapértelmezés szerint 389 vagy 636, ha a TLS engedélyezve van",
"Default to ALL": "Alapértelmezés szerint MIND", "Default to ALL": "Alapértelmezés szerint MIND",
@ -402,6 +406,7 @@
"Delete": "Törlés", "Delete": "Törlés",
"Delete a model": "Modell törlése", "Delete a model": "Modell törlése",
"Delete All Chats": "Minden beszélgetés törlése", "Delete All Chats": "Minden beszélgetés törlése",
"Delete all contents inside this folder": "",
"Delete All Models": "Minden modell törlése", "Delete All Models": "Minden modell törlése",
"Delete Chat": "Beszélgetés törlése", "Delete Chat": "Beszélgetés törlése",
"Delete chat?": "Törli a beszélgetést?", "Delete chat?": "Törli a beszélgetést?",
@ -730,6 +735,7 @@
"Features": "Funkciók", "Features": "Funkciók",
"Features Permissions": "Funkciók engedélyei", "Features Permissions": "Funkciók engedélyei",
"February": "Február", "February": "Február",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Visszajelzés előzmények", "Feedback History": "Visszajelzés előzmények",
"Feedbacks": "Visszajelzések", "Feedbacks": "Visszajelzések",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "A fájl mérete nem haladhatja meg a {{maxSize}} MB-ot.", "File size should not exceed {{maxSize}} MB.": "A fájl mérete nem haladhatja meg a {{maxSize}} MB-ot.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Fájl sikeresen feltöltve", "File uploaded successfully": "Fájl sikeresen feltöltve",
"File uploaded!": "",
"Files": "Fájlok", "Files": "Fájlok",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "A szűrő globálisan letiltva", "Filter is now globally disabled": "A szűrő globálisan letiltva",
@ -857,6 +864,7 @@
"Image Compression": "Képtömörítés", "Image Compression": "Képtömörítés",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Képgenerálás", "Image Generation": "Képgenerálás",
"Image Generation Engine": "Képgenerálási motor", "Image Generation Engine": "Képgenerálási motor",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "Tudásbázis nyilvános megosztása", "Knowledge Public Sharing": "Tudásbázis nyilvános megosztása",
"Knowledge reset successfully.": "Tudásbázis sikeresen visszaállítva.", "Knowledge reset successfully.": "Tudásbázis sikeresen visszaállítva.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Tudásbázis sikeresen frissítve", "Knowledge updated successfully": "Tudásbázis sikeresen frissítve",
"Kokoro.js (Browser)": "Kokoro.js (Böngésző)", "Kokoro.js (Browser)": "Kokoro.js (Böngésző)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maximum feltöltési méret", "Max Upload Size": "Maximum feltöltési méret",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum 3 modell tölthető le egyszerre. Kérjük, próbálja újra később.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum 3 modell tölthető le egyszerre. Kérjük, próbálja újra később.",
"May": "Május", "May": "Május",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Modellek konfigurációja sikeresen mentve", "Models configuration saved successfully": "Modellek konfigurációja sikeresen mentve",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Modellek nyilvános megosztása", "Models Public Sharing": "Modellek nyilvános megosztása",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API kulcs", "Mojeek Search API Key": "Mojeek Search API kulcs",
"More": "Több", "More": "Több",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Megjegyzés: Ha minimum pontszámot állít be, a keresés csak olyan dokumentumokat ad vissza, amelyek pontszáma nagyobb vagy egyenlő a minimum pontszámmal.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Megjegyzés: Ha minimum pontszámot állít be, a keresés csak olyan dokumentumokat ad vissza, amelyek pontszáma nagyobb vagy egyenlő a minimum pontszámmal.",
"Notes": "Jegyzetek", "Notes": "Jegyzetek",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Értesítési hang", "Notification Sound": "Értesítési hang",
"Notification Webhook": "Értesítési webhook", "Notification Webhook": "Értesítési webhook",
"Notifications": "Értesítések", "Notifications": "Értesítések",
@ -1274,6 +1286,7 @@
"Prompts": "Promptok", "Prompts": "Promptok",
"Prompts Access": "Promptok hozzáférése", "Prompts Access": "Promptok hozzáférése",
"Prompts Public Sharing": "Promptok nyilvános megosztása", "Prompts Public Sharing": "Promptok nyilvános megosztása",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Nyilvános", "Public": "Nyilvános",
"Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" letöltése az Ollama.com-ról", "Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" letöltése az Ollama.com-ról",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Beállítja a generáláshoz használt véletlenszám seed-et. Egy adott szám megadása esetén a modell ugyanazt a szöveget generálja ugyanarra a prompt-ra.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Beállítja a generáláshoz használt véletlenszám seed-et. Egy adott szám megadása esetén a modell ugyanazt a szöveget generálja ugyanarra a prompt-ra.",
"Sets the size of the context window used to generate the next token.": "Beállítja a következő token generálásához használt kontextusablak méretét.", "Sets the size of the context window used to generate the next token.": "Beállítja a következő token generálásához használt kontextusablak méretét.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Beállítja a használandó leállítási szekvenciákat. Ha ezt a mintát észleli, az LLM leállítja a szöveg generálását és visszatér. Több leállítási minta is megadható különálló stop paraméterek megadásával egy modellfájlban.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Beállítja a használandó leállítási szekvenciákat. Ha ezt a mintát észleli, az LLM leállítja a szöveg generálását és visszatér. Több leállítási minta is megadható különálló stop paraméterek megadásával egy modellfájlban.",
"Setting": "",
"Settings": "Beállítások", "Settings": "Beállítások",
"Settings saved successfully!": "Beállítások sikeresen mentve!", "Settings saved successfully!": "Beállítások sikeresen mentve!",
"Share": "Megosztás", "Share": "Megosztás",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Eszközök függvényhívási promptja", "Tools Function Calling Prompt": "Eszközök függvényhívási promptja",
"Tools have a function calling system that allows arbitrary code execution.": "Az eszközök olyan függvényhívó rendszerrel rendelkeznek, amely lehetővé teszi tetszőleges kód végrehajtását.", "Tools have a function calling system that allows arbitrary code execution.": "Az eszközök olyan függvényhívó rendszerrel rendelkeznek, amely lehetővé teszi tetszőleges kód végrehajtását.",
"Tools Public Sharing": "Eszközök nyilvános megosztása", "Tools Public Sharing": "Eszközök nyilvános megosztása",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K újrarangsoroló", "Top K Reranker": "Top K újrarangsoroló",
"Transformers": "Transformerek", "Transformers": "Transformerek",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Folyamat feltöltése", "Upload Pipeline": "Folyamat feltöltése",
"Upload Progress": "Feltöltési folyamat", "Upload Progress": "Feltöltési folyamat",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "URL mód", "URL Mode": "URL mód",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Izinkan suara non-lokal", "Allow non-local voices": "Izinkan suara non-lokal",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Obrolan yang Diarsipkan", "Archived Chats": "Obrolan yang Diarsipkan",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Model Default", "Default Model": "Model Default",
"Default model updated": "Model default diperbarui", "Default model updated": "Model default diperbarui",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Saran Permintaan Default", "Default Prompt Suggestions": "Saran Permintaan Default",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Menghapus", "Delete": "Menghapus",
"Delete a model": "Menghapus model", "Delete a model": "Menghapus model",
"Delete All Chats": "Menghapus Semua Obrolan", "Delete All Chats": "Menghapus Semua Obrolan",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "Menghapus Obrolan", "Delete Chat": "Menghapus Obrolan",
"Delete chat?": "Menghapus obrolan?", "Delete chat?": "Menghapus obrolan?",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Februari", "February": "Februari",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Filter sekarang dinonaktifkan secara global", "Filter is now globally disabled": "Filter sekarang dinonaktifkan secara global",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Mesin Pembuat Gambar", "Image Generation Engine": "Mesin Pembuat Gambar",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimal 3 model dapat diunduh secara bersamaan. Silakan coba lagi nanti.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimal 3 model dapat diunduh secara bersamaan. Silakan coba lagi nanti.",
"May": "Mei", "May": "Mei",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Lainnya", "More": "Lainnya",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Catatan: Jika Anda menetapkan skor minimum, pencarian hanya akan mengembalikan dokumen dengan skor yang lebih besar atau sama dengan skor minimum.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Catatan: Jika Anda menetapkan skor minimum, pencarian hanya akan mengembalikan dokumen dengan skor yang lebih besar atau sama dengan skor minimum.",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Pemberitahuan", "Notifications": "Pemberitahuan",
@ -1274,6 +1286,7 @@
"Prompts": "Prompt", "Prompts": "Prompt",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Tarik \"{{searchValue}}\" dari Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Tarik \"{{searchValue}}\" dari Ollama.com",
@ -1456,6 +1469,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Pengaturan", "Settings": "Pengaturan",
"Settings saved successfully!": "Pengaturan berhasil disimpan!", "Settings saved successfully!": "Pengaturan berhasil disimpan!",
"Share": "Berbagi", "Share": "Berbagi",
@ -1636,6 +1650,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "K atas", "Top K": "K atas",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1683,6 +1698,7 @@
"Upload Pipeline": "Unggah Pipeline", "Upload Pipeline": "Unggah Pipeline",
"Upload Progress": "Kemajuan Unggah", "Upload Progress": "Kemajuan Unggah",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "Mode URL", "URL Mode": "Mode URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Ceadaigh Leanúint ar aghaidh leis an bhFreagra", "Allow Continue Response": "Ceadaigh Leanúint ar aghaidh leis an bhFreagra",
"Allow Delete Messages": "Ceadaigh Teachtaireachtaí a Scriosadh", "Allow Delete Messages": "Ceadaigh Teachtaireachtaí a Scriosadh",
"Allow File Upload": "Ceadaigh Uaslódáil Comhad", "Allow File Upload": "Ceadaigh Uaslódáil Comhad",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Ceadaigh Il-Samhlacha i gComhrá", "Allow Multiple Models in Chat": "Ceadaigh Il-Samhlacha i gComhrá",
"Allow non-local voices": "Lig guthanna neamh-áitiúla", "Allow non-local voices": "Lig guthanna neamh-áitiúla",
"Allow Rate Response": "Ceadaigh Freagairt Ráta", "Allow Rate Response": "Ceadaigh Freagairt Ráta",
@ -144,6 +145,7 @@
"Archived Chats": "Comhráite Cartlann", "Archived Chats": "Comhráite Cartlann",
"archived-chat-export": "gcartlann-comhrá-onnmhairiú", "archived-chat-export": "gcartlann-comhrá-onnmhairiú",
"Are you sure you want to clear all memories? This action cannot be undone.": "An bhfuil tú cinnte gur mhaith leat na cuimhní go léir a ghlanadh? Ní féidir an gníomh seo a chealú.", "Are you sure you want to clear all memories? This action cannot be undone.": "An bhfuil tú cinnte gur mhaith leat na cuimhní go léir a ghlanadh? Ní féidir an gníomh seo a chealú.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "An bhfuil tú cinnte gur mhaith leat an cainéal seo a scriosadh?", "Are you sure you want to delete this channel?": "An bhfuil tú cinnte gur mhaith leat an cainéal seo a scriosadh?",
"Are you sure you want to delete this message?": "An bhfuil tú cinnte gur mhaith leat an teachtaireacht seo a scriosadh?", "Are you sure you want to delete this message?": "An bhfuil tú cinnte gur mhaith leat an teachtaireacht seo a scriosadh?",
"Are you sure you want to unarchive all archived chats?": "An bhfuil tú cinnte gur mhaith leat gach comhrá cartlainne a dhíchartlannú?", "Are you sure you want to unarchive all archived chats?": "An bhfuil tú cinnte gur mhaith leat gach comhrá cartlainne a dhíchartlannú?",
@ -388,12 +390,14 @@
"Default description enabled": "Cur síos réamhshocraithe cumasaithe", "Default description enabled": "Cur síos réamhshocraithe cumasaithe",
"Default Features": "Gnéithe Réamhshocraithe", "Default Features": "Gnéithe Réamhshocraithe",
"Default Filters": "Scagairí Réamhshocraithe", "Default Filters": "Scagairí Réamhshocraithe",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Oibríonn an mód réamhshocraithe le raon níos leithne samhlacha trí uirlisí a ghlaoch uair amháin roimh an bhforghníomhú. Úsáideann an modh dúchasach cumais ionsuite glaoite uirlisí an samhail, ach éilíonn sé go dtacóidh an tsamhail leis an ngné seo go bunúsach.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Oibríonn an mód réamhshocraithe le raon níos leithne samhlacha trí uirlisí a ghlaoch uair amháin roimh an bhforghníomhú. Úsáideann an modh dúchasach cumais ionsuite glaoite uirlisí an samhail, ach éilíonn sé go dtacóidh an tsamhail leis an ngné seo go bunúsach.",
"Default Model": "Samhail Réamhshocrú", "Default Model": "Samhail Réamhshocrú",
"Default model updated": "Nuashonraithe samhail réamhshocraithe", "Default model updated": "Nuashonraithe samhail réamhshocraithe",
"Default Models": "Samhlacha Réamhshocraithe", "Default Models": "Samhlacha Réamhshocraithe",
"Default permissions": "Ceadanna réamhshocraithe", "Default permissions": "Ceadanna réamhshocraithe",
"Default permissions updated successfully": "D'éirigh le ceadanna réamhshocraithe a nuashonrú", "Default permissions updated successfully": "D'éirigh le ceadanna réamhshocraithe a nuashonrú",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Moltaí Leid Réamhshocraithe", "Default Prompt Suggestions": "Moltaí Leid Réamhshocraithe",
"Default to 389 or 636 if TLS is enabled": "Réamhshocrú go 389 nó 636 má tá TLS cumasaithe", "Default to 389 or 636 if TLS is enabled": "Réamhshocrú go 389 nó 636 má tá TLS cumasaithe",
"Default to ALL": "Réamhshocrú do GACH", "Default to ALL": "Réamhshocrú do GACH",
@ -402,6 +406,7 @@
"Delete": "Scrios", "Delete": "Scrios",
"Delete a model": "Scrios samhail", "Delete a model": "Scrios samhail",
"Delete All Chats": "Scrios Gach Comhrá", "Delete All Chats": "Scrios Gach Comhrá",
"Delete all contents inside this folder": "",
"Delete All Models": "Scrios Gach Samhail", "Delete All Models": "Scrios Gach Samhail",
"Delete Chat": "Scrios Comhrá", "Delete Chat": "Scrios Comhrá",
"Delete chat?": "Scrios comhrá?", "Delete chat?": "Scrios comhrá?",
@ -730,6 +735,7 @@
"Features": "Gnéithe", "Features": "Gnéithe",
"Features Permissions": "Ceadanna Gnéithe", "Features Permissions": "Ceadanna Gnéithe",
"February": "Feabhra", "February": "Feabhra",
"Feedback deleted successfully": "",
"Feedback Details": "Sonraí Aiseolais", "Feedback Details": "Sonraí Aiseolais",
"Feedback History": "Stair Aiseolais", "Feedback History": "Stair Aiseolais",
"Feedbacks": "Aiseolas", "Feedbacks": "Aiseolas",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Níor chóir go mbeadh méid an chomhaid níos mó ná {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Níor chóir go mbeadh méid an chomhaid níos mó ná {{maxSize}} MB.",
"File Upload": "Uaslódáil Comhaid", "File Upload": "Uaslódáil Comhaid",
"File uploaded successfully": "D'éirigh le huaslódáil an chomhaid", "File uploaded successfully": "D'éirigh le huaslódáil an chomhaid",
"File uploaded!": "",
"Files": "Comhaid", "Files": "Comhaid",
"Filter": "Scagaire", "Filter": "Scagaire",
"Filter is now globally disabled": "Tá an scagaire faoi mhíchumas go domhanda", "Filter is now globally disabled": "Tá an scagaire faoi mhíchumas go domhanda",
@ -857,6 +864,7 @@
"Image Compression": "Comhbhrú Íomhá", "Image Compression": "Comhbhrú Íomhá",
"Image Compression Height": "Airde Comhbhrú Íomhá", "Image Compression Height": "Airde Comhbhrú Íomhá",
"Image Compression Width": "Leithead Comhbhrúite Íomhá", "Image Compression Width": "Leithead Comhbhrúite Íomhá",
"Image Edit": "",
"Image Edit Engine": "Inneall Eagarthóireachta Íomhá", "Image Edit Engine": "Inneall Eagarthóireachta Íomhá",
"Image Generation": "Giniúint Íomhá", "Image Generation": "Giniúint Íomhá",
"Image Generation Engine": "Inneall Giniúna Íomh", "Image Generation Engine": "Inneall Giniúna Íomh",
@ -941,6 +949,7 @@
"Knowledge Name": "Ainm an Eolais", "Knowledge Name": "Ainm an Eolais",
"Knowledge Public Sharing": "Roinnt Faisnéise Poiblí", "Knowledge Public Sharing": "Roinnt Faisnéise Poiblí",
"Knowledge reset successfully.": "D'éirigh le hathshocrú eolais.", "Knowledge reset successfully.": "D'éirigh le hathshocrú eolais.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "D'éirigh leis an eolas a nuashonrú", "Knowledge updated successfully": "D'éirigh leis an eolas a nuashonrú",
"Kokoro.js (Browser)": "Kokoro.js (Brabhsálaí)", "Kokoro.js (Browser)": "Kokoro.js (Brabhsálaí)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Méid Uaslódála Max", "Max Upload Size": "Méid Uaslódála Max",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Is féidir uasmhéid de 3 samhail a íoslódáil ag an am Bain triail as arís níos déanaí.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Is féidir uasmhéid de 3 samhail a íoslódáil ag an am Bain triail as arís níos déanaí.",
"May": "Bealtaine", "May": "Bealtaine",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "Is turgnamhach tacaíocht MCP agus athraítear a shonraíocht go minic, rud a dfhéadfadh neamh-chomhoiriúnachtaí a bheith mar thoradh air. Déanann foireann Open WebUI cothabháil dhíreach ar thacaíocht sonraíochta OpenAPI, rud a fhágann gurb é an rogha is iontaofa é le haghaidh comhoiriúnachta.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "Is turgnamhach tacaíocht MCP agus athraítear a shonraíocht go minic, rud a dfhéadfadh neamh-chomhoiriúnachtaí a bheith mar thoradh air. Déanann foireann Open WebUI cothabháil dhíreach ar thacaíocht sonraíochta OpenAPI, rud a fhágann gurb é an rogha is iontaofa é le haghaidh comhoiriúnachta.",
"Medium": "Meánach", "Medium": "Meánach",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Cumraíocht na samhlacha sábháilte go rathúil", "Models configuration saved successfully": "Cumraíocht na samhlacha sábháilte go rathúil",
"Models imported successfully": "Iompórtáladh samhlacha go rathúil", "Models imported successfully": "Iompórtáladh samhlacha go rathúil",
"Models Public Sharing": "Samhlacha Comhroinnt Phoiblí", "Models Public Sharing": "Samhlacha Comhroinnt Phoiblí",
"Models Sharing": "",
"Mojeek Search API Key": "Eochair API Cuardach Mojeek", "Mojeek Search API Key": "Eochair API Cuardach Mojeek",
"More": "Tuilleadh", "More": "Tuilleadh",
"More Concise": "Níos Gonta", "More Concise": "Níos Gonta",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nóta: Má shocraíonn tú íosscór, ní thabharfaidh an cuardach ach doiciméid a bhfuil scór níos mó ná nó cothrom leis an scór íosta ar ais.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nóta: Má shocraíonn tú íosscór, ní thabharfaidh an cuardach ach doiciméid a bhfuil scór níos mó ná nó cothrom leis an scór íosta ar ais.",
"Notes": "Nótaí", "Notes": "Nótaí",
"Notes Public Sharing": "Nótaí Comhroinnte Poiblí", "Notes Public Sharing": "Nótaí Comhroinnte Poiblí",
"Notes Sharing": "",
"Notification Sound": "Fuaim Fógra", "Notification Sound": "Fuaim Fógra",
"Notification Webhook": "Fógra Webook", "Notification Webhook": "Fógra Webook",
"Notifications": "Fógraí", "Notifications": "Fógraí",
@ -1274,6 +1286,7 @@
"Prompts": "Leabhair", "Prompts": "Leabhair",
"Prompts Access": "Rochtain ar Chuirí", "Prompts Access": "Rochtain ar Chuirí",
"Prompts Public Sharing": "Spreagann Roinnt Phoiblí", "Prompts Public Sharing": "Spreagann Roinnt Phoiblí",
"Prompts Sharing": "",
"Provider Type": "Cineál Soláthraí", "Provider Type": "Cineál Soláthraí",
"Public": "Poiblí", "Public": "Poiblí",
"Pull \"{{searchValue}}\" from Ollama.com": "Tarraing \"{{searchValue}}\" ó Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Tarraing \"{{searchValue}}\" ó Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Socraíonn sé an síol uimhir randamach a úsáid le haghaidh giniúna. Má shocraítear é seo ar uimhir shainiúil, ginfidh an tsamhail an téacs céanna don leid céanna.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Socraíonn sé an síol uimhir randamach a úsáid le haghaidh giniúna. Má shocraítear é seo ar uimhir shainiúil, ginfidh an tsamhail an téacs céanna don leid céanna.",
"Sets the size of the context window used to generate the next token.": "Socraíonn sé méid na fuinneoige comhthéacs a úsáidtear chun an chéad chomhartha eile a ghiniúint.", "Sets the size of the context window used to generate the next token.": "Socraíonn sé méid na fuinneoige comhthéacs a úsáidtear chun an chéad chomhartha eile a ghiniúint.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Socraíonn sé na stadanna le húsáid. Nuair a thagtar ar an bpatrún seo, stopfaidh an LLM ag giniúint téacs agus ag filleadh. Is féidir patrúin stad iolracha a shocrú trí pharaiméadair stadanna iolracha a shonrú i gcomhad samhail.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Socraíonn sé na stadanna le húsáid. Nuair a thagtar ar an bpatrún seo, stopfaidh an LLM ag giniúint téacs agus ag filleadh. Is féidir patrúin stad iolracha a shocrú trí pharaiméadair stadanna iolracha a shonrú i gcomhad samhail.",
"Setting": "",
"Settings": "Socruithe", "Settings": "Socruithe",
"Settings saved successfully!": "Socruithe sábhálta go rathúil!", "Settings saved successfully!": "Socruithe sábhálta go rathúil!",
"Share": "Comhroinn", "Share": "Comhroinn",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Leid Glaonna Feidhm Uirlisí", "Tools Function Calling Prompt": "Leid Glaonna Feidhm Uirlisí",
"Tools have a function calling system that allows arbitrary code execution.": "Tá córas glaonna feidhme ag uirlisí a cheadaíonn forghníomhú cód treallach.", "Tools have a function calling system that allows arbitrary code execution.": "Tá córas glaonna feidhme ag uirlisí a cheadaíonn forghníomhú cód treallach.",
"Tools Public Sharing": "Uirlisí Roinnte Poiblí", "Tools Public Sharing": "Uirlisí Roinnte Poiblí",
"Tools Sharing": "",
"Top K": "Barr K", "Top K": "Barr K",
"Top K Reranker": "Barr K Reranker", "Top K Reranker": "Barr K Reranker",
"Transformers": "Claochladáin", "Transformers": "Claochladáin",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Uaslódáil píblíne", "Upload Pipeline": "Uaslódáil píblíne",
"Upload Progress": "Dul Chun Cinn an Uaslódála", "Upload Progress": "Dul Chun Cinn an Uaslódála",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Dul Chun Cinn Uaslódála: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Dul Chun Cinn Uaslódála: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "Tá URL ag teastáil", "URL is required": "Tá URL ag teastáil",
"URL Mode": "Mód URL", "URL Mode": "Mód URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Consenti caricamento file", "Allow File Upload": "Consenti caricamento file",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Consenti più modelli in chat", "Allow Multiple Models in Chat": "Consenti più modelli in chat",
"Allow non-local voices": "Consenti voci non locali", "Allow non-local voices": "Consenti voci non locali",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Chat archiviate", "Archived Chats": "Chat archiviate",
"archived-chat-export": "chat-archiviata-esportazione", "archived-chat-export": "chat-archiviata-esportazione",
"Are you sure you want to clear all memories? This action cannot be undone.": "Sei sicuro di voler cancellare tutte le memorie? Questa operazione non può essere annullata.", "Are you sure you want to clear all memories? This action cannot be undone.": "Sei sicuro di voler cancellare tutte le memorie? Questa operazione non può essere annullata.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Sei sicuro di voler eliminare questo canale?", "Are you sure you want to delete this channel?": "Sei sicuro di voler eliminare questo canale?",
"Are you sure you want to delete this message?": "Sei sicuro di voler eliminare questo messaggio?", "Are you sure you want to delete this message?": "Sei sicuro di voler eliminare questo messaggio?",
"Are you sure you want to unarchive all archived chats?": "Sei sicuro di voler disarchiviare tutte le chat archiviate?", "Are you sure you want to unarchive all archived chats?": "Sei sicuro di voler disarchiviare tutte le chat archiviate?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Il modello predefinito funziona con un'ampia gamma di modelli chiamando gli strumenti una volta prima dell'esecuzione. La modalità nativa sfrutta le capacità di chiamata degli strumenti integrate nel modello, ma richiede che il modello supporti intrinsecamente questa funzionalità.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Il modello predefinito funziona con un'ampia gamma di modelli chiamando gli strumenti una volta prima dell'esecuzione. La modalità nativa sfrutta le capacità di chiamata degli strumenti integrate nel modello, ma richiede che il modello supporti intrinsecamente questa funzionalità.",
"Default Model": "Modello predefinito", "Default Model": "Modello predefinito",
"Default model updated": "Modello predefinito aggiornato", "Default model updated": "Modello predefinito aggiornato",
"Default Models": "Modelli predefiniti", "Default Models": "Modelli predefiniti",
"Default permissions": "Permessi predefiniti", "Default permissions": "Permessi predefiniti",
"Default permissions updated successfully": "Permessi predefiniti aggiornati con successo", "Default permissions updated successfully": "Permessi predefiniti aggiornati con successo",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Suggerimenti prompt predefiniti", "Default Prompt Suggestions": "Suggerimenti prompt predefiniti",
"Default to 389 or 636 if TLS is enabled": "Predefinito a 389 o 636 se TLS è ab", "Default to 389 or 636 if TLS is enabled": "Predefinito a 389 o 636 se TLS è ab",
"Default to ALL": "Predefinito su TUTTI", "Default to ALL": "Predefinito su TUTTI",
@ -402,6 +406,7 @@
"Delete": "Elimina", "Delete": "Elimina",
"Delete a model": "Elimina un modello", "Delete a model": "Elimina un modello",
"Delete All Chats": "Elimina tutte le chat", "Delete All Chats": "Elimina tutte le chat",
"Delete all contents inside this folder": "",
"Delete All Models": "Elimina tutti i modelli", "Delete All Models": "Elimina tutti i modelli",
"Delete Chat": "Elimina chat", "Delete Chat": "Elimina chat",
"Delete chat?": "Elimina chat?", "Delete chat?": "Elimina chat?",
@ -730,6 +735,7 @@
"Features": "Caratteristiche", "Features": "Caratteristiche",
"Features Permissions": "Permessi delle funzionalità", "Features Permissions": "Permessi delle funzionalità",
"February": "Febbraio", "February": "Febbraio",
"Feedback deleted successfully": "",
"Feedback Details": "Dettagli feedback", "Feedback Details": "Dettagli feedback",
"Feedback History": "Storico feedback", "Feedback History": "Storico feedback",
"Feedbacks": "Feedback", "Feedbacks": "Feedback",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "La dimensione del file non deve superare {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "La dimensione del file non deve superare {{maxSize}} MB.",
"File Upload": "Caricamento file", "File Upload": "Caricamento file",
"File uploaded successfully": "Caricamento file riuscito", "File uploaded successfully": "Caricamento file riuscito",
"File uploaded!": "",
"Files": "File", "Files": "File",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Il filtro è ora disabilitato globalmente", "Filter is now globally disabled": "Il filtro è ora disabilitato globalmente",
@ -857,6 +864,7 @@
"Image Compression": "Compressione Immagini", "Image Compression": "Compressione Immagini",
"Image Compression Height": "Altezza immagine compressa", "Image Compression Height": "Altezza immagine compressa",
"Image Compression Width": "Larghezza immagine compressa", "Image Compression Width": "Larghezza immagine compressa",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Generazione Immagini", "Image Generation": "Generazione Immagini",
"Image Generation Engine": "Motore di generazione immagini", "Image Generation Engine": "Motore di generazione immagini",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "Conoscenza condivisione pubblica", "Knowledge Public Sharing": "Conoscenza condivisione pubblica",
"Knowledge reset successfully.": "Conoscenza ripristinata con successo.", "Knowledge reset successfully.": "Conoscenza ripristinata con successo.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Conoscenza aggiornata con successo", "Knowledge updated successfully": "Conoscenza aggiornata con successo",
"Kokoro.js (Browser)": "Kokoro.js (Browser)", "Kokoro.js (Browser)": "Kokoro.js (Browser)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Dimensione massima di caricamento", "Max Upload Size": "Dimensione massima di caricamento",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "È possibile scaricare un massimo di 3 modelli contemporaneamente. Riprova più tardi.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "È possibile scaricare un massimo di 3 modelli contemporaneamente. Riprova più tardi.",
"May": "Maggio", "May": "Maggio",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Configurazione modelli salvata con successo", "Models configuration saved successfully": "Configurazione modelli salvata con successo",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Conoscenza condivisione pubblica", "Models Public Sharing": "Conoscenza condivisione pubblica",
"Models Sharing": "",
"Mojeek Search API Key": "Chiave API di Mojeek Search", "Mojeek Search API Key": "Chiave API di Mojeek Search",
"More": "Altro", "More": "Altro",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: se imposti un punteggio minimo, la ricerca restituirà solo i documenti con un punteggio maggiore o uguale al punteggio minimo.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: se imposti un punteggio minimo, la ricerca restituirà solo i documenti con un punteggio maggiore o uguale al punteggio minimo.",
"Notes": "Note", "Notes": "Note",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Suono di notifica", "Notification Sound": "Suono di notifica",
"Notification Webhook": "Webhook di notifica", "Notification Webhook": "Webhook di notifica",
"Notifications": "Notifiche desktop", "Notifications": "Notifiche desktop",
@ -1274,6 +1286,7 @@
"Prompts": "Prompt", "Prompts": "Prompt",
"Prompts Access": "Accesso ai Prompt", "Prompts Access": "Accesso ai Prompt",
"Prompts Public Sharing": "Condivisione Pubblica dei Prompt", "Prompts Public Sharing": "Condivisione Pubblica dei Prompt",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Pubblico", "Public": "Pubblico",
"Pull \"{{searchValue}}\" from Ollama.com": "Estrai \"{{searchValue}}\" da Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Estrai \"{{searchValue}}\" da Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Imposta il seme del numero casuale da utilizzare per la generazione. Impostando questo su un numero specifico, il modello genererà lo stesso testo per lo stesso prompt.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Imposta il seme del numero casuale da utilizzare per la generazione. Impostando questo su un numero specifico, il modello genererà lo stesso testo per lo stesso prompt.",
"Sets the size of the context window used to generate the next token.": "Imposta la dimensione della finestra di contesto utilizzata per generare il token successivo.", "Sets the size of the context window used to generate the next token.": "Imposta la dimensione della finestra di contesto utilizzata per generare il token successivo.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Imposta le sequenze di arresto da utilizzare. Quando questo modello viene incontrato, l'LLM smetterà di generare testo e restituirà. Più modelli di arresto possono essere impostati specificando più parametri di arresto separati in un file modello.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Imposta le sequenze di arresto da utilizzare. Quando questo modello viene incontrato, l'LLM smetterà di generare testo e restituirà. Più modelli di arresto possono essere impostati specificando più parametri di arresto separati in un file modello.",
"Setting": "",
"Settings": "Impostazioni", "Settings": "Impostazioni",
"Settings saved successfully!": "Impostazioni salvate con successo!", "Settings saved successfully!": "Impostazioni salvate con successo!",
"Share": "Condividi", "Share": "Condividi",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "Prompt di Chiamata Funzione dei Strumenti", "Tools Function Calling Prompt": "Prompt di Chiamata Funzione dei Strumenti",
"Tools have a function calling system that allows arbitrary code execution.": "Gli strumenti hanno un sistema di chiamata di funzione che consente l'esecuzione di codice arbitrario.", "Tools have a function calling system that allows arbitrary code execution.": "Gli strumenti hanno un sistema di chiamata di funzione che consente l'esecuzione di codice arbitrario.",
"Tools Public Sharing": "Condivisione Pubblica degli strumenti", "Tools Public Sharing": "Condivisione Pubblica degli strumenti",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Reranker Top K", "Top K Reranker": "Reranker Top K",
"Transformers": "Transformer", "Transformers": "Transformer",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Carica Pipeline", "Upload Pipeline": "Carica Pipeline",
"Upload Progress": "Avanzamento Caricamento", "Upload Progress": "Avanzamento Caricamento",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "Modalità URL", "URL Mode": "Modalità URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "ファイルのアップロードを許可", "Allow File Upload": "ファイルのアップロードを許可",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "チャットで複数のモデルを許可", "Allow Multiple Models in Chat": "チャットで複数のモデルを許可",
"Allow non-local voices": "ローカル以外のボイスを許可", "Allow non-local voices": "ローカル以外のボイスを許可",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "チャット記録", "Archived Chats": "チャット記録",
"archived-chat-export": "チャット記録のエクスポート", "archived-chat-export": "チャット記録のエクスポート",
"Are you sure you want to clear all memories? This action cannot be undone.": "すべてのメモリをクリアしますか?この操作は元に戻すことができません。", "Are you sure you want to clear all memories? This action cannot be undone.": "すべてのメモリをクリアしますか?この操作は元に戻すことができません。",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "このチャンネルを削除しますか?", "Are you sure you want to delete this channel?": "このチャンネルを削除しますか?",
"Are you sure you want to delete this message?": "このメッセージを削除しますか?", "Are you sure you want to delete this message?": "このメッセージを削除しますか?",
"Are you sure you want to unarchive all archived chats?": "すべてのアーカイブされたチャットをアンアーカイブしますか?", "Are you sure you want to unarchive all archived chats?": "すべてのアーカイブされたチャットをアンアーカイブしますか?",
@ -388,12 +390,14 @@
"Default description enabled": "デフォルト説明が有効です", "Default description enabled": "デフォルト説明が有効です",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "デフォルトモードは、実行前にツールを一度呼び出すことで、より広範なモデルで動作します。ネイティブモードは、モデルの組み込みのツール呼び出し機能を活用しますが、モデルがこの機能をサポートしている必要があります。", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "デフォルトモードは、実行前にツールを一度呼び出すことで、より広範なモデルで動作します。ネイティブモードは、モデルの組み込みのツール呼び出し機能を活用しますが、モデルがこの機能をサポートしている必要があります。",
"Default Model": "デフォルトモデル", "Default Model": "デフォルトモデル",
"Default model updated": "デフォルトモデルが更新されました", "Default model updated": "デフォルトモデルが更新されました",
"Default Models": "デフォルトモデル", "Default Models": "デフォルトモデル",
"Default permissions": "デフォルトの権限", "Default permissions": "デフォルトの権限",
"Default permissions updated successfully": "デフォルトの権限が更新されました", "Default permissions updated successfully": "デフォルトの権限が更新されました",
"Default Pinned Models": "",
"Default Prompt Suggestions": "デフォルトのプロンプトの提案", "Default Prompt Suggestions": "デフォルトのプロンプトの提案",
"Default to 389 or 636 if TLS is enabled": "389 またはTLSが有効な場合は 636 がデフォルト", "Default to 389 or 636 if TLS is enabled": "389 またはTLSが有効な場合は 636 がデフォルト",
"Default to ALL": "標準ではALL", "Default to ALL": "標準ではALL",
@ -402,6 +406,7 @@
"Delete": "削除", "Delete": "削除",
"Delete a model": "モデルを削除", "Delete a model": "モデルを削除",
"Delete All Chats": "すべてのチャットを削除", "Delete All Chats": "すべてのチャットを削除",
"Delete all contents inside this folder": "",
"Delete All Models": "すべてのモデルを削除", "Delete All Models": "すべてのモデルを削除",
"Delete Chat": "チャットを削除", "Delete Chat": "チャットを削除",
"Delete chat?": "チャットを削除しますか?", "Delete chat?": "チャットを削除しますか?",
@ -730,6 +735,7 @@
"Features": "機能", "Features": "機能",
"Features Permissions": "機能の許可", "Features Permissions": "機能の許可",
"February": "2月", "February": "2月",
"Feedback deleted successfully": "",
"Feedback Details": "フィードバックの詳細", "Feedback Details": "フィードバックの詳細",
"Feedback History": "フィードバック履歴", "Feedback History": "フィードバック履歴",
"Feedbacks": "フィードバック", "Feedbacks": "フィードバック",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "ファイルサイズの最大値は {{maxSize}} MB です。", "File size should not exceed {{maxSize}} MB.": "ファイルサイズの最大値は {{maxSize}} MB です。",
"File Upload": "ファイルアップロード", "File Upload": "ファイルアップロード",
"File uploaded successfully": "ファイルアップロードが成功しました", "File uploaded successfully": "ファイルアップロードが成功しました",
"File uploaded!": "",
"Files": "ファイル", "Files": "ファイル",
"Filter": "フィルタ", "Filter": "フィルタ",
"Filter is now globally disabled": "グローバルフィルタが無効です。", "Filter is now globally disabled": "グローバルフィルタが無効です。",
@ -857,6 +864,7 @@
"Image Compression": "画像圧縮", "Image Compression": "画像圧縮",
"Image Compression Height": "画像圧縮 高さ", "Image Compression Height": "画像圧縮 高さ",
"Image Compression Width": "画像圧縮 幅", "Image Compression Width": "画像圧縮 幅",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "画像生成", "Image Generation": "画像生成",
"Image Generation Engine": "画像生成エンジン", "Image Generation Engine": "画像生成エンジン",
@ -941,6 +949,7 @@
"Knowledge Name": "ナレッジベースの名前", "Knowledge Name": "ナレッジベースの名前",
"Knowledge Public Sharing": "ナレッジベースの公開共有", "Knowledge Public Sharing": "ナレッジベースの公開共有",
"Knowledge reset successfully.": "ナレッジベースのリセットに成功しました", "Knowledge reset successfully.": "ナレッジベースのリセットに成功しました",
"Knowledge Sharing": "",
"Knowledge updated successfully": "ナレッジベースのアップデートに成功しました", "Knowledge updated successfully": "ナレッジベースのアップデートに成功しました",
"Kokoro.js (Browser)": "Kokoro.js (ブラウザ)", "Kokoro.js (Browser)": "Kokoro.js (ブラウザ)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "最大アップロードサイズ", "Max Upload Size": "最大アップロードサイズ",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "同時にダウンロードできるモデルは最大 3 つです。後でもう一度お試しください。", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "同時にダウンロードできるモデルは最大 3 つです。後でもう一度お試しください。",
"May": "5月", "May": "5月",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "中", "Medium": "中",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "モデル設定が正常に保存されました", "Models configuration saved successfully": "モデル設定が正常に保存されました",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "モデルの公開共有", "Models Public Sharing": "モデルの公開共有",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search APIキー", "Mojeek Search API Key": "Mojeek Search APIキー",
"More": "もっと見る", "More": "もっと見る",
"More Concise": "より簡潔に", "More Concise": "より簡潔に",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "注意:最小スコアを設定した場合、検索は最小スコア以上のスコアを持つドキュメントのみを返します。", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "注意:最小スコアを設定した場合、検索は最小スコア以上のスコアを持つドキュメントのみを返します。",
"Notes": "ノート", "Notes": "ノート",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "通知音", "Notification Sound": "通知音",
"Notification Webhook": "通知Webhook", "Notification Webhook": "通知Webhook",
"Notifications": "デスクトップ通知", "Notifications": "デスクトップ通知",
@ -1274,6 +1286,7 @@
"Prompts": "プロンプト", "Prompts": "プロンプト",
"Prompts Access": "プロンプトアクセス", "Prompts Access": "プロンプトアクセス",
"Prompts Public Sharing": "プロンプトの公開共有", "Prompts Public Sharing": "プロンプトの公開共有",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "公開", "Public": "公開",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com から \"{{searchValue}}\" をプル", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com から \"{{searchValue}}\" をプル",
@ -1456,6 +1469,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "生成に用いる乱数シードを設定します。特定の数値を設定すると、同じプロンプトで同じテキストが生成されます。", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "生成に用いる乱数シードを設定します。特定の数値を設定すると、同じプロンプトで同じテキストが生成されます。",
"Sets the size of the context window used to generate the next token.": "次のトークンを生成する際に使用するコンテキストウィンドウのサイズを設定します。", "Sets the size of the context window used to generate the next token.": "次のトークンを生成する際に使用するコンテキストウィンドウのサイズを設定します。",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "停止シーケンスを設定します。このパターンに達するとLLMはテキスト生成を停止し、結果を返します。複数の停止パターンは、モデルファイル内で複数のstopパラメータを指定することで設定可能です。", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "停止シーケンスを設定します。このパターンに達するとLLMはテキスト生成を停止し、結果を返します。複数の停止パターンは、モデルファイル内で複数のstopパラメータを指定することで設定可能です。",
"Setting": "",
"Settings": "設定", "Settings": "設定",
"Settings saved successfully!": "設定が正常に保存されました!", "Settings saved successfully!": "設定が正常に保存されました!",
"Share": "共有", "Share": "共有",
@ -1636,6 +1650,7 @@
"Tools Function Calling Prompt": "ツール関数呼び出しプロンプト", "Tools Function Calling Prompt": "ツール関数呼び出しプロンプト",
"Tools have a function calling system that allows arbitrary code execution.": "ツールは任意のコード実行を可能にする関数呼び出しシステムを持っています。", "Tools have a function calling system that allows arbitrary code execution.": "ツールは任意のコード実行を可能にする関数呼び出しシステムを持っています。",
"Tools Public Sharing": "ツールの公開共有", "Tools Public Sharing": "ツールの公開共有",
"Tools Sharing": "",
"Top K": "トップ K", "Top K": "トップ K",
"Top K Reranker": "トップ K リランカー", "Top K Reranker": "トップ K リランカー",
"Transformers": "", "Transformers": "",
@ -1683,6 +1698,7 @@
"Upload Pipeline": "パイプラインをアップロード", "Upload Pipeline": "パイプラインをアップロード",
"Upload Progress": "アップロードの進行状況", "Upload Progress": "アップロードの進行状況",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "アップロード状況: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "アップロード状況: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "URLは必須です", "URL is required": "URLは必須です",
"URL Mode": "URL モード", "URL Mode": "URL モード",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "პასუხის გაგრძელების დაშვება", "Allow Continue Response": "პასუხის გაგრძელების დაშვება",
"Allow Delete Messages": "შეტყობინებების წაშლის დაშვება", "Allow Delete Messages": "შეტყობინებების წაშლის დაშვება",
"Allow File Upload": "ფაილის ატვირთვის დაშვება", "Allow File Upload": "ფაილის ატვირთვის დაშვება",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "ერთზე მეტი მოდელის დაშვება ჩატში", "Allow Multiple Models in Chat": "ერთზე მეტი მოდელის დაშვება ჩატში",
"Allow non-local voices": "არალოკალური ხმების დაშვება", "Allow non-local voices": "არალოკალური ხმების დაშვება",
"Allow Rate Response": "პასუხის შეფასების დაშვება", "Allow Rate Response": "პასუხის შეფასების დაშვება",
@ -144,6 +145,7 @@
"Archived Chats": "დაარქივებული ჩატები", "Archived Chats": "დაარქივებული ჩატები",
"archived-chat-export": "დაარქივებული-ჩატის-გატანა", "archived-chat-export": "დაარქივებული-ჩატის-გატანა",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "მართლა გნებავთ ამ არხის წაშლა?", "Are you sure you want to delete this channel?": "მართლა გნებავთ ამ არხის წაშლა?",
"Are you sure you want to delete this message?": "მართლა გნებავთ ამ შეტყობინების წასლა?", "Are you sure you want to delete this message?": "მართლა გნებავთ ამ შეტყობინების წასლა?",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "ნაგულისხმევი აღწერა ჩართულია", "Default description enabled": "ნაგულისხმევი აღწერა ჩართულია",
"Default Features": "ნაგულისხმევი ფუნქციები", "Default Features": "ნაგულისხმევი ფუნქციები",
"Default Filters": "ნაგულიხმევი ფილტრები", "Default Filters": "ნაგულიხმევი ფილტრები",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "ნაგულისხმევი მოდელი", "Default Model": "ნაგულისხმევი მოდელი",
"Default model updated": "ნაგულისხმევი მოდელი განახლდა", "Default model updated": "ნაგულისხმევი მოდელი განახლდა",
"Default Models": "ნაგულისხმევი მოდელები", "Default Models": "ნაგულისხმევი მოდელები",
"Default permissions": "ნაგულისხმები წვდომები", "Default permissions": "ნაგულისხმები წვდომები",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "ნაგულისხმევი მოთხოვნის მინიშნებები", "Default Prompt Suggestions": "ნაგულისხმევი მოთხოვნის მინიშნებები",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "წაშლა", "Delete": "წაშლა",
"Delete a model": "მოდელის წაშლა", "Delete a model": "მოდელის წაშლა",
"Delete All Chats": "ყველა ჩატის წაშლა", "Delete All Chats": "ყველა ჩატის წაშლა",
"Delete all contents inside this folder": "",
"Delete All Models": "ყველა მოდელის წაშლა", "Delete All Models": "ყველა მოდელის წაშლა",
"Delete Chat": "საუბრის წაშლა", "Delete Chat": "საუბრის წაშლა",
"Delete chat?": "წავშალო ჩატი?", "Delete chat?": "წავშალო ჩატი?",
@ -730,6 +735,7 @@
"Features": "მახასიათებლები", "Features": "მახასიათებლები",
"Features Permissions": "უფლებები ფუნქციებზე", "Features Permissions": "უფლებები ფუნქციებზე",
"February": "თებერვალი", "February": "თებერვალი",
"Feedback deleted successfully": "",
"Feedback Details": "უკუკავშირის დეტალები", "Feedback Details": "უკუკავშირის დეტალები",
"Feedback History": "უკუკავშირის ისტორია", "Feedback History": "უკუკავშირის ისტორია",
"Feedbacks": "უკუკავშირები", "Feedbacks": "უკუკავშირები",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "ფაილის ზომა {{maxSize}} მბ-ს არ უნდა აღემატებოდეს.", "File size should not exceed {{maxSize}} MB.": "ფაილის ზომა {{maxSize}} მბ-ს არ უნდა აღემატებოდეს.",
"File Upload": "ფაილის ატვირთვა", "File Upload": "ფაილის ატვირთვა",
"File uploaded successfully": "ფაილი წარმატებით აიტვირთა", "File uploaded successfully": "ფაილი წარმატებით აიტვირთა",
"File uploaded!": "",
"Files": "ფაილი", "Files": "ფაილი",
"Filter": "ფილტრი", "Filter": "ფილტრი",
"Filter is now globally disabled": "ფილტრი ახლა გლობალურად გამორთულია", "Filter is now globally disabled": "ფილტრი ახლა გლობალურად გამორთულია",
@ -857,6 +864,7 @@
"Image Compression": "გამოსახულების შეკუმშვა", "Image Compression": "გამოსახულების შეკუმშვა",
"Image Compression Height": "გამოსახულების შეკუმშვის სიმაღლე", "Image Compression Height": "გამოსახულების შეკუმშვის სიმაღლე",
"Image Compression Width": "გამოსახულების შეკუმშვის სიგანე", "Image Compression Width": "გამოსახულების შეკუმშვის სიგანე",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "გამოსახულების გენერაცია", "Image Generation": "გამოსახულების გენერაცია",
"Image Generation Engine": "გამოსახულებების გენერაციის ძრავა", "Image Generation Engine": "გამოსახულებების გენერაციის ძრავა",
@ -941,6 +949,7 @@
"Knowledge Name": "ცოდნის სახელი", "Knowledge Name": "ცოდნის სახელი",
"Knowledge Public Sharing": "ცოდნის საჯარო გაზიარება", "Knowledge Public Sharing": "ცოდნის საჯარო გაზიარება",
"Knowledge reset successfully.": "ცოდნის ჩამოყრა წარმატებულია.", "Knowledge reset successfully.": "ცოდნის ჩამოყრა წარმატებულია.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "ცოდნა წარმატებით განახლდა", "Knowledge updated successfully": "ცოდნა წარმატებით განახლდა",
"Kokoro.js (Browser)": "Kokoro.js (ბრაუზერი)", "Kokoro.js (Browser)": "Kokoro.js (ბრაუზერი)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "მაქს. ატვირთვის ზომა", "Max Upload Size": "მაქს. ატვირთვის ზომა",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "ერთდროულად მაქსიმუმ 3 მოდელის ჩამოტვირთვაა შესაძლებელია. მოგვიანებით სცადეთ.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "ერთდროულად მაქსიმუმ 3 მოდელის ჩამოტვირთვაა შესაძლებელია. მოგვიანებით სცადეთ.",
"May": "მაისი", "May": "მაისი",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "საშუალო", "Medium": "საშუალო",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "მეტი", "More": "მეტი",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "შენიშვნა: თუ თქვენ დააყენებთ მინიმალურ ქულას, ძებნა დააბრუნებს მხოლოდ დოკუმენტებს მინიმალური ქულის მეტი ან ტოლი ქულით.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "შენიშვნა: თუ თქვენ დააყენებთ მინიმალურ ქულას, ძებნა დააბრუნებს მხოლოდ დოკუმენტებს მინიმალური ქულის მეტი ან ტოლი ქულით.",
"Notes": "შენიშვნები", "Notes": "შენიშვნები",
"Notes Public Sharing": "შენიშვნების საჯარო გაზიარება", "Notes Public Sharing": "შენიშვნების საჯარო გაზიარება",
"Notes Sharing": "",
"Notification Sound": "გაფრთხილების ხმა", "Notification Sound": "გაფრთხილების ხმა",
"Notification Webhook": "გაფრთხილების ვებჰუკი", "Notification Webhook": "გაფრთხილების ვებჰუკი",
"Notifications": "გაფრთხილებები", "Notifications": "გაფრთხილებები",
@ -1274,6 +1286,7 @@
"Prompts": "მოთხოვნები", "Prompts": "მოთხოვნები",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "მომწოდებლის წიპი", "Provider Type": "მომწოდებლის წიპი",
"Public": "საჯარო", "Public": "საჯარო",
"Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\"-ის გადმოწერა Ollama.com-იდან", "Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\"-ის გადმოწერა Ollama.com-იდან",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "მორგება", "Settings": "მორგება",
"Settings saved successfully!": "პარამეტრები შენახვა წარმატებულია!", "Settings saved successfully!": "პარამეტრები შენახვა წარმატებულია!",
"Share": "გაზიარება", "Share": "გაზიარება",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "ტოპ K", "Top K": "ტოპ K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "ფაიფლაინის ატვირთვა", "Upload Pipeline": "ფაიფლაინის ატვირთვა",
"Upload Progress": "ატვირთვის მიმდინარეობა", "Upload Progress": "ატვირთვის მიმდინარეობა",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL საჭიროა", "URL is required": "URL საჭიროა",
"URL Mode": "URL რეჟიმი", "URL Mode": "URL რეჟიმი",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Sireg akemmel n tririt", "Allow Continue Response": "Sireg akemmel n tririt",
"Allow Delete Messages": "Sireg tukksa n yiznan", "Allow Delete Messages": "Sireg tukksa n yiznan",
"Allow File Upload": "Sireg asali n yifuyla", "Allow File Upload": "Sireg asali n yifuyla",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Sireg ugar n timudmiwin deg usqerdec", "Allow Multiple Models in Chat": "Sireg ugar n timudmiwin deg usqerdec",
"Allow non-local voices": "Sireg tuɣac tirdiganin", "Allow non-local voices": "Sireg tuɣac tirdiganin",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Idiwenniyen i yettwaḥerzen", "Archived Chats": "Idiwenniyen i yettwaḥerzen",
"archived-chat-export": "asifeḍ n yidiwenniyen i yettwaḥerzen", "archived-chat-export": "asifeḍ n yidiwenniyen i yettwaḥerzen",
"Are you sure you want to clear all memories? This action cannot be undone.": "Tetḥeqqeḍ tebɣiḍ ad tekkseḍ akk aktayen? Tigawt-a ur tettwakkes ara.", "Are you sure you want to clear all memories? This action cannot be undone.": "Tetḥeqqeḍ tebɣiḍ ad tekkseḍ akk aktayen? Tigawt-a ur tettwakkes ara.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Tetḥeqqeḍ tebɣiḍ ad tekkseḍ targa-a?", "Are you sure you want to delete this channel?": "Tetḥeqqeḍ tebɣiḍ ad tekkseḍ targa-a?",
"Are you sure you want to delete this message?": "Tetḥeqqeḍ tebɣiḍ ad tekkseḍ izen-a?", "Are you sure you want to delete this message?": "Tetḥeqqeḍ tebɣiḍ ad tekkseḍ izen-a?",
"Are you sure you want to unarchive all archived chats?": "Tetḥeqqemt tebɣamt ad d-tekksemt akk iqecwalen iarkasen?", "Are you sure you want to unarchive all archived chats?": "Tetḥeqqemt tebɣamt ad d-tekksemt akk iqecwalen iarkasen?",
@ -388,12 +390,14 @@
"Default description enabled": "Aglam amezwar yermed", "Default description enabled": "Aglam amezwar yermed",
"Default Features": "", "Default Features": "",
"Default Filters": "Imsizdigen imezwura", "Default Filters": "Imsizdigen imezwura",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Tamudemt tamezwart", "Default Model": "Tamudemt tamezwart",
"Default model updated": "Tamudemt amezwar, tettwaleqqem", "Default model updated": "Tamudemt amezwar, tettwaleqqem",
"Default Models": "Timudmiwin timezwura", "Default Models": "Timudmiwin timezwura",
"Default permissions": "Tisirag timezwura", "Default permissions": "Tisirag timezwura",
"Default permissions updated successfully": "Tisirag timezwar ttwaleqqment akken iwata", "Default permissions updated successfully": "Tisirag timezwar ttwaleqqment akken iwata",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Isumar n yineftaɣen s wudem amezwar", "Default Prompt Suggestions": "Isumar n yineftaɣen s wudem amezwar",
"Default to 389 or 636 if TLS is enabled": "Amezwer 389 neɣ 636 ma yella TLS yettwarmed", "Default to 389 or 636 if TLS is enabled": "Amezwer 389 neɣ 636 ma yella TLS yettwarmed",
"Default to ALL": "S wudem amezwar i meṛṛa", "Default to ALL": "S wudem amezwar i meṛṛa",
@ -402,6 +406,7 @@
"Delete": "Kkes", "Delete": "Kkes",
"Delete a model": "Kkes tamudemt", "Delete a model": "Kkes tamudemt",
"Delete All Chats": "Kkes akk idiwenniyen", "Delete All Chats": "Kkes akk idiwenniyen",
"Delete all contents inside this folder": "",
"Delete All Models": "Kkes akk timudmiwin", "Delete All Models": "Kkes akk timudmiwin",
"Delete Chat": "Kkes asqerdec", "Delete Chat": "Kkes asqerdec",
"Delete chat?": "Tebɣiḍ ad tekkseḍ adiwenni?", "Delete chat?": "Tebɣiḍ ad tekkseḍ adiwenni?",
@ -730,6 +735,7 @@
"Features": "Timahilin", "Features": "Timahilin",
"Features Permissions": "Tisirag n tmehilin", "Features Permissions": "Tisirag n tmehilin",
"February": "Fuṛaṛ", "February": "Fuṛaṛ",
"Feedback deleted successfully": "",
"Feedback Details": "Talqayt n tamawin", "Feedback Details": "Talqayt n tamawin",
"Feedback History": "Azray n tamawin", "Feedback History": "Azray n tamawin",
"Feedbacks": "Timuɣliwin", "Feedbacks": "Timuɣliwin",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Tiddi n ufaylu ur ilaq ara ad tɛeddi nnig {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Tiddi n ufaylu ur ilaq ara ad tɛeddi nnig {{maxSize}} MB.",
"File Upload": "Asali n ufaylu", "File Upload": "Asali n ufaylu",
"File uploaded successfully": "Afaylu-nni yuli akken iwata", "File uploaded successfully": "Afaylu-nni yuli akken iwata",
"File uploaded!": "",
"Files": "Ifuyla", "Files": "Ifuyla",
"Filter": "Imsizdeg", "Filter": "Imsizdeg",
"Filter is now globally disabled": "Afaylu tura d ameɛdur amaḍalan", "Filter is now globally disabled": "Afaylu tura d ameɛdur amaḍalan",
@ -857,6 +864,7 @@
"Image Compression": "Tussda n tugna", "Image Compression": "Tussda n tugna",
"Image Compression Height": "Askussel n teɣzi n tugna", "Image Compression Height": "Askussel n teɣzi n tugna",
"Image Compression Width": "Askussem n tehri n tugna", "Image Compression Width": "Askussem n tehri n tugna",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Asirew n tugniwin", "Image Generation": "Asirew n tugniwin",
"Image Generation Engine": "Amsedday n usirew n tugniwin", "Image Generation Engine": "Amsedday n usirew n tugniwin",
@ -941,6 +949,7 @@
"Knowledge Name": "Isem n tmessunt", "Knowledge Name": "Isem n tmessunt",
"Knowledge Public Sharing": "Beṭṭu azayaz n tmussniwin", "Knowledge Public Sharing": "Beṭṭu azayaz n tmussniwin",
"Knowledge reset successfully.": "Tamussni tettuwennez akken iwata.", "Knowledge reset successfully.": "Tamussni tettuwennez akken iwata.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Timussniwin ttwaleqqment akken iwata", "Knowledge updated successfully": "Timussniwin ttwaleqqment akken iwata",
"Kokoro.js (Browser)": "Kokoro.js (Iminig)", "Kokoro.js (Browser)": "Kokoro.js (Iminig)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Teɣzi tafellayt n uzdam", "Max Upload Size": "Teɣzi tafellayt n uzdam",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum n 3 n tmudmin yezmer ad d-yettwasider seg-a ɣer da. Ttxil-k, ɛreḍ tikkelt niḍen ticki.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum n 3 n tmudmin yezmer ad d-yettwasider seg-a ɣer da. Ttxil-k, ɛreḍ tikkelt niḍen ticki.",
"May": "Mayyu", "May": "Mayyu",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Asneftaɣ n yimudam yettwaskelsen akken iwata", "Models configuration saved successfully": "Asneftaɣ n yimudam yettwaskelsen akken iwata",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Beṭṭu azayaz n tmudmiwin", "Models Public Sharing": "Beṭṭu azayaz n tmudmiwin",
"Models Sharing": "",
"Mojeek Search API Key": "Tasarut API n Mojeek", "Mojeek Search API Key": "Tasarut API n Mojeek",
"More": "Ugar", "More": "Ugar",
"More Concise": "Awezlan ugar", "More Concise": "Awezlan ugar",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "",
"Notes": "Tizmilin", "Notes": "Tizmilin",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Imesli n tilɣa", "Notification Sound": "Imesli n tilɣa",
"Notification Webhook": "Webhook n ulɣu", "Notification Webhook": "Webhook n ulɣu",
"Notifications": "Tilɣa", "Notifications": "Tilɣa",
@ -1274,6 +1286,7 @@
"Prompts": "Ineftaɣen", "Prompts": "Ineftaɣen",
"Prompts Access": "Anekcum ɣer yineftaɣen", "Prompts Access": "Anekcum ɣer yineftaɣen",
"Prompts Public Sharing": "Beṭṭu azayaz n yineftaɣen", "Prompts Public Sharing": "Beṭṭu azayaz n yineftaɣen",
"Prompts Sharing": "",
"Provider Type": "Tawsit n usaǧǧaw", "Provider Type": "Tawsit n usaǧǧaw",
"Public": "Azayaz", "Public": "Azayaz",
"Pull \"{{searchValue}}\" from Ollama.com": "Awway n \"{{searchValue}}\" seg Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Awway n \"{{searchValue}}\" seg Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "Sbadu tiddi n tzewwut tasatalant yellan zik tetteg-d asken ay d-yetteddun.", "Sets the size of the context window used to generate the next token.": "Sbadu tiddi n tzewwut tasatalant yellan zik tetteg-d asken ay d-yetteddun.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Sbadu tiseddarin n uḥbas i useqdec. Mi ara d-temlil temɛawdit-a, LLM ad teḥbes asegrew n uḍris d tuɣalin. Timɛayin n uḥbas yeggten zemrent ad ttwasbeddent s usbadu n waṭas n yizamulen n uḥbas yemgaraden deg tmudemt.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Sbadu tiseddarin n uḥbas i useqdec. Mi ara d-temlil temɛawdit-a, LLM ad teḥbes asegrew n uḍris d tuɣalin. Timɛayin n uḥbas yeggten zemrent ad ttwasbeddent s usbadu n waṭas n yizamulen n uḥbas yemgaraden deg tmudemt.",
"Setting": "",
"Settings": "Iɣewwaren", "Settings": "Iɣewwaren",
"Settings saved successfully!": "Iɣewwaṛen ttwakelsen akken iwata!", "Settings saved successfully!": "Iɣewwaṛen ttwakelsen akken iwata!",
"Share": "Bḍu", "Share": "Bḍu",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "Beṭṭu azayaz n yifecka", "Tools Public Sharing": "Beṭṭu azayaz n yifecka",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Reranker", "Top K Reranker": "Top K Reranker",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Aselda n uɛebbi", "Upload Pipeline": "Aselda n uɛebbi",
"Upload Progress": "", "Upload Progress": "",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Tikli n uɛebbi: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Tikli n uɛebbi: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "Tlaq tansa URL", "URL is required": "Tlaq tansa URL",
"URL Mode": "Askar n URL", "URL Mode": "Askar n URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "계속 응답 허용", "Allow Continue Response": "계속 응답 허용",
"Allow Delete Messages": "메시지 삭제 허용", "Allow Delete Messages": "메시지 삭제 허용",
"Allow File Upload": "파일 업로드 허용", "Allow File Upload": "파일 업로드 허용",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "채팅에서 여러 모델 허용", "Allow Multiple Models in Chat": "채팅에서 여러 모델 허용",
"Allow non-local voices": "외부 음성 허용", "Allow non-local voices": "외부 음성 허용",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "보관된 채팅", "Archived Chats": "보관된 채팅",
"archived-chat-export": "보관된 채팅 내보내기", "archived-chat-export": "보관된 채팅 내보내기",
"Are you sure you want to clear all memories? This action cannot be undone.": "정말 모든 메모리를 지우시겠습니까? 이 작업은 되돌릴 수 없습니다.", "Are you sure you want to clear all memories? This action cannot be undone.": "정말 모든 메모리를 지우시겠습니까? 이 작업은 되돌릴 수 없습니다.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "정말 이 채널을 삭제하시겠습니까?", "Are you sure you want to delete this channel?": "정말 이 채널을 삭제하시겠습니까?",
"Are you sure you want to delete this message?": "정말 이 메시지를 삭제하시겠습니까?", "Are you sure you want to delete this message?": "정말 이 메시지를 삭제하시겠습니까?",
"Are you sure you want to unarchive all archived chats?": "정말 보관된 모든 채팅을 보관 해제하시겠습니까?", "Are you sure you want to unarchive all archived chats?": "정말 보관된 모든 채팅을 보관 해제하시겠습니까?",
@ -388,12 +390,14 @@
"Default description enabled": "기본 설명 활성화됨", "Default description enabled": "기본 설명 활성화됨",
"Default Features": "기본 기능", "Default Features": "기본 기능",
"Default Filters": "기본 필터", "Default Filters": "기본 필터",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "기본 모드는 실행 전에 도구를 한 번 호출하여 더 다양한 모델에서 작동합니다. 기본 모드는 모델에 내장된 도구 호출 기능을 활용하지만, 모델이 이 기능을 본질적으로 지원해야 합니다.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "기본 모드는 실행 전에 도구를 한 번 호출하여 더 다양한 모델에서 작동합니다. 기본 모드는 모델에 내장된 도구 호출 기능을 활용하지만, 모델이 이 기능을 본질적으로 지원해야 합니다.",
"Default Model": "기본 모델", "Default Model": "기본 모델",
"Default model updated": "기본 모델이 업데이트되었습니다.", "Default model updated": "기본 모델이 업데이트되었습니다.",
"Default Models": "기본 모델", "Default Models": "기본 모델",
"Default permissions": "기본 권한", "Default permissions": "기본 권한",
"Default permissions updated successfully": "성공적으로 기본 권한이 수정되었습니다", "Default permissions updated successfully": "성공적으로 기본 권한이 수정되었습니다",
"Default Pinned Models": "",
"Default Prompt Suggestions": "기본 프롬프트 제안", "Default Prompt Suggestions": "기본 프롬프트 제안",
"Default to 389 or 636 if TLS is enabled": "TLS가 활성화된 경우 기본값은 389 또는 636입니다", "Default to 389 or 636 if TLS is enabled": "TLS가 활성화된 경우 기본값은 389 또는 636입니다",
"Default to ALL": "기본값: 전체", "Default to ALL": "기본값: 전체",
@ -402,6 +406,7 @@
"Delete": "삭제", "Delete": "삭제",
"Delete a model": "모델 삭제", "Delete a model": "모델 삭제",
"Delete All Chats": "모든 채팅 삭제", "Delete All Chats": "모든 채팅 삭제",
"Delete all contents inside this folder": "",
"Delete All Models": "모든 모델 삭제", "Delete All Models": "모든 모델 삭제",
"Delete Chat": "채팅 삭제", "Delete Chat": "채팅 삭제",
"Delete chat?": "채팅을 삭제하시겠습니까?", "Delete chat?": "채팅을 삭제하시겠습니까?",
@ -730,6 +735,7 @@
"Features": "기능", "Features": "기능",
"Features Permissions": "기능 권한", "Features Permissions": "기능 권한",
"February": "2월", "February": "2월",
"Feedback deleted successfully": "",
"Feedback Details": "피드백 상세내용", "Feedback Details": "피드백 상세내용",
"Feedback History": "피드백 기록", "Feedback History": "피드백 기록",
"Feedbacks": "피드백", "Feedbacks": "피드백",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "파일 사이즈가 {{maxSize}} MB를 초과하면 안됩니다.", "File size should not exceed {{maxSize}} MB.": "파일 사이즈가 {{maxSize}} MB를 초과하면 안됩니다.",
"File Upload": "파일 업로드", "File Upload": "파일 업로드",
"File uploaded successfully": "파일이 성공적으로 업로드되었습니다", "File uploaded successfully": "파일이 성공적으로 업로드되었습니다",
"File uploaded!": "",
"Files": "파일", "Files": "파일",
"Filter": "필터", "Filter": "필터",
"Filter is now globally disabled": "전반적으로 필터 비활성화됨", "Filter is now globally disabled": "전반적으로 필터 비활성화됨",
@ -857,6 +864,7 @@
"Image Compression": "이미지 압축", "Image Compression": "이미지 압축",
"Image Compression Height": "이미지 압축 높이", "Image Compression Height": "이미지 압축 높이",
"Image Compression Width": "이미지 압축 너비", "Image Compression Width": "이미지 압축 너비",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "이미지 생성", "Image Generation": "이미지 생성",
"Image Generation Engine": "이미지 생성 엔진", "Image Generation Engine": "이미지 생성 엔진",
@ -941,6 +949,7 @@
"Knowledge Name": "지식 기반 이름", "Knowledge Name": "지식 기반 이름",
"Knowledge Public Sharing": "지식 기반 공개 공유", "Knowledge Public Sharing": "지식 기반 공개 공유",
"Knowledge reset successfully.": "성공적으로 지식 기반이 초기화되었습니다", "Knowledge reset successfully.": "성공적으로 지식 기반이 초기화되었습니다",
"Knowledge Sharing": "",
"Knowledge updated successfully": "성공적으로 지식 기반이 업데이트되었습니다", "Knowledge updated successfully": "성공적으로 지식 기반이 업데이트되었습니다",
"Kokoro.js (Browser)": "Kokoro.js (브라우저)", "Kokoro.js (Browser)": "Kokoro.js (브라우저)",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "업로드 최대 사이즈", "Max Upload Size": "업로드 최대 사이즈",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "최대 3개의 모델을 동시에 다운로드할 수 있습니다. 나중에 다시 시도하세요.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "최대 3개의 모델을 동시에 다운로드할 수 있습니다. 나중에 다시 시도하세요.",
"May": "5월", "May": "5월",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 지원은 실험적이며 명세가 자주 변경되므로, 호환성 문제가 발생할 수 있습니다. Open WebUI 팀이 OpenAPI 명세 지원을 직접 유지·관리하고 있어, 호환성 측면에서는 더 신뢰할 수 있는 선택입니다.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 지원은 실험적이며 명세가 자주 변경되므로, 호환성 문제가 발생할 수 있습니다. Open WebUI 팀이 OpenAPI 명세 지원을 직접 유지·관리하고 있어, 호환성 측면에서는 더 신뢰할 수 있는 선택입니다.",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "모델 구성이 성공적으로 저장되었습니다", "Models configuration saved successfully": "모델 구성이 성공적으로 저장되었습니다",
"Models imported successfully": "모델을 성공적으로 가져왔습니다.", "Models imported successfully": "모델을 성공적으로 가져왔습니다.",
"Models Public Sharing": "모델 공개 공유", "Models Public Sharing": "모델 공개 공유",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API 키", "Mojeek Search API Key": "Mojeek Search API 키",
"More": "더보기", "More": "더보기",
"More Concise": "더 간결하게", "More Concise": "더 간결하게",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "참고: 최소 점수를 설정하면, 검색 결과로 최소 점수 이상의 점수를 가진 문서만 반환합니다.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "참고: 최소 점수를 설정하면, 검색 결과로 최소 점수 이상의 점수를 가진 문서만 반환합니다.",
"Notes": "노트", "Notes": "노트",
"Notes Public Sharing": "노트 공개 공유", "Notes Public Sharing": "노트 공개 공유",
"Notes Sharing": "",
"Notification Sound": "알림 소리", "Notification Sound": "알림 소리",
"Notification Webhook": "알림 웹훅", "Notification Webhook": "알림 웹훅",
"Notifications": "알림", "Notifications": "알림",
@ -1274,6 +1286,7 @@
"Prompts": "프롬프트", "Prompts": "프롬프트",
"Prompts Access": "프롬프트 접근", "Prompts Access": "프롬프트 접근",
"Prompts Public Sharing": "프롬프트 공개 공유", "Prompts Public Sharing": "프롬프트 공개 공유",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "공개", "Public": "공개",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com에서 \"{{searchValue}}\" 가져오기", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com에서 \"{{searchValue}}\" 가져오기",
@ -1456,6 +1469,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "생성에 사용할 난수 시드를 설정합니다. 이를 특정 숫자로 설정하면 모델이 동일한 프롬프트에 대해 동일한 텍스트를 생성하게 됩니다.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "생성에 사용할 난수 시드를 설정합니다. 이를 특정 숫자로 설정하면 모델이 동일한 프롬프트에 대해 동일한 텍스트를 생성하게 됩니다.",
"Sets the size of the context window used to generate the next token.": "다음 토큰을 생성하는 데 사용되는 컨텍스트 창의 크기를 설정합니다.", "Sets the size of the context window used to generate the next token.": "다음 토큰을 생성하는 데 사용되는 컨텍스트 창의 크기를 설정합니다.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "중단 시퀀스를 설정합니다. 이 패턴이 발생하면 LLM은 텍스트 생성을 중단하고 반환합니다. 여러 중단 패턴은 모델 파일에서 여러 개의 별도 중단 매개변수를 지정하여 설정할 수 있습니다.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "중단 시퀀스를 설정합니다. 이 패턴이 발생하면 LLM은 텍스트 생성을 중단하고 반환합니다. 여러 중단 패턴은 모델 파일에서 여러 개의 별도 중단 매개변수를 지정하여 설정할 수 있습니다.",
"Setting": "",
"Settings": "설정", "Settings": "설정",
"Settings saved successfully!": "설정이 성공적으로 저장되었습니다!", "Settings saved successfully!": "설정이 성공적으로 저장되었습니다!",
"Share": "공유", "Share": "공유",
@ -1636,6 +1650,7 @@
"Tools Function Calling Prompt": "도구 함수 호출 프롬프트", "Tools Function Calling Prompt": "도구 함수 호출 프롬프트",
"Tools have a function calling system that allows arbitrary code execution.": "도구에 임의 코드 실행을 허용하는 함수가 포함되어 있습니다.", "Tools have a function calling system that allows arbitrary code execution.": "도구에 임의 코드 실행을 허용하는 함수가 포함되어 있습니다.",
"Tools Public Sharing": "도구 공개 및 공유", "Tools Public Sharing": "도구 공개 및 공유",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K 리랭커", "Top K Reranker": "Top K 리랭커",
"Transformers": "트랜스포머", "Transformers": "트랜스포머",
@ -1683,6 +1698,7 @@
"Upload Pipeline": "업로드 파이프라인", "Upload Pipeline": "업로드 파이프라인",
"Upload Progress": "업로드 진행 상황", "Upload Progress": "업로드 진행 상황",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL이 필요합니다.", "URL is required": "URL이 필요합니다.",
"URL Mode": "URL 모드", "URL Mode": "URL 모드",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Leisti nelokalius balsus", "Allow non-local voices": "Leisti nelokalius balsus",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Archyvuoti pokalbiai", "Archived Chats": "Archyvuoti pokalbiai",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Numatytasis modelis", "Default Model": "Numatytasis modelis",
"Default model updated": "Numatytasis modelis atnaujintas", "Default model updated": "Numatytasis modelis atnaujintas",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Numatytieji užklausų pasiūlymai", "Default Prompt Suggestions": "Numatytieji užklausų pasiūlymai",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "ištrinti", "Delete": "ištrinti",
"Delete a model": "Ištrinti modėlį", "Delete a model": "Ištrinti modėlį",
"Delete All Chats": "Ištrinti visus pokalbius", "Delete All Chats": "Ištrinti visus pokalbius",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "Ištrinti pokalbį", "Delete Chat": "Ištrinti pokalbį",
"Delete chat?": "Ištrinti pokalbį?", "Delete chat?": "Ištrinti pokalbį?",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Vasaris", "February": "Vasaris",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "Rinkmenos", "Files": "Rinkmenos",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Filtrai nėra leidžiami globaliai", "Filter is now globally disabled": "Filtrai nėra leidžiami globaliai",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Vaizdų generavimo variklis", "Image Generation Engine": "Vaizdų generavimo variklis",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"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žė",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Daugiau", "More": "Daugiau",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"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į",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Pranešimai", "Notifications": "Pranešimai",
@ -1274,6 +1286,7 @@
"Prompts": "Užklausos", "Prompts": "Užklausos",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Rasti \"{{searchValue}}\" iš Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Rasti \"{{searchValue}}\" iš Ollama.com",
@ -1459,6 +1472,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Nustatymai", "Settings": "Nustatymai",
"Settings saved successfully!": "Parametrai sėkmingai išsaugoti!", "Settings saved successfully!": "Parametrai sėkmingai išsaugoti!",
"Share": "Dalintis", "Share": "Dalintis",
@ -1639,6 +1653,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "Įrankiai gali naudoti funkcijas ir leisti vykdyti kodą", "Tools have a function calling system that allows arbitrary code execution.": "Įrankiai gali naudoti funkcijas ir leisti vykdyti kodą",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1686,6 +1701,7 @@
"Upload Pipeline": "Atnaujinti procesą", "Upload Pipeline": "Atnaujinti procesą",
"Upload Progress": "Įkėlimo progresas", "Upload Progress": "Įkėlimo progresas",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "URL režimas", "URL Mode": "URL režimas",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Benarkan suara bukan tempatan ", "Allow non-local voices": "Benarkan suara bukan tempatan ",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Perbualan yang diarkibkan", "Archived Chats": "Perbualan yang diarkibkan",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Model Lalai", "Default Model": "Model Lalai",
"Default model updated": "Model lalai dikemas kini", "Default model updated": "Model lalai dikemas kini",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Cadangan Gesaan Lalai", "Default Prompt Suggestions": "Cadangan Gesaan Lalai",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Padam", "Delete": "Padam",
"Delete a model": "Padam Model", "Delete a model": "Padam Model",
"Delete All Chats": "Padam Semua Perbualan", "Delete All Chats": "Padam Semua Perbualan",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "Padam Perbualan", "Delete Chat": "Padam Perbualan",
"Delete chat?": "Padam perbualan?", "Delete chat?": "Padam perbualan?",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Febuari", "February": "Febuari",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "Fail-Fail", "Files": "Fail-Fail",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Tapisan kini dilumpuhkan secara global", "Filter is now globally disabled": "Tapisan kini dilumpuhkan secara global",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Enjin Penjanaan Imej", "Image Generation Engine": "Enjin Penjanaan Imej",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimum 3 model boleh dimuat turun serentak. Sila cuba sebentar lagi.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimum 3 model boleh dimuat turun serentak. Sila cuba sebentar lagi.",
"May": "Mei", "May": "Mei",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Lagi", "More": "Lagi",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Jika anda menetapkan skor minimum, carian hanya akan mengembalikan dokumen dengan skor lebih besar daripada atau sama dengan skor minimum.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Jika anda menetapkan skor minimum, carian hanya akan mengembalikan dokumen dengan skor lebih besar daripada atau sama dengan skor minimum.",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Pemberitahuan", "Notifications": "Pemberitahuan",
@ -1274,6 +1286,7 @@
"Prompts": "Gesaan", "Prompts": "Gesaan",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Tarik \"{{ searchValue }}\" daripada Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Tarik \"{{ searchValue }}\" daripada Ollama.com",
@ -1456,6 +1469,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Tetapan", "Settings": "Tetapan",
"Settings saved successfully!": "Tetapan berjaya disimpan!", "Settings saved successfully!": "Tetapan berjaya disimpan!",
"Share": "Kongsi", "Share": "Kongsi",
@ -1636,6 +1650,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "Alatan mempunyai sistem panggilan fungsi yang membolehkan pelaksanaan kod sewenang-wenangnya.", "Tools have a function calling system that allows arbitrary code execution.": "Alatan mempunyai sistem panggilan fungsi yang membolehkan pelaksanaan kod sewenang-wenangnya.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "'Top K'", "Top K": "'Top K'",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1683,6 +1698,7 @@
"Upload Pipeline": "Muatnaik 'Pipeline'", "Upload Pipeline": "Muatnaik 'Pipeline'",
"Upload Progress": "Kemajuan Muatnaik", "Upload Progress": "Kemajuan Muatnaik",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "Mod URL", "URL Mode": "Mod URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Tillatt opplasting av filer", "Allow File Upload": "Tillatt opplasting av filer",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Tillat ikke-lokale stemmer", "Allow non-local voices": "Tillat ikke-lokale stemmer",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Arkiverte chatter", "Archived Chats": "Arkiverte chatter",
"archived-chat-export": "archived-chat-export", "archived-chat-export": "archived-chat-export",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Er du sikker på at du vil slette denne kanalen?", "Are you sure you want to delete this channel?": "Er du sikker på at du vil slette denne kanalen?",
"Are you sure you want to delete this message?": "Er du sikker på at du vil slette denne meldingen?", "Are you sure you want to delete this message?": "Er du sikker på at du vil slette denne meldingen?",
"Are you sure you want to unarchive all archived chats?": "Er du sikker på at du vil oppheve arkiveringen av alle arkiverte chatter?", "Are you sure you want to unarchive all archived chats?": "Er du sikker på at du vil oppheve arkiveringen av alle arkiverte chatter?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Standard modus fungerer med et bredere utvalg av modeller ved at verktøyene kalles én gang før kjøring. Opprinnelig modus utnytter modellens innebygde funksjoner for verktøykalling, men krever at modellen i seg selv støtter denne funksjonen.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Standard modus fungerer med et bredere utvalg av modeller ved at verktøyene kalles én gang før kjøring. Opprinnelig modus utnytter modellens innebygde funksjoner for verktøykalling, men krever at modellen i seg selv støtter denne funksjonen.",
"Default Model": "Standard modell", "Default Model": "Standard modell",
"Default model updated": "Standard modell oppdatert", "Default model updated": "Standard modell oppdatert",
"Default Models": "Standard modeller", "Default Models": "Standard modeller",
"Default permissions": "Standard tillatelser", "Default permissions": "Standard tillatelser",
"Default permissions updated successfully": "Standard tillatelser oppdatert", "Default permissions updated successfully": "Standard tillatelser oppdatert",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Standard forslag til ledetekster", "Default Prompt Suggestions": "Standard forslag til ledetekster",
"Default to 389 or 636 if TLS is enabled": "Velg 389 eller 636 som standard hvis TLS er aktivert", "Default to 389 or 636 if TLS is enabled": "Velg 389 eller 636 som standard hvis TLS er aktivert",
"Default to ALL": "Velg ALL som standard", "Default to ALL": "Velg ALL som standard",
@ -402,6 +406,7 @@
"Delete": "Slett", "Delete": "Slett",
"Delete a model": "Slett en modell", "Delete a model": "Slett en modell",
"Delete All Chats": "Slett alle chatter", "Delete All Chats": "Slett alle chatter",
"Delete all contents inside this folder": "",
"Delete All Models": "Slett alle modeller", "Delete All Models": "Slett alle modeller",
"Delete Chat": "Slett chat", "Delete Chat": "Slett chat",
"Delete chat?": "Slette chat?", "Delete chat?": "Slette chat?",
@ -730,6 +735,7 @@
"Features": "Funksjoner", "Features": "Funksjoner",
"Features Permissions": "Tillatelser for funksjoner", "Features Permissions": "Tillatelser for funksjoner",
"February": "februar", "February": "februar",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Tilbakemeldingslogg", "Feedback History": "Tilbakemeldingslogg",
"Feedbacks": "Tilbakemeldinger", "Feedbacks": "Tilbakemeldinger",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Filstørrelser kan ikke være på mer enn {{maxSize} MB", "File size should not exceed {{maxSize}} MB.": "Filstørrelser kan ikke være på mer enn {{maxSize} MB",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Filen er lastet opp", "File uploaded successfully": "Filen er lastet opp",
"File uploaded!": "",
"Files": "Filer", "Files": "Filer",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Filteret er nå globalt deaktivert", "Filter is now globally disabled": "Filteret er nå globalt deaktivert",
@ -857,6 +864,7 @@
"Image Compression": "Bildekomprimering", "Image Compression": "Bildekomprimering",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Bildegenering", "Image Generation": "Bildegenering",
"Image Generation Engine": "Bildegenereringsmotor", "Image Generation Engine": "Bildegenereringsmotor",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "Tilbakestilling av kunnskap vellykket.", "Knowledge reset successfully.": "Tilbakestilling av kunnskap vellykket.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Kunnskap oppdatert", "Knowledge updated successfully": "Kunnskap oppdatert",
"Kokoro.js (Browser)": "Kokoro.js (nettleser)", "Kokoro.js (Browser)": "Kokoro.js (nettleser)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maks størrelse på opplasting", "Max Upload Size": "Maks størrelse på opplasting",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimalt tre modeller kan lastes ned samtidig. Prøv igjen senere.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimalt tre modeller kan lastes ned samtidig. Prøv igjen senere.",
"May": "mai", "May": "mai",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Kofigurasjon av modeller er lagret", "Models configuration saved successfully": "Kofigurasjon av modeller er lagret",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "API-nøekkel for Mojeek Search", "Mojeek Search API Key": "API-nøekkel for Mojeek Search",
"More": "Mer", "More": "Mer",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Merk: Hvis du setter en minimumspoengsum, returnerer søket kun dokumenter med en poengsum som er større enn eller lik minimumspoengsummen.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Merk: Hvis du setter en minimumspoengsum, returnerer søket kun dokumenter med en poengsum som er større enn eller lik minimumspoengsummen.",
"Notes": "Notater", "Notes": "Notater",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Lyd for varsler", "Notification Sound": "Lyd for varsler",
"Notification Webhook": "Webhook for varsler", "Notification Webhook": "Webhook for varsler",
"Notifications": "Varsler", "Notifications": "Varsler",
@ -1274,6 +1286,7 @@
"Prompts": "Ledetekster", "Prompts": "Ledetekster",
"Prompts Access": "Tilgang til ledetekster", "Prompts Access": "Tilgang til ledetekster",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Hent {{searchValue}} fra Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Hent {{searchValue}} fra Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Angir hvilke stoppsekvenser som skal brukes. Når dette mønsteret forekommer, stopper LLM genereringen av tekst og returnerer. Du kan angi flere stoppmønstre ved å spesifisere flere separate stoppparametere i en modellfil.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Angir hvilke stoppsekvenser som skal brukes. Når dette mønsteret forekommer, stopper LLM genereringen av tekst og returnerer. Du kan angi flere stoppmønstre ved å spesifisere flere separate stoppparametere i en modellfil.",
"Setting": "",
"Settings": "Innstillinger", "Settings": "Innstillinger",
"Settings saved successfully!": "Innstillinger lagret!", "Settings saved successfully!": "Innstillinger lagret!",
"Share": "Del", "Share": "Del",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Ledetekst for kalling av verktøyfunksjonen", "Tools Function Calling Prompt": "Ledetekst for kalling av verktøyfunksjonen",
"Tools have a function calling system that allows arbitrary code execution.": "Verktøy inneholder et funksjonskallsystem som tillater vilkårlig kodekjøring.", "Tools have a function calling system that allows arbitrary code execution.": "Verktøy inneholder et funksjonskallsystem som tillater vilkårlig kodekjøring.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Transformatorer", "Transformers": "Transformatorer",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Last opp pipeline", "Upload Pipeline": "Last opp pipeline",
"Upload Progress": "Opplastingsfremdrift", "Upload Progress": "Opplastingsfremdrift",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "URL-modus", "URL Mode": "URL-modus",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Bestandenupload toestaan", "Allow File Upload": "Bestandenupload toestaan",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Niet-lokale stemmen toestaan", "Allow non-local voices": "Niet-lokale stemmen toestaan",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Chatrecord", "Archived Chats": "Chatrecord",
"archived-chat-export": "gearchiveerde-chat-export", "archived-chat-export": "gearchiveerde-chat-export",
"Are you sure you want to clear all memories? This action cannot be undone.": "Weet je zeker dat je alle herinneringen wil verwijderen? Deze actie kan niet ongedaan worden gemaakt.", "Are you sure you want to clear all memories? This action cannot be undone.": "Weet je zeker dat je alle herinneringen wil verwijderen? Deze actie kan niet ongedaan worden gemaakt.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Weet je zeker dat je dit kanaal wil verwijderen?", "Are you sure you want to delete this channel?": "Weet je zeker dat je dit kanaal wil verwijderen?",
"Are you sure you want to delete this message?": "Weet je zeker dat je dit bericht wil verwijderen?", "Are you sure you want to delete this message?": "Weet je zeker dat je dit bericht wil verwijderen?",
"Are you sure you want to unarchive all archived chats?": "Weet je zeker dat je alle gearchiveerde chats wil onarchiveren?", "Are you sure you want to unarchive all archived chats?": "Weet je zeker dat je alle gearchiveerde chats wil onarchiveren?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "De standaardmodus werkt met een breder scala aan modellen door gereedschappen één keer aan te roepen voordat ze worden uitgevoerd. De native modus maakt gebruik van de ingebouwde mogelijkheden van het model om gereedschappen aan te roepen, maar vereist dat het model deze functie inherent ondersteunt.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "De standaardmodus werkt met een breder scala aan modellen door gereedschappen één keer aan te roepen voordat ze worden uitgevoerd. De native modus maakt gebruik van de ingebouwde mogelijkheden van het model om gereedschappen aan te roepen, maar vereist dat het model deze functie inherent ondersteunt.",
"Default Model": "Standaardmodel", "Default Model": "Standaardmodel",
"Default model updated": "Standaardmodel bijgewerkt", "Default model updated": "Standaardmodel bijgewerkt",
"Default Models": "Standaardmodellen", "Default Models": "Standaardmodellen",
"Default permissions": "Standaardrechten", "Default permissions": "Standaardrechten",
"Default permissions updated successfully": "Standaardrechten succesvol bijgewerkt", "Default permissions updated successfully": "Standaardrechten succesvol bijgewerkt",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Standaard Prompt Suggesties", "Default Prompt Suggestions": "Standaard Prompt Suggesties",
"Default to 389 or 636 if TLS is enabled": "Standaard 389 of 636 als TLS is ingeschakeld", "Default to 389 or 636 if TLS is enabled": "Standaard 389 of 636 als TLS is ingeschakeld",
"Default to ALL": "Standaard op ALL", "Default to ALL": "Standaard op ALL",
@ -402,6 +406,7 @@
"Delete": "Verwijderen", "Delete": "Verwijderen",
"Delete a model": "Verwijder een model", "Delete a model": "Verwijder een model",
"Delete All Chats": "Verwijder alle chats", "Delete All Chats": "Verwijder alle chats",
"Delete all contents inside this folder": "",
"Delete All Models": "Verwijder alle modellen", "Delete All Models": "Verwijder alle modellen",
"Delete Chat": "Verwijder chat", "Delete Chat": "Verwijder chat",
"Delete chat?": "Verwijder chat?", "Delete chat?": "Verwijder chat?",
@ -730,6 +735,7 @@
"Features": "Functies", "Features": "Functies",
"Features Permissions": "Functietoestemmingen", "Features Permissions": "Functietoestemmingen",
"February": "Februari", "February": "Februari",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Feedback geschiedenis", "Feedback History": "Feedback geschiedenis",
"Feedbacks": "Feedback", "Feedbacks": "Feedback",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Bestandsgrootte mag niet groter zijn dan {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Bestandsgrootte mag niet groter zijn dan {{maxSize}} MB.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Bestand succesvol geüpload", "File uploaded successfully": "Bestand succesvol geüpload",
"File uploaded!": "",
"Files": "Bestanden", "Files": "Bestanden",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Filter is nu globaal uitgeschakeld", "Filter is now globally disabled": "Filter is nu globaal uitgeschakeld",
@ -857,6 +864,7 @@
"Image Compression": "Afbeeldingscompressie", "Image Compression": "Afbeeldingscompressie",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Afbeeldingsgeneratie", "Image Generation": "Afbeeldingsgeneratie",
"Image Generation Engine": "Afbeeldingsgeneratie Engine", "Image Generation Engine": "Afbeeldingsgeneratie Engine",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "Publieke kennisdeling", "Knowledge Public Sharing": "Publieke kennisdeling",
"Knowledge reset successfully.": "Kennis succesvol gereset", "Knowledge reset successfully.": "Kennis succesvol gereset",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Kennis succesvol bijgewerkt", "Knowledge updated successfully": "Kennis succesvol bijgewerkt",
"Kokoro.js (Browser)": "Kokoro.js (Browser)", "Kokoro.js (Browser)": "Kokoro.js (Browser)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maximale Uploadgrootte", "Max Upload Size": "Maximale Uploadgrootte",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximaal 3 modellen kunnen tegelijkertijd worden gedownload. Probeer het later opnieuw.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximaal 3 modellen kunnen tegelijkertijd worden gedownload. Probeer het later opnieuw.",
"May": "Mei", "May": "Mei",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Modellenconfiguratie succesvol opgeslagen", "Models configuration saved successfully": "Modellenconfiguratie succesvol opgeslagen",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Modellen publiek delen", "Models Public Sharing": "Modellen publiek delen",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API-sleutel", "Mojeek Search API Key": "Mojeek Search API-sleutel",
"More": "Meer", "More": "Meer",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Opmerking: Als je een minimumscore instelt, levert de zoekopdracht alleen documenten op met een score groter dan of gelijk aan de minimumscore.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Opmerking: Als je een minimumscore instelt, levert de zoekopdracht alleen documenten op met een score groter dan of gelijk aan de minimumscore.",
"Notes": "Aantekeningen", "Notes": "Aantekeningen",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Notificatiegeluid", "Notification Sound": "Notificatiegeluid",
"Notification Webhook": "Notificatie-webhook", "Notification Webhook": "Notificatie-webhook",
"Notifications": "Notificaties", "Notifications": "Notificaties",
@ -1274,6 +1286,7 @@
"Prompts": "Prompts", "Prompts": "Prompts",
"Prompts Access": "Prompttoegang", "Prompts Access": "Prompttoegang",
"Prompts Public Sharing": "Publiek prompts delen", "Prompts Public Sharing": "Publiek prompts delen",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Publiek", "Public": "Publiek",
"Pull \"{{searchValue}}\" from Ollama.com": "Haal \"{{searchValue}}\" uit Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Haal \"{{searchValue}}\" uit Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Stelt de willekeurigheid in om te gebruiken voor het genereren. Als je dit op een specifiek getal instelt, genereert het model dezelfde tekst voor dezelfde prompt.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Stelt de willekeurigheid in om te gebruiken voor het genereren. Als je dit op een specifiek getal instelt, genereert het model dezelfde tekst voor dezelfde prompt.",
"Sets the size of the context window used to generate the next token.": "Stelt de grootte van het contextvenster in dat gebruikt wordt om het volgende token te genereren.", "Sets the size of the context window used to generate the next token.": "Stelt de grootte van het contextvenster in dat gebruikt wordt om het volgende token te genereren.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Stelt de te gebruiken stopsequentie in. Als dit patroon wordt gevonden, stopt de LLM met het genereren van tekst en keert terug. Er kunnen meerdere stoppatronen worden ingesteld door meerdere afzonderlijke stopparameters op te geven in een modelbestand.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Stelt de te gebruiken stopsequentie in. Als dit patroon wordt gevonden, stopt de LLM met het genereren van tekst en keert terug. Er kunnen meerdere stoppatronen worden ingesteld door meerdere afzonderlijke stopparameters op te geven in een modelbestand.",
"Setting": "",
"Settings": "Instellingen", "Settings": "Instellingen",
"Settings saved successfully!": "Instellingen succesvol opgeslagen!", "Settings saved successfully!": "Instellingen succesvol opgeslagen!",
"Share": "Delen", "Share": "Delen",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Gereedschapsfunctie aanroepprompt", "Tools Function Calling Prompt": "Gereedschapsfunctie aanroepprompt",
"Tools have a function calling system that allows arbitrary code execution.": "Gereedschappen hebben een systeem voor het aanroepen van functies waarmee willekeurige code kan worden uitgevoerd", "Tools have a function calling system that allows arbitrary code execution.": "Gereedschappen hebben een systeem voor het aanroepen van functies waarmee willekeurige code kan worden uitgevoerd",
"Tools Public Sharing": "Gereedschappen publiek delen", "Tools Public Sharing": "Gereedschappen publiek delen",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K herranker", "Top K Reranker": "Top K herranker",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Upload Pijpleiding", "Upload Pipeline": "Upload Pijpleiding",
"Upload Progress": "Upload Voortgang", "Upload Progress": "Upload Voortgang",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "URL-modus", "URL Mode": "URL-modus",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "ਆਰਕਾਈਵ ਕੀਤੀਆਂ ਗੱਲਾਂ", "Archived Chats": "ਆਰਕਾਈਵ ਕੀਤੀਆਂ ਗੱਲਾਂ",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "ਡਿਫਾਲਟ ਮਾਡਲ", "Default Model": "ਡਿਫਾਲਟ ਮਾਡਲ",
"Default model updated": "ਮੂਲ ਮਾਡਲ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ", "Default model updated": "ਮੂਲ ਮਾਡਲ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "ਮੂਲ ਪ੍ਰੰਪਟ ਸੁਝਾਅ", "Default Prompt Suggestions": "ਮੂਲ ਪ੍ਰੰਪਟ ਸੁਝਾਅ",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "ਮਿਟਾਓ", "Delete": "ਮਿਟਾਓ",
"Delete a model": "ਇੱਕ ਮਾਡਲ ਮਿਟਾਓ", "Delete a model": "ਇੱਕ ਮਾਡਲ ਮਿਟਾਓ",
"Delete All Chats": "ਸਾਰੀਆਂ ਚੈਟਾਂ ਨੂੰ ਮਿਟਾਓ", "Delete All Chats": "ਸਾਰੀਆਂ ਚੈਟਾਂ ਨੂੰ ਮਿਟਾਓ",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "ਗੱਲਬਾਤ ਮਿਟਾਓ", "Delete Chat": "ਗੱਲਬਾਤ ਮਿਟਾਓ",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "ਫਰਵਰੀ", "February": "ਫਰਵਰੀ",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "ਚਿੱਤਰ ਜਨਰੇਸ਼ਨ ਇੰਜਣ", "Image Generation Engine": "ਚਿੱਤਰ ਜਨਰੇਸ਼ਨ ਇੰਜਣ",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "ਇੱਕ ਸਮੇਂ ਵਿੱਚ ਵੱਧ ਤੋਂ ਵੱਧ 3 ਮਾਡਲ ਡਾਊਨਲੋਡ ਕੀਤੇ ਜਾ ਸਕਦੇ ਹਨ। ਕਿਰਪਾ ਕਰਕੇ ਬਾਅਦ ਵਿੱਚ ਦੁਬਾਰਾ ਕੋਸ਼ਿਸ਼ ਕਰੋ।", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "ਇੱਕ ਸਮੇਂ ਵਿੱਚ ਵੱਧ ਤੋਂ ਵੱਧ 3 ਮਾਡਲ ਡਾਊਨਲੋਡ ਕੀਤੇ ਜਾ ਸਕਦੇ ਹਨ। ਕਿਰਪਾ ਕਰਕੇ ਬਾਅਦ ਵਿੱਚ ਦੁਬਾਰਾ ਕੋਸ਼ਿਸ਼ ਕਰੋ।",
"May": "ਮਈ", "May": "ਮਈ",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "ਹੋਰ", "More": "ਹੋਰ",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ਨੋਟ: ਜੇ ਤੁਸੀਂ ਘੱਟੋ-ਘੱਟ ਸਕੋਰ ਸੈੱਟ ਕਰਦੇ ਹੋ, ਤਾਂ ਖੋਜ ਸਿਰਫ਼ ਉਹੀ ਡਾਕੂਮੈਂਟ ਵਾਪਸ ਕਰੇਗੀ ਜਿਨ੍ਹਾਂ ਦਾ ਸਕੋਰ ਘੱਟੋ-ਘੱਟ ਸਕੋਰ ਦੇ ਬਰਾਬਰ ਜਾਂ ਵੱਧ ਹੋਵੇ।", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ਨੋਟ: ਜੇ ਤੁਸੀਂ ਘੱਟੋ-ਘੱਟ ਸਕੋਰ ਸੈੱਟ ਕਰਦੇ ਹੋ, ਤਾਂ ਖੋਜ ਸਿਰਫ਼ ਉਹੀ ਡਾਕੂਮੈਂਟ ਵਾਪਸ ਕਰੇਗੀ ਜਿਨ੍ਹਾਂ ਦਾ ਸਕੋਰ ਘੱਟੋ-ਘੱਟ ਸਕੋਰ ਦੇ ਬਰਾਬਰ ਜਾਂ ਵੱਧ ਹੋਵੇ।",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "ਸੂਚਨਾਵਾਂ", "Notifications": "ਸੂਚਨਾਵਾਂ",
@ -1274,6 +1286,7 @@
"Prompts": "ਪ੍ਰੰਪਟ", "Prompts": "ਪ੍ਰੰਪਟ",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "ਓਲਾਮਾ.ਕਾਮ ਤੋਂ \"{{searchValue}}\" ਖਿੱਚੋ", "Pull \"{{searchValue}}\" from Ollama.com": "ਓਲਾਮਾ.ਕਾਮ ਤੋਂ \"{{searchValue}}\" ਖਿੱਚੋ",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "ਸੈਟਿੰਗਾਂ", "Settings": "ਸੈਟਿੰਗਾਂ",
"Settings saved successfully!": "ਸੈਟਿੰਗਾਂ ਸਫਲਤਾਪੂਰਵਕ ਸੰਭਾਲੀਆਂ ਗਈਆਂ!", "Settings saved successfully!": "ਸੈਟਿੰਗਾਂ ਸਫਲਤਾਪੂਰਵਕ ਸੰਭਾਲੀਆਂ ਗਈਆਂ!",
"Share": "ਸਾਂਝਾ ਕਰੋ", "Share": "ਸਾਂਝਾ ਕਰੋ",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "ਸਿਖਰ K", "Top K": "ਸਿਖਰ K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "ਅਪਲੋਡ ਪ੍ਰਗਤੀ", "Upload Progress": "ਅਪਲੋਡ ਪ੍ਰਗਤੀ",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "URL ਮੋਡ", "URL Mode": "URL ਮੋਡ",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Pozwól na przesyłanie plików", "Allow File Upload": "Pozwól na przesyłanie plików",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Zezwól na wiele modeli w ramach jednego czatu", "Allow Multiple Models in Chat": "Zezwól na wiele modeli w ramach jednego czatu",
"Allow non-local voices": "Pozwól na głosy spoza lokalnej społeczności", "Allow non-local voices": "Pozwól na głosy spoza lokalnej społeczności",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Zarchiwizowane rozmowy", "Archived Chats": "Zarchiwizowane rozmowy",
"archived-chat-export": "archiwizowany eksport czatu", "archived-chat-export": "archiwizowany eksport czatu",
"Are you sure you want to clear all memories? This action cannot be undone.": "Czy na pewno chcesz wyczyścić wszystkie wspomnienia? Tej akcji nie można cofnąć.", "Are you sure you want to clear all memories? This action cannot be undone.": "Czy na pewno chcesz wyczyścić wszystkie wspomnienia? Tej akcji nie można cofnąć.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Czy na pewno chcesz usunąć ten kanał?", "Are you sure you want to delete this channel?": "Czy na pewno chcesz usunąć ten kanał?",
"Are you sure you want to delete this message?": "Czy na pewno chcesz usunąć tę wiadomość?", "Are you sure you want to delete this message?": "Czy na pewno chcesz usunąć tę wiadomość?",
"Are you sure you want to unarchive all archived chats?": "Czy na pewno chcesz przywrócić wszystkie zapisane rozmowy?", "Are you sure you want to unarchive all archived chats?": "Czy na pewno chcesz przywrócić wszystkie zapisane rozmowy?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Tryb domyślny współpracuje z szerszym zakresem modeli, wywołując narzędzia raz przed wykonaniem. Tryb natywny wykorzystuje wbudowane możliwości wywoływania narzędzi przez model, ale wymaga, aby model wewnętrznie obsługiwał tę funkcję.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Tryb domyślny współpracuje z szerszym zakresem modeli, wywołując narzędzia raz przed wykonaniem. Tryb natywny wykorzystuje wbudowane możliwości wywoływania narzędzi przez model, ale wymaga, aby model wewnętrznie obsługiwał tę funkcję.",
"Default Model": "Model domyślny", "Default Model": "Model domyślny",
"Default model updated": "Domyślny model został zaktualizowany", "Default model updated": "Domyślny model został zaktualizowany",
"Default Models": "Domyślne modele", "Default Models": "Domyślne modele",
"Default permissions": "Domyślne uprawnienia", "Default permissions": "Domyślne uprawnienia",
"Default permissions updated successfully": "Domyślne uprawnienia zaktualizowane pomyślnie", "Default permissions updated successfully": "Domyślne uprawnienia zaktualizowane pomyślnie",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Domyślne propozycje promptów", "Default Prompt Suggestions": "Domyślne propozycje promptów",
"Default to 389 or 636 if TLS is enabled": "Domyślnie użyj 389 lub 636, jeśli TLS jest włączony", "Default to 389 or 636 if TLS is enabled": "Domyślnie użyj 389 lub 636, jeśli TLS jest włączony",
"Default to ALL": "Domyślne dla wszystkich", "Default to ALL": "Domyślne dla wszystkich",
@ -402,6 +406,7 @@
"Delete": "Usuń", "Delete": "Usuń",
"Delete a model": "Usuń model", "Delete a model": "Usuń model",
"Delete All Chats": "Usuń wszystkie rozmowy", "Delete All Chats": "Usuń wszystkie rozmowy",
"Delete all contents inside this folder": "",
"Delete All Models": "Usuń Wszystkie Modele", "Delete All Models": "Usuń Wszystkie Modele",
"Delete Chat": "Usuń rozmowę", "Delete Chat": "Usuń rozmowę",
"Delete chat?": "Usunąć czat?", "Delete chat?": "Usunąć czat?",
@ -730,6 +735,7 @@
"Features": "Funkcje", "Features": "Funkcje",
"Features Permissions": "Uprawnienia do funkcji", "Features Permissions": "Uprawnienia do funkcji",
"February": "Luty", "February": "Luty",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Historia ocen", "Feedback History": "Historia ocen",
"Feedbacks": "Oceny", "Feedbacks": "Oceny",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Rozmiar pliku nie powinien przekraczać {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Rozmiar pliku nie powinien przekraczać {{maxSize}} MB.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Plik został pomyślnie przesłany", "File uploaded successfully": "Plik został pomyślnie przesłany",
"File uploaded!": "",
"Files": "Pliki", "Files": "Pliki",
"Filter": "Filtr", "Filter": "Filtr",
"Filter is now globally disabled": "Filtr jest teraz globalnie wyłączony", "Filter is now globally disabled": "Filtr jest teraz globalnie wyłączony",
@ -857,6 +864,7 @@
"Image Compression": "Kompresja obrazu", "Image Compression": "Kompresja obrazu",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Generowanie obrazów", "Image Generation": "Generowanie obrazów",
"Image Generation Engine": "Silnik generowania obrazów", "Image Generation Engine": "Silnik generowania obrazów",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "Pomyślnie zresetowano wiedzę.", "Knowledge reset successfully.": "Pomyślnie zresetowano wiedzę.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Wiedza zaktualizowana pomyślnie", "Knowledge updated successfully": "Wiedza zaktualizowana pomyślnie",
"Kokoro.js (Browser)": "Kokoro.js (Przeglądarka)", "Kokoro.js (Browser)": "Kokoro.js (Przeglądarka)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maksymalny rozmiar przesyłanego pliku", "Max Upload Size": "Maksymalny rozmiar przesyłanego pliku",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksymalnie 3 modele można pobierać jednocześnie. Proszę spróbować ponownie później.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksymalnie 3 modele można pobierać jednocześnie. Proszę spróbować ponownie później.",
"May": "Maj", "May": "Maj",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Konfiguracja modeli została zapisana pomyślnie", "Models configuration saved successfully": "Konfiguracja modeli została zapisana pomyślnie",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "Klucz API Mojeek Search", "Mojeek Search API Key": "Klucz API Mojeek Search",
"More": "Więcej", "More": "Więcej",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Uwaga: Jeśli określisz minimalną punktację, wyszukiwanie zwróci tylko dokumenty o wyniku równym lub wyższym niż minimalna punktacja.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Uwaga: Jeśli określisz minimalną punktację, wyszukiwanie zwróci tylko dokumenty o wyniku równym lub wyższym niż minimalna punktacja.",
"Notes": "Notatki", "Notes": "Notatki",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Dźwięk powiadomienia", "Notification Sound": "Dźwięk powiadomienia",
"Notification Webhook": "Powiadomienie Webhook", "Notification Webhook": "Powiadomienie Webhook",
"Notifications": "Powiadomienia", "Notifications": "Powiadomienia",
@ -1274,6 +1286,7 @@
"Prompts": "Prompty", "Prompts": "Prompty",
"Prompts Access": "Dostęp do promptów", "Prompts Access": "Dostęp do promptów",
"Prompts Public Sharing": "Publiczne udostępnianie promptów", "Prompts Public Sharing": "Publiczne udostępnianie promptów",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Publiczne", "Public": "Publiczne",
"Pull \"{{searchValue}}\" from Ollama.com": "Pobierz \"{{searchValue}}\" z Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Pobierz \"{{searchValue}}\" z Ollama.com",
@ -1459,6 +1472,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Ustawia sekwencje stopu do użycia. Gdy ten wzorzec zostanie napotkany, LLM przestanie generować tekst i zwróci wynik. Można skonfigurować wiele sekwencji stopu, określając kilka oddzielnych parametrów stopu w pliku modelu.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Ustawia sekwencje stopu do użycia. Gdy ten wzorzec zostanie napotkany, LLM przestanie generować tekst i zwróci wynik. Można skonfigurować wiele sekwencji stopu, określając kilka oddzielnych parametrów stopu w pliku modelu.",
"Setting": "",
"Settings": "Ustawienia", "Settings": "Ustawienia",
"Settings saved successfully!": "Ustawienia zostały zapisane pomyślnie!", "Settings saved successfully!": "Ustawienia zostały zapisane pomyślnie!",
"Share": "Udostępnij", "Share": "Udostępnij",
@ -1639,6 +1653,7 @@
"Tools Function Calling Prompt": "Narzędzia Funkcja Wywołania Promptu", "Tools Function Calling Prompt": "Narzędzia Funkcja Wywołania Promptu",
"Tools have a function calling system that allows arbitrary code execution.": "Narzędzia mają funkcję wywoływania systemu, która umożliwia wykonanie dowolnego kodu.", "Tools have a function calling system that allows arbitrary code execution.": "Narzędzia mają funkcję wywoływania systemu, która umożliwia wykonanie dowolnego kodu.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Najlepsze K", "Top K": "Najlepsze K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Transformery", "Transformers": "Transformery",
@ -1686,6 +1701,7 @@
"Upload Pipeline": "Prześlij przepływ", "Upload Pipeline": "Prześlij przepływ",
"Upload Progress": "Postęp przesyłania plików", "Upload Progress": "Postęp przesyłania plików",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "Adres URL", "URL": "Adres URL",
"URL is required": "", "URL is required": "",
"URL Mode": "Tryb URL", "URL Mode": "Tryb URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Permitir Resposta Contínua", "Allow Continue Response": "Permitir Resposta Contínua",
"Allow Delete Messages": "Permitir Exclusão de Mensagens", "Allow Delete Messages": "Permitir Exclusão de Mensagens",
"Allow File Upload": "Permitir Envio de arquivos", "Allow File Upload": "Permitir Envio de arquivos",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Permitir Vários Modelos no Chat", "Allow Multiple Models in Chat": "Permitir Vários Modelos no Chat",
"Allow non-local voices": "Permitir vozes não locais", "Allow non-local voices": "Permitir vozes não locais",
"Allow Rate Response": "Permitir Avaliar Resposta", "Allow Rate Response": "Permitir Avaliar Resposta",
@ -144,6 +145,7 @@
"Archived Chats": "Chats Arquivados", "Archived Chats": "Chats Arquivados",
"archived-chat-export": "exportação de chats arquivados", "archived-chat-export": "exportação de chats arquivados",
"Are you sure you want to clear all memories? This action cannot be undone.": "Tem certeza de que deseja apagar todas as memórias? Esta ação não pode ser desfeita.", "Are you sure you want to clear all memories? This action cannot be undone.": "Tem certeza de que deseja apagar todas as memórias? Esta ação não pode ser desfeita.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Tem certeza de que deseja excluir este canal?", "Are you sure you want to delete this channel?": "Tem certeza de que deseja excluir este canal?",
"Are you sure you want to delete this message?": "Tem certeza de que deseja excluir esta mensagem?", "Are you sure you want to delete this message?": "Tem certeza de que deseja excluir esta mensagem?",
"Are you sure you want to unarchive all archived chats?": "Você tem certeza que deseja desarquivar todos os chats arquivados?", "Are you sure you want to unarchive all archived chats?": "Você tem certeza que deseja desarquivar todos os chats arquivados?",
@ -388,12 +390,14 @@
"Default description enabled": "Descrição padrão habilitada", "Default description enabled": "Descrição padrão habilitada",
"Default Features": "Recursos padrão", "Default Features": "Recursos padrão",
"Default Filters": "Filtros padrão", "Default Filters": "Filtros padrão",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "O modo padrão funciona com uma gama mais ampla de modelos, chamando as ferramentas uma vez antes da execução. O modo nativo aproveita os recursos integrados de chamada de ferramentas do modelo, mas exige que o modelo suporte esse recurso inerentemente.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "O modo padrão funciona com uma gama mais ampla de modelos, chamando as ferramentas uma vez antes da execução. O modo nativo aproveita os recursos integrados de chamada de ferramentas do modelo, mas exige que o modelo suporte esse recurso inerentemente.",
"Default Model": "Modelo Padrão", "Default Model": "Modelo Padrão",
"Default model updated": "Modelo padrão atualizado", "Default model updated": "Modelo padrão atualizado",
"Default Models": "Modelos Padrão", "Default Models": "Modelos Padrão",
"Default permissions": "Permissões padrão", "Default permissions": "Permissões padrão",
"Default permissions updated successfully": "Permissões padrão atualizadas com sucesso", "Default permissions updated successfully": "Permissões padrão atualizadas com sucesso",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Sugestões de Prompt Padrão", "Default Prompt Suggestions": "Sugestões de Prompt Padrão",
"Default to 389 or 636 if TLS is enabled": "O padrão é 389 ou 636 se o TLS estiver habilitado", "Default to 389 or 636 if TLS is enabled": "O padrão é 389 ou 636 se o TLS estiver habilitado",
"Default to ALL": "Padrão para TODOS", "Default to ALL": "Padrão para TODOS",
@ -402,6 +406,7 @@
"Delete": "Excluir", "Delete": "Excluir",
"Delete a model": "Excluir um modelo", "Delete a model": "Excluir um modelo",
"Delete All Chats": "Excluir Todos os Chats", "Delete All Chats": "Excluir Todos os Chats",
"Delete all contents inside this folder": "",
"Delete All Models": "Excluir Todos os Modelos", "Delete All Models": "Excluir Todos os Modelos",
"Delete Chat": "Excluir Chat", "Delete Chat": "Excluir Chat",
"Delete chat?": "Excluir chat?", "Delete chat?": "Excluir chat?",
@ -730,6 +735,7 @@
"Features": "Funcionalidades", "Features": "Funcionalidades",
"Features Permissions": "Permissões das Funcionalidades", "Features Permissions": "Permissões das Funcionalidades",
"February": "Fevereiro", "February": "Fevereiro",
"Feedback deleted successfully": "",
"Feedback Details": "Detalhes do comentário", "Feedback Details": "Detalhes do comentário",
"Feedback History": "Histórico de comentários", "Feedback History": "Histórico de comentários",
"Feedbacks": "Comentários", "Feedbacks": "Comentários",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Arquivo não pode exceder {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Arquivo não pode exceder {{maxSize}} MB.",
"File Upload": "Upload de arquivo", "File Upload": "Upload de arquivo",
"File uploaded successfully": "Arquivo carregado com sucesso", "File uploaded successfully": "Arquivo carregado com sucesso",
"File uploaded!": "",
"Files": "Arquivos", "Files": "Arquivos",
"Filter": "Filtro", "Filter": "Filtro",
"Filter is now globally disabled": "O filtro está agora desativado globalmente", "Filter is now globally disabled": "O filtro está agora desativado globalmente",
@ -857,6 +864,7 @@
"Image Compression": "Compressão de imagem", "Image Compression": "Compressão de imagem",
"Image Compression Height": "Altura de compressão da imagem", "Image Compression Height": "Altura de compressão da imagem",
"Image Compression Width": "Largura de compressão de imagem", "Image Compression Width": "Largura de compressão de imagem",
"Image Edit": "",
"Image Edit Engine": "Motor de edição de imagens", "Image Edit Engine": "Motor de edição de imagens",
"Image Generation": "Geração de Imagem", "Image Generation": "Geração de Imagem",
"Image Generation Engine": "Motor de Geração de Imagem", "Image Generation Engine": "Motor de Geração de Imagem",
@ -941,6 +949,7 @@
"Knowledge Name": "Nome da Base de Conhecimento", "Knowledge Name": "Nome da Base de Conhecimento",
"Knowledge Public Sharing": "Compartilhamento Público da Base de Conhecimento", "Knowledge Public Sharing": "Compartilhamento Público da Base de Conhecimento",
"Knowledge reset successfully.": "Conhecimento resetado com sucesso.", "Knowledge reset successfully.": "Conhecimento resetado com sucesso.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Conhecimento atualizado com sucesso", "Knowledge updated successfully": "Conhecimento atualizado com sucesso",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Tamanho máximo do arquivo", "Max Upload Size": "Tamanho máximo do arquivo",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Máximo de 3 modelos podem ser baixados simultaneamente. Por favor, tente novamente mais tarde.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Máximo de 3 modelos podem ser baixados simultaneamente. Por favor, tente novamente mais tarde.",
"May": "Maio", "May": "Maio",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "O suporte ao MCP é experimental e suas especificações mudam com frequência, o que pode levar a incompatibilidades. O suporte à especificação OpenAPI é mantido diretamente pela equipe do Open WebUI, tornando-o a opção mais confiável para compatibilidade.", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "O suporte ao MCP é experimental e suas especificações mudam com frequência, o que pode levar a incompatibilidades. O suporte à especificação OpenAPI é mantido diretamente pela equipe do Open WebUI, tornando-o a opção mais confiável para compatibilidade.",
"Medium": "Médio", "Medium": "Médio",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Configuração de modelos salva com sucesso", "Models configuration saved successfully": "Configuração de modelos salva com sucesso",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Modelos de Compartilhamento Público", "Models Public Sharing": "Modelos de Compartilhamento Público",
"Models Sharing": "",
"Mojeek Search API Key": "Chave de API Mojeel Search", "Mojeek Search API Key": "Chave de API Mojeel Search",
"More": "Mais", "More": "Mais",
"More Concise": "Mais conciso", "More Concise": "Mais conciso",
@ -1077,7 +1088,6 @@
"New Function": "Nova Função", "New Function": "Nova Função",
"New Knowledge": "Novo Conhecimento", "New Knowledge": "Novo Conhecimento",
"New Model": "Novo Modelo", "New Model": "Novo Modelo",
"New Note": "Nova Nota",
"New Password": "Nova Senha", "New Password": "Nova Senha",
"New Prompt": "Novo Prompt", "New Prompt": "Novo Prompt",
"New Temporary Chat": "Novo chat temporário", "New Temporary Chat": "Novo chat temporário",
@ -1129,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Se você definir uma pontuação mínima, a pesquisa retornará apenas documentos com pontuação igual ou superior à pontuação mínima.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Se você definir uma pontuação mínima, a pesquisa retornará apenas documentos com pontuação igual ou superior à pontuação mínima.",
"Notes": "Notas", "Notes": "Notas",
"Notes Public Sharing": "Compartilhamento Público das Notas", "Notes Public Sharing": "Compartilhamento Público das Notas",
"Notes Sharing": "",
"Notification Sound": "Som de notificação", "Notification Sound": "Som de notificação",
"Notification Webhook": "Webhook de notificação", "Notification Webhook": "Webhook de notificação",
"Notifications": "Notificações", "Notifications": "Notificações",
@ -1275,6 +1286,7 @@
"Prompts": "Prompts", "Prompts": "Prompts",
"Prompts Access": "Acessar prompts", "Prompts Access": "Acessar prompts",
"Prompts Public Sharing": "Compartilhamento Público dos Prompts", "Prompts Public Sharing": "Compartilhamento Público dos Prompts",
"Prompts Sharing": "",
"Provider Type": "Tipo de provedor", "Provider Type": "Tipo de provedor",
"Public": "Público", "Public": "Público",
"Pull \"{{searchValue}}\" from Ollama.com": "Obter \"{{searchValue}}\" de Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Obter \"{{searchValue}}\" de Ollama.com",
@ -1459,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Define a semente numérica aleatória a ser usada para geração. Definir um número específico fará com que o modelo gere o mesmo texto para o mesmo prompt.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Define a semente numérica aleatória a ser usada para geração. Definir um número específico fará com que o modelo gere o mesmo texto para o mesmo prompt.",
"Sets the size of the context window used to generate the next token.": "Define o tamanho da janela de contexto usada para gerar o próximo token.", "Sets the size of the context window used to generate the next token.": "Define o tamanho da janela de contexto usada para gerar o próximo token.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Define as sequências de parada a serem usadas. Quando esse padrão for encontrado, o modelo de linguagem (LLM) parará de gerar texto e retornará. Vários padrões de parada podem ser definidos especificando parâmetros de parada separados em um arquivo de modelo.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Define as sequências de parada a serem usadas. Quando esse padrão for encontrado, o modelo de linguagem (LLM) parará de gerar texto e retornará. Vários padrões de parada podem ser definidos especificando parâmetros de parada separados em um arquivo de modelo.",
"Setting": "",
"Settings": "Configurações", "Settings": "Configurações",
"Settings saved successfully!": "Configurações salvas com sucesso!", "Settings saved successfully!": "Configurações salvas com sucesso!",
"Share": "Compartilhar", "Share": "Compartilhar",
@ -1639,6 +1652,7 @@
"Tools Function Calling Prompt": "Prompt de chamada de função de ferramentas", "Tools Function Calling Prompt": "Prompt de chamada de função de ferramentas",
"Tools have a function calling system that allows arbitrary code execution.": "Ferramentas possuem um sistema de chamada de funções que permite a execução de código arbitrário.", "Tools have a function calling system that allows arbitrary code execution.": "Ferramentas possuem um sistema de chamada de funções que permite a execução de código arbitrário.",
"Tools Public Sharing": "Ferramentas Compartilhamento Público", "Tools Public Sharing": "Ferramentas Compartilhamento Público",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1686,6 +1700,7 @@
"Upload Pipeline": "Fazer upload de Pipeline", "Upload Pipeline": "Fazer upload de Pipeline",
"Upload Progress": "Progresso do Upload", "Upload Progress": "Progresso do Upload",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progresso do upload: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progresso do upload: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "URL é obrigratória", "URL is required": "URL é obrigratória",
"URL Mode": "Modo URL", "URL Mode": "Modo URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Permitir vozes não locais", "Allow non-local voices": "Permitir vozes não locais",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Conversas arquivadas", "Archived Chats": "Conversas arquivadas",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Modelo padrão", "Default Model": "Modelo padrão",
"Default model updated": "Modelo padrão atualizado", "Default model updated": "Modelo padrão atualizado",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Sugestões de Prompt Padrão", "Default Prompt Suggestions": "Sugestões de Prompt Padrão",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Apagar", "Delete": "Apagar",
"Delete a model": "Apagar um modelo", "Delete a model": "Apagar um modelo",
"Delete All Chats": "Apagar todas as conversas", "Delete All Chats": "Apagar todas as conversas",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "Apagar Conversa", "Delete Chat": "Apagar Conversa",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Fevereiro", "February": "Fevereiro",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "", "Files": "",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Mecanismo de Geração de Imagens", "Image Generation Engine": "Mecanismo de Geração de Imagens",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "O máximo de 3 modelos podem ser descarregados simultaneamente. Tente novamente mais tarde.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "O máximo de 3 modelos podem ser descarregados simultaneamente. Tente novamente mais tarde.",
"May": "Maio", "May": "Maio",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Mais", "More": "Mais",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Se você definir uma pontuação mínima, a pesquisa só retornará documentos com uma pontuação maior ou igual à pontuação mínima.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Se você definir uma pontuação mínima, a pesquisa só retornará documentos com uma pontuação maior ou igual à pontuação mínima.",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Notificações da Área de Trabalho", "Notifications": "Notificações da Área de Trabalho",
@ -1274,6 +1286,7 @@
"Prompts": "Prompts", "Prompts": "Prompts",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Puxar \"{{searchValue}}\" do Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Puxar \"{{searchValue}}\" do Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Configurações", "Settings": "Configurações",
"Settings saved successfully!": "Configurações guardadas com sucesso!", "Settings saved successfully!": "Configurações guardadas com sucesso!",
"Share": "Partilhar", "Share": "Partilhar",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Carregar Pipeline", "Upload Pipeline": "Carregar Pipeline",
"Upload Progress": "Progresso do Carregamento", "Upload Progress": "Progresso do Carregamento",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "Modo de URL", "URL Mode": "Modo de URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Permite încărcarea fișierelor", "Allow File Upload": "Permite încărcarea fișierelor",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Permite modele multiple în chat", "Allow Multiple Models in Chat": "Permite modele multiple în chat",
"Allow non-local voices": "Permite voci non-locale", "Allow non-local voices": "Permite voci non-locale",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Conversații Arhivate", "Archived Chats": "Conversații Arhivate",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Ești sigur că vrei să ștergi acest canal?", "Are you sure you want to delete this channel?": "Ești sigur că vrei să ștergi acest canal?",
"Are you sure you want to delete this message?": "Ești sigur că vrei să ștergi acest mesaj?", "Are you sure you want to delete this message?": "Ești sigur că vrei să ștergi acest mesaj?",
"Are you sure you want to unarchive all archived chats?": "Ești sigur că vrei să dezarhivezi toate conversațiile arhivate?", "Are you sure you want to unarchive all archived chats?": "Ești sigur că vrei să dezarhivezi toate conversațiile arhivate?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Model Implicit", "Default Model": "Model Implicit",
"Default model updated": "Modelul implicit a fost actualizat", "Default model updated": "Modelul implicit a fost actualizat",
"Default Models": "", "Default Models": "",
"Default permissions": "Permisiuni implicite", "Default permissions": "Permisiuni implicite",
"Default permissions updated successfully": "Permisiunile implicite au fost actualizate cu succes", "Default permissions updated successfully": "Permisiunile implicite au fost actualizate cu succes",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Sugestii de Prompt Implicite", "Default Prompt Suggestions": "Sugestii de Prompt Implicite",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Șterge", "Delete": "Șterge",
"Delete a model": "Șterge un model", "Delete a model": "Șterge un model",
"Delete All Chats": "Șterge Toate Conversațiile", "Delete All Chats": "Șterge Toate Conversațiile",
"Delete all contents inside this folder": "",
"Delete All Models": "Șterge toate modelele", "Delete All Models": "Șterge toate modelele",
"Delete Chat": "Șterge Conversația", "Delete Chat": "Șterge Conversația",
"Delete chat?": "Șterge conversația?", "Delete chat?": "Șterge conversația?",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Februarie", "February": "Februarie",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Istoricul feedback-ului", "Feedback History": "Istoricul feedback-ului",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Dimensiunea fișierului nu ar trebui să depășească {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Dimensiunea fișierului nu ar trebui să depășească {{maxSize}} MB.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "Fișiere", "Files": "Fișiere",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Filtrul este acum dezactivat global", "Filter is now globally disabled": "Filtrul este acum dezactivat global",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Motor de Generare a Imaginilor", "Image Generation Engine": "Motor de Generare a Imaginilor",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "Resetarea cunoștințelor a fost efectuată cu succes.", "Knowledge reset successfully.": "Resetarea cunoștințelor a fost efectuată cu succes.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Cunoașterea a fost actualizată cu succes", "Knowledge updated successfully": "Cunoașterea a fost actualizată cu succes",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Dimensiune Maximă de Încărcare", "Max Upload Size": "Dimensiune Maximă de Încărcare",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maxim 3 modele pot fi descărcate simultan. Vă rugăm să încercați din nou mai târziu.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maxim 3 modele pot fi descărcate simultan. Vă rugăm să încercați din nou mai târziu.",
"May": "Mai", "May": "Mai",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Mai multe", "More": "Mai multe",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Notă: Dacă setați un scor minim, căutarea va returna doar documente cu un scor mai mare sau egal cu scorul minim.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Notă: Dacă setați un scor minim, căutarea va returna doar documente cu un scor mai mare sau egal cu scorul minim.",
"Notes": "Note", "Notes": "Note",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Notificări", "Notifications": "Notificări",
@ -1274,6 +1286,7 @@
"Prompts": "Prompturi", "Prompts": "Prompturi",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Extrage \"{{searchValue}}\" de pe Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Extrage \"{{searchValue}}\" de pe Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Setări", "Settings": "Setări",
"Settings saved successfully!": "Setările au fost salvate cu succes!", "Settings saved successfully!": "Setările au fost salvate cu succes!",
"Share": "Partajează", "Share": "Partajează",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "Instrumentele au un sistem de apelare a funcțiilor care permite executarea arbitrară a codului.", "Tools have a function calling system that allows arbitrary code execution.": "Instrumentele au un sistem de apelare a funcțiilor care permite executarea arbitrară a codului.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Încarcă Conducta", "Upload Pipeline": "Încarcă Conducta",
"Upload Progress": "Progres Încărcare", "Upload Progress": "Progres Încărcare",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "Mod URL", "URL Mode": "Mod URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Разрешить продолжение ответа", "Allow Continue Response": "Разрешить продолжение ответа",
"Allow Delete Messages": "Разрешить удаление сообщений", "Allow Delete Messages": "Разрешить удаление сообщений",
"Allow File Upload": "Разрешить загрузку файлов", "Allow File Upload": "Разрешить загрузку файлов",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Разрешить использование нескольких моделей в чате", "Allow Multiple Models in Chat": "Разрешить использование нескольких моделей в чате",
"Allow non-local voices": "Разрешить не локальные голоса", "Allow non-local voices": "Разрешить не локальные голоса",
"Allow Rate Response": "Разрешить оценку ответа", "Allow Rate Response": "Разрешить оценку ответа",
@ -144,6 +145,7 @@
"Archived Chats": "Архив чатов", "Archived Chats": "Архив чатов",
"archived-chat-export": "экспорт-архивного-чата", "archived-chat-export": "экспорт-архивного-чата",
"Are you sure you want to clear all memories? This action cannot be undone.": "Вы уверены, что хотите удалить все воспоминания? Это действие невозможно отменить.", "Are you sure you want to clear all memories? This action cannot be undone.": "Вы уверены, что хотите удалить все воспоминания? Это действие невозможно отменить.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Вы уверены, что хотите удалить этот канал?", "Are you sure you want to delete this channel?": "Вы уверены, что хотите удалить этот канал?",
"Are you sure you want to delete this message?": "Вы уверены, что хотите удалить это сообщение?", "Are you sure you want to delete this message?": "Вы уверены, что хотите удалить это сообщение?",
"Are you sure you want to unarchive all archived chats?": "Вы уверены, что хотите разархивировать все заархивированные чаты?", "Are you sure you want to unarchive all archived chats?": "Вы уверены, что хотите разархивировать все заархивированные чаты?",
@ -388,12 +390,14 @@
"Default description enabled": "Описание по умолчанию включено", "Default description enabled": "Описание по умолчанию включено",
"Default Features": "Функции по умолчанию", "Default Features": "Функции по умолчанию",
"Default Filters": "Фильтры по умолчанию", "Default Filters": "Фильтры по умолчанию",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Режим по умолчанию работает с более широким спектром моделей, вызывая инструменты один раз перед выполнением. Режим Нативно использует встроенные в модель возможности вызова инструментов, но требует, чтобы модель изначально поддерживала эту функцию.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Режим по умолчанию работает с более широким спектром моделей, вызывая инструменты один раз перед выполнением. Режим Нативно использует встроенные в модель возможности вызова инструментов, но требует, чтобы модель изначально поддерживала эту функцию.",
"Default Model": "Модель по умолчанию", "Default Model": "Модель по умолчанию",
"Default model updated": "Модель по умолчанию обновлена", "Default model updated": "Модель по умолчанию обновлена",
"Default Models": "Модели по умолчанию", "Default Models": "Модели по умолчанию",
"Default permissions": "Разрешения по умолчанию", "Default permissions": "Разрешения по умолчанию",
"Default permissions updated successfully": "Разрешения по умолчанию успешно обновлены.", "Default permissions updated successfully": "Разрешения по умолчанию успешно обновлены.",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Предложения промптов по умолчанию", "Default Prompt Suggestions": "Предложения промптов по умолчанию",
"Default to 389 or 636 if TLS is enabled": "По умолчанию 389 или 636, если TLS включен.", "Default to 389 or 636 if TLS is enabled": "По умолчанию 389 или 636, если TLS включен.",
"Default to ALL": "По умолчанию ВСЕ", "Default to ALL": "По умолчанию ВСЕ",
@ -402,6 +406,7 @@
"Delete": "Удалить", "Delete": "Удалить",
"Delete a model": "Удалить модель", "Delete a model": "Удалить модель",
"Delete All Chats": "Удалить ВСЕ Чаты", "Delete All Chats": "Удалить ВСЕ Чаты",
"Delete all contents inside this folder": "",
"Delete All Models": "Удалить ВСЕ Модели", "Delete All Models": "Удалить ВСЕ Модели",
"Delete Chat": "Удалить Чат", "Delete Chat": "Удалить Чат",
"Delete chat?": "Удалить чат?", "Delete chat?": "Удалить чат?",
@ -730,6 +735,7 @@
"Features": "Функции", "Features": "Функции",
"Features Permissions": "Разрешения для функций", "Features Permissions": "Разрешения для функций",
"February": "Февраль", "February": "Февраль",
"Feedback deleted successfully": "",
"Feedback Details": "Детали отзыва", "Feedback Details": "Детали отзыва",
"Feedback History": "История отзывов", "Feedback History": "История отзывов",
"Feedbacks": "Отзывы", "Feedbacks": "Отзывы",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Размер файла не должен превышать {{maxSize}} МБ.", "File size should not exceed {{maxSize}} MB.": "Размер файла не должен превышать {{maxSize}} МБ.",
"File Upload": "Загрузка файла", "File Upload": "Загрузка файла",
"File uploaded successfully": "Файл успешно загружен", "File uploaded successfully": "Файл успешно загружен",
"File uploaded!": "",
"Files": "Файлы", "Files": "Файлы",
"Filter": "Фильтр", "Filter": "Фильтр",
"Filter is now globally disabled": "Фильтр теперь отключен глобально", "Filter is now globally disabled": "Фильтр теперь отключен глобально",
@ -857,6 +864,7 @@
"Image Compression": "Сжатие изображения", "Image Compression": "Сжатие изображения",
"Image Compression Height": "Высота сжатия изображения", "Image Compression Height": "Высота сжатия изображения",
"Image Compression Width": "Ширина сжатия изображения", "Image Compression Width": "Ширина сжатия изображения",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Генерация изображений", "Image Generation": "Генерация изображений",
"Image Generation Engine": "Механизм генерации изображений", "Image Generation Engine": "Механизм генерации изображений",
@ -941,6 +949,7 @@
"Knowledge Name": "Название знаний", "Knowledge Name": "Название знаний",
"Knowledge Public Sharing": "Публичный обмен знаниями", "Knowledge Public Sharing": "Публичный обмен знаниями",
"Knowledge reset successfully.": "Знания успешно сброшены.", "Knowledge reset successfully.": "Знания успешно сброшены.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Знания успешно обновлены", "Knowledge updated successfully": "Знания успешно обновлены",
"Kokoro.js (Browser)": "Kokoro.js (Браузер)", "Kokoro.js (Browser)": "Kokoro.js (Браузер)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Максимальный размер загрузок", "Max Upload Size": "Максимальный размер загрузок",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимальное количество моделей для загрузки одновременно - 3. Пожалуйста, попробуйте позже.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимальное количество моделей для загрузки одновременно - 3. Пожалуйста, попробуйте позже.",
"May": "Май", "May": "Май",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "Средний", "Medium": "Средний",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Конфигурация моделей успешно сохранена.", "Models configuration saved successfully": "Конфигурация моделей успешно сохранена.",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Публичный обмен моделями", "Models Public Sharing": "Публичный обмен моделями",
"Models Sharing": "",
"Mojeek Search API Key": "Ключ API для поиска Mojeek", "Mojeek Search API Key": "Ключ API для поиска Mojeek",
"More": "Больше", "More": "Больше",
"More Concise": "Более кратко", "More Concise": "Более кратко",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Обратите внимание: Если вы установите минимальный балл, поиск будет возвращать только документы с баллом больше или равным минимальному баллу.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Обратите внимание: Если вы установите минимальный балл, поиск будет возвращать только документы с баллом больше или равным минимальному баллу.",
"Notes": "Заметки", "Notes": "Заметки",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Звук уведомления", "Notification Sound": "Звук уведомления",
"Notification Webhook": "Веб-хук уведомления", "Notification Webhook": "Веб-хук уведомления",
"Notifications": "Уведомления", "Notifications": "Уведомления",
@ -1274,6 +1286,7 @@
"Prompts": "Промпты", "Prompts": "Промпты",
"Prompts Access": "Доступ к промптам", "Prompts Access": "Доступ к промптам",
"Prompts Public Sharing": "Публичный обмен промптами", "Prompts Public Sharing": "Публичный обмен промптами",
"Prompts Sharing": "",
"Provider Type": "Тип поставщика", "Provider Type": "Тип поставщика",
"Public": "Публичное", "Public": "Публичное",
"Pull \"{{searchValue}}\" from Ollama.com": "Загрузить \"{{searchValue}}\" с Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Загрузить \"{{searchValue}}\" с Ollama.com",
@ -1459,6 +1472,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Задает начальное значение случайного числа, которое будет использоваться для генерации. Установка этого значения на определенное число заставит модель генерировать один и тот же текст для одного и того же запроса.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Задает начальное значение случайного числа, которое будет использоваться для генерации. Установка этого значения на определенное число заставит модель генерировать один и тот же текст для одного и того же запроса.",
"Sets the size of the context window used to generate the next token.": "Устанавливает размер контекстного окна, используемого для генерации следующего токена.", "Sets the size of the context window used to generate the next token.": "Устанавливает размер контекстного окна, используемого для генерации следующего токена.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Устанавливает используемые последовательности остановок. При обнаружении этого шаблона LLM прекратит генерировать текст и вернет данные. Можно задать несколько шаблонов остановок, указав несколько отдельных параметров остановки в файле модели.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Устанавливает используемые последовательности остановок. При обнаружении этого шаблона LLM прекратит генерировать текст и вернет данные. Можно задать несколько шаблонов остановок, указав несколько отдельных параметров остановки в файле модели.",
"Setting": "",
"Settings": "Настройки", "Settings": "Настройки",
"Settings saved successfully!": "Настройки успешно сохранены!", "Settings saved successfully!": "Настройки успешно сохранены!",
"Share": "Поделиться", "Share": "Поделиться",
@ -1639,6 +1653,7 @@
"Tools Function Calling Prompt": "Промпт на вызов функции Инструменты", "Tools Function Calling Prompt": "Промпт на вызов функции Инструменты",
"Tools have a function calling system that allows arbitrary code execution.": "Инструменты имеют систему вызова функций, которая позволяет выполнять произвольный код.", "Tools have a function calling system that allows arbitrary code execution.": "Инструменты имеют систему вызова функций, которая позволяет выполнять произвольный код.",
"Tools Public Sharing": "Публичный обмен инструментами", "Tools Public Sharing": "Публичный обмен инструментами",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K переранжировщик", "Top K Reranker": "Top K переранжировщик",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1686,6 +1701,7 @@
"Upload Pipeline": "Загрузить конвейер", "Upload Pipeline": "Загрузить конвейер",
"Upload Progress": "Прогресс загрузки", "Upload Progress": "Прогресс загрузки",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Прогресс загрузки: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Прогресс загрузки: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "Требуется URL", "URL is required": "Требуется URL",
"URL Mode": "Режим URL", "URL Mode": "Режим URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Povoliť nahrávanie súborov", "Allow File Upload": "Povoliť nahrávanie súborov",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Povoliť ne-lokálne hlasy", "Allow non-local voices": "Povoliť ne-lokálne hlasy",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Archivované konverzácie", "Archived Chats": "Archivované konverzácie",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Predvolený model", "Default Model": "Predvolený model",
"Default model updated": "Predvolený model aktualizovaný.", "Default model updated": "Predvolený model aktualizovaný.",
"Default Models": "Predvolené modely", "Default Models": "Predvolené modely",
"Default permissions": "Predvolené povolenia", "Default permissions": "Predvolené povolenia",
"Default permissions updated successfully": "Predvolené povolenia úspešne aktualizované", "Default permissions updated successfully": "Predvolené povolenia úspešne aktualizované",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Predvolené návrhy promptov", "Default Prompt Suggestions": "Predvolené návrhy promptov",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Odstrániť", "Delete": "Odstrániť",
"Delete a model": "Odstrániť model.", "Delete a model": "Odstrániť model.",
"Delete All Chats": "Odstrániť všetky konverzácie", "Delete All Chats": "Odstrániť všetky konverzácie",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "Odstrániť chat", "Delete Chat": "Odstrániť chat",
"Delete chat?": "Odstrániť konverzáciu?", "Delete chat?": "Odstrániť konverzáciu?",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Február", "February": "Február",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "História spätnej väzby", "Feedback History": "História spätnej väzby",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Veľkosť súboru by nemala presiahnuť {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Veľkosť súboru by nemala presiahnuť {{maxSize}} MB.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "Súbory", "Files": "Súbory",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Filter je teraz globálne zakázaný", "Filter is now globally disabled": "Filter je teraz globálne zakázaný",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "Engine na generovanie obrázkov", "Image Generation Engine": "Engine na generovanie obrázkov",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "Úspešné obnovenie znalostí.", "Knowledge reset successfully.": "Úspešné obnovenie znalostí.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Znalosti úspešne aktualizované", "Knowledge updated successfully": "Znalosti úspešne aktualizované",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maximálna veľkosť nahrávania", "Max Upload Size": "Maximálna veľkosť nahrávania",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximálne 3 modely môžu byť stiahnuté súčasne. Prosím skúste to znova neskôr.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximálne 3 modely môžu byť stiahnuté súčasne. Prosím skúste to znova neskôr.",
"May": "Máj", "May": "Máj",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Viac", "More": "Viac",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Poznámka: Ak nastavíte minimálne skóre, vyhľadávanie vráti iba dokumenty s hodnotením, ktoré je väčšie alebo rovné zadanému minimálnemu skóre.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Poznámka: Ak nastavíte minimálne skóre, vyhľadávanie vráti iba dokumenty s hodnotením, ktoré je väčšie alebo rovné zadanému minimálnemu skóre.",
"Notes": "Poznámky", "Notes": "Poznámky",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "Oznámenia", "Notifications": "Oznámenia",
@ -1274,6 +1286,7 @@
"Prompts": "Prompty", "Prompts": "Prompty",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Stiahnite \"{{searchValue}}\" z Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Stiahnite \"{{searchValue}}\" z Ollama.com",
@ -1459,6 +1472,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Nastavenia", "Settings": "Nastavenia",
"Settings saved successfully!": "Nastavenia boli úspešne uložené!", "Settings saved successfully!": "Nastavenia boli úspešne uložené!",
"Share": "Zdieľať", "Share": "Zdieľať",
@ -1639,6 +1653,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "Nástroje majú systém volania funkcií, ktorý umožňuje spúšťanie ľubovoľného kódu.", "Tools have a function calling system that allows arbitrary code execution.": "Nástroje majú systém volania funkcií, ktorý umožňuje spúšťanie ľubovoľného kódu.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1686,6 +1701,7 @@
"Upload Pipeline": "Nahrať pipeline", "Upload Pipeline": "Nahrať pipeline",
"Upload Progress": "Priebeh nahrávania", "Upload Progress": "Priebeh nahrávania",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "Režim URL", "URL Mode": "Režim URL",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Дозволи отпремање датотека", "Allow File Upload": "Дозволи отпремање датотека",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Дозволи нелокалне гласове", "Allow non-local voices": "Дозволи нелокалне гласове",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Архиве", "Archived Chats": "Архиве",
"archived-chat-export": "izvezena-arhiva", "archived-chat-export": "izvezena-arhiva",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Да ли сигурно желите обрисати овај канал?", "Are you sure you want to delete this channel?": "Да ли сигурно желите обрисати овај канал?",
"Are you sure you want to delete this message?": "Да ли сигурно желите обрисати ову поруку?", "Are you sure you want to delete this message?": "Да ли сигурно желите обрисати ову поруку?",
"Are you sure you want to unarchive all archived chats?": "Да ли сигурно желите деархивирати све архиве?", "Are you sure you want to unarchive all archived chats?": "Да ли сигурно желите деархивирати све архиве?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Подразумевани модел", "Default Model": "Подразумевани модел",
"Default model updated": "Подразумевани модел ажуриран", "Default model updated": "Подразумевани модел ажуриран",
"Default Models": "Подразумевани модели", "Default Models": "Подразумевани модели",
"Default permissions": "Подразумевана овлашћења", "Default permissions": "Подразумевана овлашћења",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Подразумевани предлози упита", "Default Prompt Suggestions": "Подразумевани предлози упита",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Обриши", "Delete": "Обриши",
"Delete a model": "Обриши модел", "Delete a model": "Обриши модел",
"Delete All Chats": "Обриши сва ћаскања", "Delete All Chats": "Обриши сва ћаскања",
"Delete all contents inside this folder": "",
"Delete All Models": "Обриши све моделе", "Delete All Models": "Обриши све моделе",
"Delete Chat": "Обриши ћаскање", "Delete Chat": "Обриши ћаскање",
"Delete chat?": "Обрисати ћаскање?", "Delete chat?": "Обрисати ћаскање?",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Фебруар", "February": "Фебруар",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Историјат повратних података", "Feedback History": "Историјат повратних података",
"Feedbacks": "Повратни подаци", "Feedbacks": "Повратни подаци",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "Датотеке", "Files": "Датотеке",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "Компресија слике", "Image Compression": "Компресија слике",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Стварање слике", "Image Generation": "Стварање слике",
"Image Generation Engine": "Мотор за стварање слика", "Image Generation Engine": "Мотор за стварање слика",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Највише 3 модела могу бити преузета истовремено. Покушајте поново касније.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Највише 3 модела могу бити преузета истовремено. Покушајте поново касније.",
"May": "Мај", "May": "Мај",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Више", "More": "Више",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Напомена: ако подесите најмањи резултат, претрага ће вратити само документе са резултатом већим или једнаким најмањем резултату.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Напомена: ако подесите најмањи резултат, претрага ће вратити само документе са резултатом већим или једнаким најмањем резултату.",
"Notes": "Белешке", "Notes": "Белешке",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Звук обавештења", "Notification Sound": "Звук обавештења",
"Notification Webhook": "Веб-кука обавештења", "Notification Webhook": "Веб-кука обавештења",
"Notifications": "Обавештења", "Notifications": "Обавештења",
@ -1274,6 +1286,7 @@
"Prompts": "Упити", "Prompts": "Упити",
"Prompts Access": "Приступ упитима", "Prompts Access": "Приступ упитима",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Повуците \"{{searchValue}}\" са Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Повуците \"{{searchValue}}\" са Ollama.com",
@ -1458,6 +1471,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Подешавања", "Settings": "Подешавања",
"Settings saved successfully!": "Подешавања успешно сачувана!", "Settings saved successfully!": "Подешавања успешно сачувана!",
"Share": "Подели", "Share": "Подели",
@ -1638,6 +1652,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Топ К", "Top K": "Топ К",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1685,6 +1700,7 @@
"Upload Pipeline": "Цевовод отпремања", "Upload Pipeline": "Цевовод отпремања",
"Upload Progress": "Напредак отпремања", "Upload Progress": "Напредак отпремања",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "УРЛ", "URL": "УРЛ",
"URL is required": "", "URL is required": "",
"URL Mode": "Режим адресе", "URL Mode": "Режим адресе",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "Tillåt funktionen Fortsätt svara", "Allow Continue Response": "Tillåt funktionen Fortsätt svara",
"Allow Delete Messages": "Tillåt radering av meddelanden", "Allow Delete Messages": "Tillåt radering av meddelanden",
"Allow File Upload": "Tillåt filuppladdning", "Allow File Upload": "Tillåt filuppladdning",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Tillåt flera modeller i chatt", "Allow Multiple Models in Chat": "Tillåt flera modeller i chatt",
"Allow non-local voices": "Tillåt icke-lokala röster", "Allow non-local voices": "Tillåt icke-lokala röster",
"Allow Rate Response": "Tillåt betygsättning av svar", "Allow Rate Response": "Tillåt betygsättning av svar",
@ -144,6 +145,7 @@
"Archived Chats": "Arkiverade chattar", "Archived Chats": "Arkiverade chattar",
"archived-chat-export": "arkiverad-chatt-export", "archived-chat-export": "arkiverad-chatt-export",
"Are you sure you want to clear all memories? This action cannot be undone.": "Är du säker på att du vill rensa alla minnen? Denna åtgärd kan inte ångras.", "Are you sure you want to clear all memories? This action cannot be undone.": "Är du säker på att du vill rensa alla minnen? Denna åtgärd kan inte ångras.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Är du säker på att du vill radera denna kanal?", "Are you sure you want to delete this channel?": "Är du säker på att du vill radera denna kanal?",
"Are you sure you want to delete this message?": "Är du säker på att du vill radera detta meddelande?", "Are you sure you want to delete this message?": "Är du säker på att du vill radera detta meddelande?",
"Are you sure you want to unarchive all archived chats?": "Är du säker på att du vill avarkivera alla arkiverade chattar?", "Are you sure you want to unarchive all archived chats?": "Är du säker på att du vill avarkivera alla arkiverade chattar?",
@ -388,12 +390,14 @@
"Default description enabled": "Standardbeskrivning aktiverad", "Default description enabled": "Standardbeskrivning aktiverad",
"Default Features": "Föraktiverade funktioner", "Default Features": "Föraktiverade funktioner",
"Default Filters": "Standardfilter", "Default Filters": "Standardfilter",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Standardläget fungerar med ett bredare utbud av modeller genom att anropa verktyg en gång före körning. Inbyggt läge utnyttjar modellens inbyggda verktygsanropsfunktioner, men kräver att modellen har stöd för den här funktionen.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Standardläget fungerar med ett bredare utbud av modeller genom att anropa verktyg en gång före körning. Inbyggt läge utnyttjar modellens inbyggda verktygsanropsfunktioner, men kräver att modellen har stöd för den här funktionen.",
"Default Model": "Standardmodell", "Default Model": "Standardmodell",
"Default model updated": "Standardmodell uppdaterad", "Default model updated": "Standardmodell uppdaterad",
"Default Models": "Standardmodeller", "Default Models": "Standardmodeller",
"Default permissions": "Standardbehörigheter", "Default permissions": "Standardbehörigheter",
"Default permissions updated successfully": "Standardbehörigheter uppdaterades framgångsrikt", "Default permissions updated successfully": "Standardbehörigheter uppdaterades framgångsrikt",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Standardinstruktionsförslag", "Default Prompt Suggestions": "Standardinstruktionsförslag",
"Default to 389 or 636 if TLS is enabled": "Standard till 389 eller 636 om TLS är aktiverat", "Default to 389 or 636 if TLS is enabled": "Standard till 389 eller 636 om TLS är aktiverat",
"Default to ALL": "Standard till ALLA", "Default to ALL": "Standard till ALLA",
@ -402,6 +406,7 @@
"Delete": "Radera", "Delete": "Radera",
"Delete a model": "Ta bort en modell", "Delete a model": "Ta bort en modell",
"Delete All Chats": "Ta bort alla chattar", "Delete All Chats": "Ta bort alla chattar",
"Delete all contents inside this folder": "",
"Delete All Models": "Ta bort alla modeller", "Delete All Models": "Ta bort alla modeller",
"Delete Chat": "Radera chatt", "Delete Chat": "Radera chatt",
"Delete chat?": "Radera chatt?", "Delete chat?": "Radera chatt?",
@ -730,6 +735,7 @@
"Features": "Funktioner", "Features": "Funktioner",
"Features Permissions": "Funktionsbehörigheter", "Features Permissions": "Funktionsbehörigheter",
"February": "februari", "February": "februari",
"Feedback deleted successfully": "",
"Feedback Details": "Feedbackdetaljer", "Feedback Details": "Feedbackdetaljer",
"Feedback History": "Feedbackhistorik", "Feedback History": "Feedbackhistorik",
"Feedbacks": "Återkopplingar", "Feedbacks": "Återkopplingar",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Filstorleken får inte överstiga {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Filstorleken får inte överstiga {{maxSize}} MB.",
"File Upload": "Filuppladdning", "File Upload": "Filuppladdning",
"File uploaded successfully": "Filen har laddats upp", "File uploaded successfully": "Filen har laddats upp",
"File uploaded!": "",
"Files": "Filer", "Files": "Filer",
"Filter": "Filter", "Filter": "Filter",
"Filter is now globally disabled": "Filter är nu globalt inaktiverat", "Filter is now globally disabled": "Filter är nu globalt inaktiverat",
@ -857,6 +864,7 @@
"Image Compression": "Bildkomprimering", "Image Compression": "Bildkomprimering",
"Image Compression Height": "Bildkomprimeringshöjd", "Image Compression Height": "Bildkomprimeringshöjd",
"Image Compression Width": "Bildkomprimeringsbredd", "Image Compression Width": "Bildkomprimeringsbredd",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Bildgenerering", "Image Generation": "Bildgenerering",
"Image Generation Engine": "Bildgenereringsmotor", "Image Generation Engine": "Bildgenereringsmotor",
@ -941,6 +949,7 @@
"Knowledge Name": "Kunskapsbasens namn", "Knowledge Name": "Kunskapsbasens namn",
"Knowledge Public Sharing": "Offentlig delning av kunskapsbaser", "Knowledge Public Sharing": "Offentlig delning av kunskapsbaser",
"Knowledge reset successfully.": "Kunskapen har återställts.", "Knowledge reset successfully.": "Kunskapen har återställts.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Kunskapen har uppdaterats", "Knowledge updated successfully": "Kunskapen har uppdaterats",
"Kokoro.js (Browser)": "Kokoro.js (webbläsare)", "Kokoro.js (Browser)": "Kokoro.js (webbläsare)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Max uppladdningsstorlek", "Max Upload Size": "Max uppladdningsstorlek",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Högst 3 modeller kan laddas ner samtidigt. Vänligen försök igen senare.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Högst 3 modeller kan laddas ner samtidigt. Vänligen försök igen senare.",
"May": "maj", "May": "maj",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "Medium", "Medium": "Medium",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Modellkonfigurationen sparades", "Models configuration saved successfully": "Modellkonfigurationen sparades",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Offentlig delning av modeller", "Models Public Sharing": "Offentlig delning av modeller",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Sök API-nyckel", "Mojeek Search API Key": "Mojeek Sök API-nyckel",
"More": "Mer", "More": "Mer",
"More Concise": "Mer kortfattat", "More Concise": "Mer kortfattat",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Obs: Om du anger en tröskel kommer sökningen endast att returnera dokument med ett betyg som är större än eller lika med tröskeln.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Obs: Om du anger en tröskel kommer sökningen endast att returnera dokument med ett betyg som är större än eller lika med tröskeln.",
"Notes": "Anteckningar", "Notes": "Anteckningar",
"Notes Public Sharing": "Offentlig delning av anteckningar", "Notes Public Sharing": "Offentlig delning av anteckningar",
"Notes Sharing": "",
"Notification Sound": "Aviseringsljud", "Notification Sound": "Aviseringsljud",
"Notification Webhook": "Aviserings-Webhook", "Notification Webhook": "Aviserings-Webhook",
"Notifications": "Notifikationer", "Notifications": "Notifikationer",
@ -1274,6 +1286,7 @@
"Prompts": "Instruktioner", "Prompts": "Instruktioner",
"Prompts Access": "Promptåtkomst", "Prompts Access": "Promptåtkomst",
"Prompts Public Sharing": "Offentlig delning av prompter", "Prompts Public Sharing": "Offentlig delning av prompter",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Offentlig", "Public": "Offentlig",
"Pull \"{{searchValue}}\" from Ollama.com": "Ladda ner \"{{searchValue}}\" från Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Ladda ner \"{{searchValue}}\" från Ollama.com",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Anger det slumpmässiga numret som ska användas för generering. Om du ställer in detta på ett specifikt nummer kommer modellen att generera samma text för samma uppmaning.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Anger det slumpmässiga numret som ska användas för generering. Om du ställer in detta på ett specifikt nummer kommer modellen att generera samma text för samma uppmaning.",
"Sets the size of the context window used to generate the next token.": "Anger storleken på kontextfönstret som används för att generera nästa token.", "Sets the size of the context window used to generate the next token.": "Anger storleken på kontextfönstret som används för att generera nästa token.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Anger de stoppsekvenser som ska användas. När detta mönster påträffas kommer LLM att sluta generera text och returnera. Flera stoppsekvenser kan ställas in genom att ange flera separata stoppparametrar i en modelfil.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Anger de stoppsekvenser som ska användas. När detta mönster påträffas kommer LLM att sluta generera text och returnera. Flera stoppsekvenser kan ställas in genom att ange flera separata stoppparametrar i en modelfil.",
"Setting": "",
"Settings": "Inställningar", "Settings": "Inställningar",
"Settings saved successfully!": "Inställningar sparades framgångsrikt!", "Settings saved successfully!": "Inställningar sparades framgångsrikt!",
"Share": "Dela", "Share": "Dela",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Prompt för anrop av verktygsfunktion:", "Tools Function Calling Prompt": "Prompt för anrop av verktygsfunktion:",
"Tools have a function calling system that allows arbitrary code execution.": "Verktyg har ett funktionsanropssystem som tillåter godtycklig kodkörning", "Tools have a function calling system that allows arbitrary code execution.": "Verktyg har ett funktionsanropssystem som tillåter godtycklig kodkörning",
"Tools Public Sharing": "Offentlig delning av verktyg", "Tools Public Sharing": "Offentlig delning av verktyg",
"Tools Sharing": "",
"Top K": "Topp K", "Top K": "Topp K",
"Top K Reranker": "Topp K Reranker", "Top K Reranker": "Topp K Reranker",
"Transformers": "Transformatorer", "Transformers": "Transformatorer",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Ladda upp rörledning", "Upload Pipeline": "Ladda upp rörledning",
"Upload Progress": "Uppladdningsframsteg", "Upload Progress": "Uppladdningsframsteg",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Uppladdningsstatus: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Uppladdningsstatus: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL krävs", "URL is required": "URL krävs",
"URL Mode": "URL-läge", "URL Mode": "URL-läge",

File diff suppressed because it is too large Load diff

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "", "Allow non-local voices": "",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Arhiwlenen Çatlar", "Archived Chats": "Arhiwlenen Çatlar",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Nokatlaýyn Model", "Default Model": "Nokatlaýyn Model",
"Default model updated": "", "Default model updated": "",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "", "Default Prompt Suggestions": "",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "Öçür", "Delete": "Öçür",
"Delete a model": "", "Delete a model": "",
"Delete All Chats": "Ähli Çatlary Öçür", "Delete All Chats": "Ähli Çatlary Öçür",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "", "Delete Chat": "",
"Delete chat?": "", "Delete chat?": "",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "Fewral", "February": "Fewral",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "", "Feedback History": "",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "", "File size should not exceed {{maxSize}} MB.": "",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "Faýllar", "Files": "Faýllar",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "", "Filter is now globally disabled": "",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Surat Döretme", "Image Generation": "Surat Döretme",
"Image Generation Engine": "", "Image Generation Engine": "",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "", "Knowledge reset successfully.": "",
"Knowledge Sharing": "",
"Knowledge updated successfully": "", "Knowledge updated successfully": "",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "", "Max Upload Size": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "",
"May": "Maý", "May": "Maý",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "Has köp", "More": "Has köp",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "",
"Notes": "", "Notes": "",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "", "Notifications": "",
@ -1274,6 +1286,7 @@
"Prompts": "Düşündirişler", "Prompts": "Düşündirişler",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Jemgyýetçilik", "Public": "Jemgyýetçilik",
"Pull \"{{searchValue}}\" from Ollama.com": "", "Pull \"{{searchValue}}\" from Ollama.com": "",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "Sazlamalar", "Settings": "Sazlamalar",
"Settings saved successfully!": "", "Settings saved successfully!": "",
"Share": "Paýlaş", "Share": "Paýlaş",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "", "Tools have a function calling system that allows arbitrary code execution.": "",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "", "Top K": "",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "", "Upload Pipeline": "",
"Upload Progress": "", "Upload Progress": "",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "", "URL Mode": "",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "Mesaj Silmeye İzin Ver", "Allow Delete Messages": "Mesaj Silmeye İzin Ver",
"Allow File Upload": "Dosya Yüklemeye İzin Ver", "Allow File Upload": "Dosya Yüklemeye İzin Ver",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Sohbette Birden Fazla Modele İzin Ver", "Allow Multiple Models in Chat": "Sohbette Birden Fazla Modele İzin Ver",
"Allow non-local voices": "Yerel olmayan seslere izin verin", "Allow non-local voices": "Yerel olmayan seslere izin verin",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Arşivlenmiş Sohbetler", "Archived Chats": "Arşivlenmiş Sohbetler",
"archived-chat-export": "arşivlenmiş-sohbet-aktarımı", "archived-chat-export": "arşivlenmiş-sohbet-aktarımı",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Bu kanalı silmek istediğinizden emin misiniz?", "Are you sure you want to delete this channel?": "Bu kanalı silmek istediğinizden emin misiniz?",
"Are you sure you want to delete this message?": "Bu mesajı silmek istediğinizden emin misiniz?", "Are you sure you want to delete this message?": "Bu mesajı silmek istediğinizden emin misiniz?",
"Are you sure you want to unarchive all archived chats?": "Arşivlenmiş tüm sohbetlerin arşivini kaldırmak istediğinizden emin misiniz?", "Are you sure you want to unarchive all archived chats?": "Arşivlenmiş tüm sohbetlerin arşivini kaldırmak istediğinizden emin misiniz?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Varsayılan mod, araçları yürütmeden önce bir kez çağırarak daha geniş bir model yelpazesiyle çalışır. Yerel mod, modelin yerleşik araç çağırma yeteneklerinden yararlanır, ancak modelin bu özelliği doğal olarak desteklemesini gerektirir.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Varsayılan mod, araçları yürütmeden önce bir kez çağırarak daha geniş bir model yelpazesiyle çalışır. Yerel mod, modelin yerleşik araç çağırma yeteneklerinden yararlanır, ancak modelin bu özelliği doğal olarak desteklemesini gerektirir.",
"Default Model": "Varsayılan Model", "Default Model": "Varsayılan Model",
"Default model updated": "Varsayılan model güncellendi", "Default model updated": "Varsayılan model güncellendi",
"Default Models": "Varsayılan Modeller", "Default Models": "Varsayılan Modeller",
"Default permissions": "Varsayılan izinler", "Default permissions": "Varsayılan izinler",
"Default permissions updated successfully": "Varsayılan izinler başarıyla güncellendi", "Default permissions updated successfully": "Varsayılan izinler başarıyla güncellendi",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Varsayılan Prompt Önerileri", "Default Prompt Suggestions": "Varsayılan Prompt Önerileri",
"Default to 389 or 636 if TLS is enabled": "TLS etkinse 389 veya 636'ya varsayılan olarak", "Default to 389 or 636 if TLS is enabled": "TLS etkinse 389 veya 636'ya varsayılan olarak",
"Default to ALL": "TÜMÜ'nü varsayılan olarak", "Default to ALL": "TÜMÜ'nü varsayılan olarak",
@ -402,6 +406,7 @@
"Delete": "Sil", "Delete": "Sil",
"Delete a model": "Bir modeli sil", "Delete a model": "Bir modeli sil",
"Delete All Chats": "Tüm Sohbetleri Sil", "Delete All Chats": "Tüm Sohbetleri Sil",
"Delete all contents inside this folder": "",
"Delete All Models": "Tüm Modelleri Sil", "Delete All Models": "Tüm Modelleri Sil",
"Delete Chat": "Sohbeti Sil", "Delete Chat": "Sohbeti Sil",
"Delete chat?": "Sohbeti sil?", "Delete chat?": "Sohbeti sil?",
@ -730,6 +735,7 @@
"Features": "Özellikler", "Features": "Özellikler",
"Features Permissions": "Özellik Yetkileri", "Features Permissions": "Özellik Yetkileri",
"February": "Şubat", "February": "Şubat",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Geri Bildirim Geçmişi", "Feedback History": "Geri Bildirim Geçmişi",
"Feedbacks": "Geri Bildirimler", "Feedbacks": "Geri Bildirimler",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Dosya boyutu {{maxSize}} MB'yi aşmamalıdır.", "File size should not exceed {{maxSize}} MB.": "Dosya boyutu {{maxSize}} MB'yi aşmamalıdır.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Dosya başarıyla yüklendi", "File uploaded successfully": "Dosya başarıyla yüklendi",
"File uploaded!": "",
"Files": "Dosyalar", "Files": "Dosyalar",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Filtre artık global olarak devre dışı", "Filter is now globally disabled": "Filtre artık global olarak devre dışı",
@ -857,6 +864,7 @@
"Image Compression": "Görüntü Sıkıştırma", "Image Compression": "Görüntü Sıkıştırma",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Görüntü Oluşturma", "Image Generation": "Görüntü Oluşturma",
"Image Generation Engine": "Görüntü Oluşturma Motoru", "Image Generation Engine": "Görüntü Oluşturma Motoru",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "Bilgi başarıyla sıfırlandı.", "Knowledge reset successfully.": "Bilgi başarıyla sıfırlandı.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Bilgi başarıyla güncellendi", "Knowledge updated successfully": "Bilgi başarıyla güncellendi",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maksimum Yükleme Boyutu", "Max Upload Size": "Maksimum Yükleme Boyutu",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Aynı anda en fazla 3 model indirilebilir. Lütfen daha sonra tekrar deneyin.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Aynı anda en fazla 3 model indirilebilir. Lütfen daha sonra tekrar deneyin.",
"May": "Mayıs", "May": "Mayıs",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Modellerin yapılandırması başarıyla kaydedildi", "Models configuration saved successfully": "Modellerin yapılandırması başarıyla kaydedildi",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek Search API Anahtarı", "Mojeek Search API Key": "Mojeek Search API Anahtarı",
"More": "Daha Fazla", "More": "Daha Fazla",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Not: Minimum bir skor belirlerseniz, arama yalnızca minimum skora eşit veya daha yüksek bir skora sahip belgeleri getirecektir.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Not: Minimum bir skor belirlerseniz, arama yalnızca minimum skora eşit veya daha yüksek bir skora sahip belgeleri getirecektir.",
"Notes": "Notlar", "Notes": "Notlar",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Bildirim Sesi", "Notification Sound": "Bildirim Sesi",
"Notification Webhook": "Bildirim Webhook'u", "Notification Webhook": "Bildirim Webhook'u",
"Notifications": "Bildirimler", "Notifications": "Bildirimler",
@ -1274,6 +1286,7 @@
"Prompts": "İstemler", "Prompts": "İstemler",
"Prompts Access": "İstemlere Erişim", "Prompts Access": "İstemlere Erişim",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com'dan \"{{searchValue}}\" çekin", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com'dan \"{{searchValue}}\" çekin",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Kullanılacak durma dizilerini ayarlar. Bu desenle karşılaşıldığında, LLM metin oluşturmayı durduracak ve geri dönecektir. Birden çok durma deseni, bir modelfile'da birden çok ayrı durma parametresi belirterek ayarlanabilir.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Kullanılacak durma dizilerini ayarlar. Bu desenle karşılaşıldığında, LLM metin oluşturmayı durduracak ve geri dönecektir. Birden çok durma deseni, bir modelfile'da birden çok ayrı durma parametresi belirterek ayarlanabilir.",
"Setting": "",
"Settings": "Ayarlar", "Settings": "Ayarlar",
"Settings saved successfully!": "Ayarlar başarıyla kaydedildi!", "Settings saved successfully!": "Ayarlar başarıyla kaydedildi!",
"Share": "Paylaş", "Share": "Paylaş",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "Araçlar, keyfi kod yürütme izni veren bir fonksiyon çağırma sistemine sahiptir.", "Tools have a function calling system that allows arbitrary code execution.": "Araçlar, keyfi kod yürütme izni veren bir fonksiyon çağırma sistemine sahiptir.",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "Dönüştürücüler", "Transformers": "Dönüştürücüler",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Pipeline Yükle", "Upload Pipeline": "Pipeline Yükle",
"Upload Progress": "Yükleme İlerlemesi", "Upload Progress": "Yükleme İlerlemesi",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "URL gerekli", "URL is required": "URL gerekli",
"URL Mode": "URL Modu", "URL Mode": "URL Modu",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "ھۆججەت چىقىرىشقا ئىجازەت", "Allow File Upload": "ھۆججەت چىقىرىشقا ئىجازەت",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "سۆھبەتتە بىر قانچە مودېل ئىشلىتىشكە ئىجازەت", "Allow Multiple Models in Chat": "سۆھبەتتە بىر قانچە مودېل ئىشلىتىشكە ئىجازەت",
"Allow non-local voices": "يەرلىك بولمىغان ئاۋازلارغا ئىجازەت", "Allow non-local voices": "يەرلىك بولمىغان ئاۋازلارغا ئىجازەت",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "ئارخىپلانغان سۆھبەتلەر", "Archived Chats": "ئارخىپلانغان سۆھبەتلەر",
"archived-chat-export": "ئارخىپلانغان-سۆھبەت-چىقىرىش", "archived-chat-export": "ئارخىپلانغان-سۆھبەت-چىقىرىش",
"Are you sure you want to clear all memories? This action cannot be undone.": "بارلىق ئەسلەتمىلەرنى تازىلامسىز؟ بۇ ھەرىكەتنى ئەمدى ئەسلىگە كەلتۈرگىلى بولمايدۇ.", "Are you sure you want to clear all memories? This action cannot be undone.": "بارلىق ئەسلەتمىلەرنى تازىلامسىز؟ بۇ ھەرىكەتنى ئەمدى ئەسلىگە كەلتۈرگىلى بولمايدۇ.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "بۇ قانالنى ئۆچۈرەمسىز؟", "Are you sure you want to delete this channel?": "بۇ قانالنى ئۆچۈرەمسىز؟",
"Are you sure you want to delete this message?": "بۇ ئۇچۇرنى ئۆچۈرەمسىز؟", "Are you sure you want to delete this message?": "بۇ ئۇچۇرنى ئۆچۈرەمسىز؟",
"Are you sure you want to unarchive all archived chats?": "بارلىق ئارخىپلانغان سۆھبەتلەرنى قايتا ئەسلىگە كەلتۈرەمسىز؟", "Are you sure you want to unarchive all archived chats?": "بارلىق ئارخىپلانغان سۆھبەتلەرنى قايتا ئەسلىگە كەلتۈرەمسىز؟",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "سۈكۈتتىكى ھالەت ئىجرا قىلىنىشتىن بۇرۇن بىر قېتىم چاقىرىش قوراللىرى ئارقىلىق تېخىمۇ كەڭ مودېللار بىلەن ئىشلەيدۇ. يەرلىك ھالەت مودېلنىڭ ئىچىگە قورال چاقىرىش ئىقتىدارىنى جارى قىلدۇرىدۇ ، ئەمما مودېلنىڭ بۇ ئىقتىدارنى ئەسلىدىنلا قوللىشىنى تەلەپ قىلىدۇ.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "سۈكۈتتىكى ھالەت ئىجرا قىلىنىشتىن بۇرۇن بىر قېتىم چاقىرىش قوراللىرى ئارقىلىق تېخىمۇ كەڭ مودېللار بىلەن ئىشلەيدۇ. يەرلىك ھالەت مودېلنىڭ ئىچىگە قورال چاقىرىش ئىقتىدارىنى جارى قىلدۇرىدۇ ، ئەمما مودېلنىڭ بۇ ئىقتىدارنى ئەسلىدىنلا قوللىشىنى تەلەپ قىلىدۇ.",
"Default Model": "كۆڭۈلدىكى مودېل", "Default Model": "كۆڭۈلدىكى مودېل",
"Default model updated": "كۆڭۈلدىكى مودېل يېڭىلاندى", "Default model updated": "كۆڭۈلدىكى مودېل يېڭىلاندى",
"Default Models": "كۆڭۈلدىكى مودېللار", "Default Models": "كۆڭۈلدىكى مودېللار",
"Default permissions": "كۆڭۈلدىكى ھوقۇق", "Default permissions": "كۆڭۈلدىكى ھوقۇق",
"Default permissions updated successfully": "كۆڭۈلدىكى ھوقۇقلار مۇۋەپپەقىيەتلىك يېڭىلاندى", "Default permissions updated successfully": "كۆڭۈلدىكى ھوقۇقلار مۇۋەپپەقىيەتلىك يېڭىلاندى",
"Default Pinned Models": "",
"Default Prompt Suggestions": "كۆڭۈلدىكى تۈرتكە تەكلىپلىرى", "Default Prompt Suggestions": "كۆڭۈلدىكى تۈرتكە تەكلىپلىرى",
"Default to 389 or 636 if TLS is enabled": "TLS قوزغىتىلسا كۆڭۈلدىكى 389 ياكى 636 بولىدۇ", "Default to 389 or 636 if TLS is enabled": "TLS قوزغىتىلسا كۆڭۈلدىكى 389 ياكى 636 بولىدۇ",
"Default to ALL": "كۆڭۈلدىكى ALL", "Default to ALL": "كۆڭۈلدىكى ALL",
@ -402,6 +406,7 @@
"Delete": "ئۆچۈرۈش", "Delete": "ئۆچۈرۈش",
"Delete a model": "مودېل ئۆچۈرۈش", "Delete a model": "مودېل ئۆچۈرۈش",
"Delete All Chats": "بارلىق سۆھبەتلەرنى ئۆچۈرۈش", "Delete All Chats": "بارلىق سۆھبەتلەرنى ئۆچۈرۈش",
"Delete all contents inside this folder": "",
"Delete All Models": "بارلىق مودېللارنى ئۆچۈرۈش", "Delete All Models": "بارلىق مودېللارنى ئۆچۈرۈش",
"Delete Chat": "سۆھبەت ئۆچۈرۈش", "Delete Chat": "سۆھبەت ئۆچۈرۈش",
"Delete chat?": "سۆھبەت ئۆچۈرەمسىز؟", "Delete chat?": "سۆھبەت ئۆچۈرەمسىز؟",
@ -730,6 +735,7 @@
"Features": "ئىقتىدارلار", "Features": "ئىقتىدارلار",
"Features Permissions": "ئىقتىدار ھوقۇقى", "Features Permissions": "ئىقتىدار ھوقۇقى",
"February": "فېۋرال", "February": "فېۋرال",
"Feedback deleted successfully": "",
"Feedback Details": "پىكىر تەپسىلاتى", "Feedback Details": "پىكىر تەپسىلاتى",
"Feedback History": "پىكىر تارىخى", "Feedback History": "پىكىر تارىخى",
"Feedbacks": "پىكىرلەر", "Feedbacks": "پىكىرلەر",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "ھۆججەت چوڭلۇقى {{maxSize}} MB تىن ئېشىپ كەتمىسۇن.", "File size should not exceed {{maxSize}} MB.": "ھۆججەت چوڭلۇقى {{maxSize}} MB تىن ئېشىپ كەتمىسۇن.",
"File Upload": "ھۆججەت چىقىرىش", "File Upload": "ھۆججەت چىقىرىش",
"File uploaded successfully": "ھۆججەت مۇۋەپپەقىيەتلىك چىقىرىلدى", "File uploaded successfully": "ھۆججەت مۇۋەپپەقىيەتلىك چىقىرىلدى",
"File uploaded!": "",
"Files": "ھۆججەتلەر", "Files": "ھۆججەتلەر",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "سۈزگۈچ ھازىر بارلىق سىستېمىدا چەكلەندى", "Filter is now globally disabled": "سۈزگۈچ ھازىر بارلىق سىستېمىدا چەكلەندى",
@ -857,6 +864,7 @@
"Image Compression": "رەسىم پرىسلاش", "Image Compression": "رەسىم پرىسلاش",
"Image Compression Height": "رەسىم پرىسلاش ئېگىزلىكى", "Image Compression Height": "رەسىم پرىسلاش ئېگىزلىكى",
"Image Compression Width": "رەسىم پرىسلاش كەڭلىكى", "Image Compression Width": "رەسىم پرىسلاش كەڭلىكى",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "رەسىم ھاسىل قىلىش", "Image Generation": "رەسىم ھاسىل قىلىش",
"Image Generation Engine": "رەسىم ھاسىل قىلىش ماتورى", "Image Generation Engine": "رەسىم ھاسىل قىلىش ماتورى",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "بىلىمنى ئاممىغا ھەمبەھىرلەش", "Knowledge Public Sharing": "بىلىمنى ئاممىغا ھەمبەھىرلەش",
"Knowledge reset successfully.": "بىلىم مۇۋەپپەقىيەتلىك قايتا تەڭشەلدى.", "Knowledge reset successfully.": "بىلىم مۇۋەپپەقىيەتلىك قايتا تەڭشەلدى.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "بىلىم مۇۋەپپەقىيەتلىك يېڭىلاندى", "Knowledge updated successfully": "بىلىم مۇۋەپپەقىيەتلىك يېڭىلاندى",
"Kokoro.js (Browser)": "Kokoro.js (تور كۆرگۈچ)", "Kokoro.js (Browser)": "Kokoro.js (تور كۆرگۈچ)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "ئەڭ چوڭ چىقىرىش چوڭلۇقى", "Max Upload Size": "ئەڭ چوڭ چىقىرىش چوڭلۇقى",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "بىر ۋاقىتتا ئەڭ كۆپ 3 مودېل چۈشۈرۈلىدۇ. كىيىنچە قايتا سىناڭ.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "بىر ۋاقىتتا ئەڭ كۆپ 3 مودېل چۈشۈرۈلىدۇ. كىيىنچە قايتا سىناڭ.",
"May": "ماي", "May": "ماي",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "مودېل تەڭشەكلىرى مۇۋەپپەقىيەتلىك ساقلاندى", "Models configuration saved successfully": "مودېل تەڭشەكلىرى مۇۋەپپەقىيەتلىك ساقلاندى",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "مودېللارنى ئاممىغا ھەمبەھىرلەش", "Models Public Sharing": "مودېللارنى ئاممىغا ھەمبەھىرلەش",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek ئىزدەش API ئاچقۇچى", "Mojeek Search API Key": "Mojeek ئىزدەش API ئاچقۇچى",
"More": "تېخىمۇ كۆپ", "More": "تېخىمۇ كۆپ",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ئەسكەرتىش: ئەگەر ئەڭ تۆۋەن نومۇر بەلگىلىسىڭىز ، ئىزدەش پەقەت ئەڭ تۆۋەن نومۇردىن چوڭ ياكى تەڭ بولغان ھۆججەتلەرنى قايتۇرىدۇ.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ئەسكەرتىش: ئەگەر ئەڭ تۆۋەن نومۇر بەلگىلىسىڭىز ، ئىزدەش پەقەت ئەڭ تۆۋەن نومۇردىن چوڭ ياكى تەڭ بولغان ھۆججەتلەرنى قايتۇرىدۇ.",
"Notes": "خاتىرە", "Notes": "خاتىرە",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "ئۇقتۇرۇش ئاۋازى", "Notification Sound": "ئۇقتۇرۇش ئاۋازى",
"Notification Webhook": "ئۇقتۇرۇش webhook", "Notification Webhook": "ئۇقتۇرۇش webhook",
"Notifications": "ئۇقتۇرۇشلار", "Notifications": "ئۇقتۇرۇشلار",
@ -1274,6 +1286,7 @@
"Prompts": "تۈرتكەلەر", "Prompts": "تۈرتكەلەر",
"Prompts Access": "تۈرتكە زىيارىتى", "Prompts Access": "تۈرتكە زىيارىتى",
"Prompts Public Sharing": "تۈرتكە ئاممىغا ھەمبەھىرلەش", "Prompts Public Sharing": "تۈرتكە ئاممىغا ھەمبەھىرلەش",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "ئاممىۋى", "Public": "ئاممىۋى",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com دىن \"{{searchValue}}\" نى تارتىش", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com دىن \"{{searchValue}}\" نى تارتىش",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "ھاسىل قىلىش ئۈچۈن ئىشلتىدىغان توخۇم سانىنى بەلگىلەيدۇ. بەلگىلەنگەن بولسا، بىر خىل تۈرتكەقا بىر خىل تېكست چىقىرىدۇ.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "ھاسىل قىلىش ئۈچۈن ئىشلتىدىغان توخۇم سانىنى بەلگىلەيدۇ. بەلگىلەنگەن بولسا، بىر خىل تۈرتكەقا بىر خىل تېكست چىقىرىدۇ.",
"Sets the size of the context window used to generate the next token.": "كېيىنكى ئىمنى ھاسىل قىلىش ئۈچۈن مەزمۇن كۆزنەك چوڭلۇقىنى بەلگىلەيدۇ.", "Sets the size of the context window used to generate the next token.": "كېيىنكى ئىمنى ھاسىل قىلىش ئۈچۈن مەزمۇن كۆزنەك چوڭلۇقىنى بەلگىلەيدۇ.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "ئىشلىتىلىدىغان توختاش تىزىقى بەلگىلەيدۇ. بۇ ئۇسلۇب كۆرۈلسە، LLM تېكست چىقىرىشنى توختىتىدۇ. بىر قانچە توختاش ئۇسلۇبنى modelfile دا كۆرسىتىشكە بولىدۇ.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "ئىشلىتىلىدىغان توختاش تىزىقى بەلگىلەيدۇ. بۇ ئۇسلۇب كۆرۈلسە، LLM تېكست چىقىرىشنى توختىتىدۇ. بىر قانچە توختاش ئۇسلۇبنى modelfile دا كۆرسىتىشكە بولىدۇ.",
"Setting": "",
"Settings": "تەڭشەك", "Settings": "تەڭشەك",
"Settings saved successfully!": "تەڭشەك مۇۋەپپەقىيەتلىك ساقلاندى!", "Settings saved successfully!": "تەڭشەك مۇۋەپپەقىيەتلىك ساقلاندى!",
"Share": "ھەمبەھىرلەش", "Share": "ھەمبەھىرلەش",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "قورال فۇنكسىيەسىنى چاقىرىش تۈرتكەسى", "Tools Function Calling Prompt": "قورال فۇنكسىيەسىنى چاقىرىش تۈرتكەسى",
"Tools have a function calling system that allows arbitrary code execution.": "قوراللار خالىغان كود ئىجرا قىلىشقا ئىمكان بېرىدىغان فۇنكسىيە چاقىرىش سىستېمىسىغا ئىگە.", "Tools have a function calling system that allows arbitrary code execution.": "قوراللار خالىغان كود ئىجرا قىلىشقا ئىمكان بېرىدىغان فۇنكسىيە چاقىرىش سىستېمىسىغا ئىگە.",
"Tools Public Sharing": "قوراللارنى ئاممىغا ھەمبەھىرلەش", "Tools Public Sharing": "قوراللارنى ئاممىغا ھەمبەھىرلەش",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K قايتا تەرتىپلەش", "Top K Reranker": "Top K قايتا تەرتىپلەش",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "جەريان چىقىرىش", "Upload Pipeline": "جەريان چىقىرىش",
"Upload Progress": "چىقىرىش جەريانى", "Upload Progress": "چىقىرىش جەريانى",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "URL ھالىتى", "URL Mode": "URL ھالىتى",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Дозволити завантаження файлів", "Allow File Upload": "Дозволити завантаження файлів",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Дозволити не локальні голоси", "Allow non-local voices": "Дозволити не локальні голоси",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Архівовані чати", "Archived Chats": "Архівовані чати",
"archived-chat-export": "експорт-архівованих-чатів", "archived-chat-export": "експорт-архівованих-чатів",
"Are you sure you want to clear all memories? This action cannot be undone.": "Ви впевнені, що хочете очистити усі спогади? Цю дію неможливо скасувати.", "Are you sure you want to clear all memories? This action cannot be undone.": "Ви впевнені, що хочете очистити усі спогади? Цю дію неможливо скасувати.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Ви впевнені, що хочете видалити цей канал?", "Are you sure you want to delete this channel?": "Ви впевнені, що хочете видалити цей канал?",
"Are you sure you want to delete this message?": "Ви впевнені, що хочете видалити це повідомлення?", "Are you sure you want to delete this message?": "Ви впевнені, що хочете видалити це повідомлення?",
"Are you sure you want to unarchive all archived chats?": "Ви впевнені, що хочете розархівувати усі архівовані чати?", "Are you sure you want to unarchive all archived chats?": "Ви впевнені, що хочете розархівувати усі архівовані чати?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Режим за замовчуванням працює з ширшим діапазоном моделей, викликаючи інструменти один раз перед виконанням. Рідний режим використовує вбудовані можливості виклику інструментів моделі, але вимагає, щоб модель спочатку підтримувала цю функцію.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Режим за замовчуванням працює з ширшим діапазоном моделей, викликаючи інструменти один раз перед виконанням. Рідний режим використовує вбудовані можливості виклику інструментів моделі, але вимагає, щоб модель спочатку підтримувала цю функцію.",
"Default Model": "Модель за замовчуванням", "Default Model": "Модель за замовчуванням",
"Default model updated": "Модель за замовчуванням оновлено", "Default model updated": "Модель за замовчуванням оновлено",
"Default Models": "Моделі за замовчуванням", "Default Models": "Моделі за замовчуванням",
"Default permissions": "Дозволи за замовчуванням", "Default permissions": "Дозволи за замовчуванням",
"Default permissions updated successfully": "Дозволи за замовчуванням успішно оновлено", "Default permissions updated successfully": "Дозволи за замовчуванням успішно оновлено",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Пропозиції промтів замовчуванням", "Default Prompt Suggestions": "Пропозиції промтів замовчуванням",
"Default to 389 or 636 if TLS is enabled": "За замовчуванням використовується 389 або 636, якщо TLS увімкнено.", "Default to 389 or 636 if TLS is enabled": "За замовчуванням використовується 389 або 636, якщо TLS увімкнено.",
"Default to ALL": "За замовчуванням — УСІ.", "Default to ALL": "За замовчуванням — УСІ.",
@ -402,6 +406,7 @@
"Delete": "Видалити", "Delete": "Видалити",
"Delete a model": "Видалити модель", "Delete a model": "Видалити модель",
"Delete All Chats": "Видалити усі чати", "Delete All Chats": "Видалити усі чати",
"Delete all contents inside this folder": "",
"Delete All Models": "Видалити усі моделі", "Delete All Models": "Видалити усі моделі",
"Delete Chat": "Видалити чат", "Delete Chat": "Видалити чат",
"Delete chat?": "Видалити чат?", "Delete chat?": "Видалити чат?",
@ -730,6 +735,7 @@
"Features": "Особливості", "Features": "Особливості",
"Features Permissions": "Дозволи функцій", "Features Permissions": "Дозволи функцій",
"February": "Лютий", "February": "Лютий",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Історія відгуків", "Feedback History": "Історія відгуків",
"Feedbacks": "Відгуки", "Feedbacks": "Відгуки",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Розмір файлу не повинен перевищувати {{maxSize}} МБ.", "File size should not exceed {{maxSize}} MB.": "Розмір файлу не повинен перевищувати {{maxSize}} МБ.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Файл успішно завантажено", "File uploaded successfully": "Файл успішно завантажено",
"File uploaded!": "",
"Files": "Файли", "Files": "Файли",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Фільтр глобально вимкнено", "Filter is now globally disabled": "Фільтр глобально вимкнено",
@ -857,6 +864,7 @@
"Image Compression": "Стиснення зображень", "Image Compression": "Стиснення зображень",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Генерація зображень", "Image Generation": "Генерація зображень",
"Image Generation Engine": "Механізм генерації зображень", "Image Generation Engine": "Механізм генерації зображень",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "Публічний обмін знаннями", "Knowledge Public Sharing": "Публічний обмін знаннями",
"Knowledge reset successfully.": "Знання успішно скинуто.", "Knowledge reset successfully.": "Знання успішно скинуто.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Знання успішно оновлено", "Knowledge updated successfully": "Знання успішно оновлено",
"Kokoro.js (Browser)": "Kokoro.js (Браузер)", "Kokoro.js (Browser)": "Kokoro.js (Браузер)",
"Kokoro.js Dtype": "Kokoro.js Dtype", "Kokoro.js Dtype": "Kokoro.js Dtype",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Макс. розмір завантаження", "Max Upload Size": "Макс. розмір завантаження",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 моделі можна завантажити одночасно. Будь ласка, спробуйте пізніше.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 моделі можна завантажити одночасно. Будь ласка, спробуйте пізніше.",
"May": "Травень", "May": "Травень",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Конфігурацію моделей успішно збережено", "Models configuration saved successfully": "Конфігурацію моделей успішно збережено",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Публічний обмін моделями", "Models Public Sharing": "Публічний обмін моделями",
"Models Sharing": "",
"Mojeek Search API Key": "API ключ для пошуку Mojeek", "Mojeek Search API Key": "API ключ для пошуку Mojeek",
"More": "Більше", "More": "Більше",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Примітка: Якщо ви встановите мінімальну кількість балів, пошук поверне лише документи з кількістю балів, більшою або рівною мінімальній кількості балів.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Примітка: Якщо ви встановите мінімальну кількість балів, пошук поверне лише документи з кількістю балів, більшою або рівною мінімальній кількості балів.",
"Notes": "Примітки", "Notes": "Примітки",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Звук сповіщення", "Notification Sound": "Звук сповіщення",
"Notification Webhook": "Вебхук для сповіщень", "Notification Webhook": "Вебхук для сповіщень",
"Notifications": "Сповіщення", "Notifications": "Сповіщення",
@ -1274,6 +1286,7 @@
"Prompts": "Промти", "Prompts": "Промти",
"Prompts Access": "Доступ до підказок", "Prompts Access": "Доступ до підказок",
"Prompts Public Sharing": "Публічний обмін промтами", "Prompts Public Sharing": "Публічний обмін промтами",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Публічний", "Public": "Публічний",
"Pull \"{{searchValue}}\" from Ollama.com": "Завантажити \"{{searchValue}}\" з Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Завантажити \"{{searchValue}}\" з Ollama.com",
@ -1459,6 +1472,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Встановлює початкове значення випадкового числа, яке використовується для генерації. Встановлення конкретного числа забезпечить однаковий текст для того ж запиту.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Встановлює початкове значення випадкового числа, яке використовується для генерації. Встановлення конкретного числа забезпечить однаковий текст для того ж запиту.",
"Sets the size of the context window used to generate the next token.": "Встановлює розмір вікна контексту, яке використовується для генерації наступного токена.", "Sets the size of the context window used to generate the next token.": "Встановлює розмір вікна контексту, яке використовується для генерації наступного токена.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Встановлює послідовності зупинки, які будуть використовуватися. Коли зустрічається така послідовність, LLM припиняє генерацію тексту і повертає результат. Можна встановити кілька послідовностей зупинки, вказавши кілька окремих параметрів зупинки у файлі моделі.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Встановлює послідовності зупинки, які будуть використовуватися. Коли зустрічається така послідовність, LLM припиняє генерацію тексту і повертає результат. Можна встановити кілька послідовностей зупинки, вказавши кілька окремих параметрів зупинки у файлі моделі.",
"Setting": "",
"Settings": "Налаштування", "Settings": "Налаштування",
"Settings saved successfully!": "Налаштування успішно збережено!", "Settings saved successfully!": "Налаштування успішно збережено!",
"Share": "Поділитися", "Share": "Поділитися",
@ -1639,6 +1653,7 @@
"Tools Function Calling Prompt": "Підказка для виклику функцій інструментів", "Tools Function Calling Prompt": "Підказка для виклику функцій інструментів",
"Tools have a function calling system that allows arbitrary code execution.": "Інструменти мають систему виклику функцій, яка дозволяє виконання довільного коду.", "Tools have a function calling system that allows arbitrary code execution.": "Інструменти мають систему виклику функцій, яка дозволяє виконання довільного коду.",
"Tools Public Sharing": "Публічний обмін інструментами", "Tools Public Sharing": "Публічний обмін інструментами",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Реранкер", "Top K Reranker": "Top K Реранкер",
"Transformers": "Трансформери", "Transformers": "Трансформери",
@ -1686,6 +1701,7 @@
"Upload Pipeline": "Завантажити конвеєр", "Upload Pipeline": "Завантажити конвеєр",
"Upload Progress": "Прогрес завантаження", "Upload Progress": "Прогрес завантаження",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "Режим URL-адреси", "URL Mode": "Режим URL-адреси",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "", "Allow File Upload": "",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "غیر مقامی آوازوں کی اجازت دیں", "Allow non-local voices": "غیر مقامی آوازوں کی اجازت دیں",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "محفوظ شدہ بات چیت", "Archived Chats": "محفوظ شدہ بات چیت",
"archived-chat-export": "", "archived-chat-export": "",
"Are you sure you want to clear all memories? This action cannot be undone.": "", "Are you sure you want to clear all memories? This action cannot be undone.": "",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "", "Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "", "Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "", "Are you sure you want to unarchive all archived chats?": "",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "ڈیفالٹ ماڈل", "Default Model": "ڈیفالٹ ماڈل",
"Default model updated": "ڈیفالٹ ماڈل اپ ڈیٹ ہو گیا", "Default model updated": "ڈیفالٹ ماڈل اپ ڈیٹ ہو گیا",
"Default Models": "", "Default Models": "",
"Default permissions": "", "Default permissions": "",
"Default permissions updated successfully": "", "Default permissions updated successfully": "",
"Default Pinned Models": "",
"Default Prompt Suggestions": "ڈیفالٹ پرامپٹ تجاویز", "Default Prompt Suggestions": "ڈیفالٹ پرامپٹ تجاویز",
"Default to 389 or 636 if TLS is enabled": "", "Default to 389 or 636 if TLS is enabled": "",
"Default to ALL": "", "Default to ALL": "",
@ -402,6 +406,7 @@
"Delete": "حذف کریں", "Delete": "حذف کریں",
"Delete a model": "ایک ماڈل حذف کریں", "Delete a model": "ایک ماڈل حذف کریں",
"Delete All Chats": "تمام چیٹس حذف کریں", "Delete All Chats": "تمام چیٹس حذف کریں",
"Delete all contents inside this folder": "",
"Delete All Models": "", "Delete All Models": "",
"Delete Chat": "چیٹ حذف کریں", "Delete Chat": "چیٹ حذف کریں",
"Delete chat?": "چیٹ حذف کریں؟", "Delete chat?": "چیٹ حذف کریں؟",
@ -730,6 +735,7 @@
"Features": "", "Features": "",
"Features Permissions": "", "Features Permissions": "",
"February": "فروری", "February": "فروری",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "تاریخ رائے", "Feedback History": "تاریخ رائے",
"Feedbacks": "", "Feedbacks": "",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "فائل کا سائز {{maxSize}} ایم بی سے زیادہ نہیں ہونا چاہیے", "File size should not exceed {{maxSize}} MB.": "فائل کا سائز {{maxSize}} ایم بی سے زیادہ نہیں ہونا چاہیے",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "", "File uploaded successfully": "",
"File uploaded!": "",
"Files": "فائلز", "Files": "فائلز",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "فلٹر اب عالمی طور پر غیر فعال ہے", "Filter is now globally disabled": "فلٹر اب عالمی طور پر غیر فعال ہے",
@ -857,6 +864,7 @@
"Image Compression": "", "Image Compression": "",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "", "Image Generation": "",
"Image Generation Engine": "امیج جنریشن انجن", "Image Generation Engine": "امیج جنریشن انجن",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "", "Knowledge Public Sharing": "",
"Knowledge reset successfully.": "علم کو کامیابی کے ساتھ دوبارہ ترتیب دیا گیا", "Knowledge reset successfully.": "علم کو کامیابی کے ساتھ دوبارہ ترتیب دیا گیا",
"Knowledge Sharing": "",
"Knowledge updated successfully": "علم کامیابی سے تازہ کر دیا گیا ہے", "Knowledge updated successfully": "علم کامیابی سے تازہ کر دیا گیا ہے",
"Kokoro.js (Browser)": "", "Kokoro.js (Browser)": "",
"Kokoro.js Dtype": "", "Kokoro.js Dtype": "",
@ -1006,6 +1015,7 @@
"Max Upload Size": "زیادہ سے زیادہ اپلوڈ سائز", "Max Upload Size": "زیادہ سے زیادہ اپلوڈ سائز",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "بیک وقت زیادہ سے زیادہ 3 ماڈل ڈاؤن لوڈ کیے جا سکتے ہیں براہ کرم بعد میں دوبارہ کوشش کریں", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "بیک وقت زیادہ سے زیادہ 3 ماڈل ڈاؤن لوڈ کیے جا سکتے ہیں براہ کرم بعد میں دوبارہ کوشش کریں",
"May": "مئی", "May": "مئی",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "", "Models configuration saved successfully": "",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "", "Models Public Sharing": "",
"Models Sharing": "",
"Mojeek Search API Key": "", "Mojeek Search API Key": "",
"More": "مزید", "More": "مزید",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "نوٹ: اگر آپ کم از کم سکور سیٹ کرتے ہیں، تو تلاش صرف ان دستاویزات کو واپس کرے گی جن کا سکور کم از کم سکور کے برابر یا اس سے زیادہ ہوگا", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "نوٹ: اگر آپ کم از کم سکور سیٹ کرتے ہیں، تو تلاش صرف ان دستاویزات کو واپس کرے گی جن کا سکور کم از کم سکور کے برابر یا اس سے زیادہ ہوگا",
"Notes": "نوٹس", "Notes": "نوٹس",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "", "Notification Sound": "",
"Notification Webhook": "", "Notification Webhook": "",
"Notifications": "اطلاعات", "Notifications": "اطلاعات",
@ -1274,6 +1286,7 @@
"Prompts": "پرومپٹس", "Prompts": "پرومپٹس",
"Prompts Access": "", "Prompts Access": "",
"Prompts Public Sharing": "", "Prompts Public Sharing": "",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "", "Public": "",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com سے \"{{searchValue}}\" کو کھینچیں", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com سے \"{{searchValue}}\" کو کھینچیں",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "",
"Sets the size of the context window used to generate the next token.": "", "Sets the size of the context window used to generate the next token.": "",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "",
"Setting": "",
"Settings": "ترتیبات", "Settings": "ترتیبات",
"Settings saved successfully!": "ترتیبات کامیابی کے ساتھ محفوظ ہو گئیں!", "Settings saved successfully!": "ترتیبات کامیابی کے ساتھ محفوظ ہو گئیں!",
"Share": "اشتراک کریں", "Share": "اشتراک کریں",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "", "Tools Function Calling Prompt": "",
"Tools have a function calling system that allows arbitrary code execution.": "ٹولز کے پاس ایک فنکشن کالنگ سسٹم ہے جو اختیاری کوڈ کی عمل درآمد کی اجازت دیتا ہے", "Tools have a function calling system that allows arbitrary code execution.": "ٹولز کے پاس ایک فنکشن کالنگ سسٹم ہے جو اختیاری کوڈ کی عمل درآمد کی اجازت دیتا ہے",
"Tools Public Sharing": "", "Tools Public Sharing": "",
"Tools Sharing": "",
"Top K": "اوپر کے K", "Top K": "اوپر کے K",
"Top K Reranker": "", "Top K Reranker": "",
"Transformers": "", "Transformers": "",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "اپ لوڈ پائپ لائن", "Upload Pipeline": "اپ لوڈ پائپ لائن",
"Upload Progress": "اپ لوڈ کی پیش رفت", "Upload Progress": "اپ لوڈ کی پیش رفت",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "", "URL": "",
"URL is required": "", "URL is required": "",
"URL Mode": "یو آر ایل موڈ", "URL Mode": "یو آر ایل موڈ",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Файл юклашга рухсат беринг", "Allow File Upload": "Файл юклашга рухсат беринг",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Чатда бир нечта моделларга рухсат беринг", "Allow Multiple Models in Chat": "Чатда бир нечта моделларга рухсат беринг",
"Allow non-local voices": "Маҳаллий бўлмаган овозларга рухсат беринг", "Allow non-local voices": "Маҳаллий бўлмаган овозларга рухсат беринг",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Архивланган чатлар", "Archived Chats": "Архивланган чатлар",
"archived-chat-export": "архивланган-чат-экспорт", "archived-chat-export": "архивланган-чат-экспорт",
"Are you sure you want to clear all memories? This action cannot be undone.": "Ҳақиқатан ҳам барча хотираларни тозаламоқчимисиз? Бу амални ортга қайтариб бўлмайди.", "Are you sure you want to clear all memories? This action cannot be undone.": "Ҳақиқатан ҳам барча хотираларни тозаламоқчимисиз? Бу амални ортга қайтариб бўлмайди.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Ҳақиқатан ҳам бу канални ўчириб ташламоқчимисиз?", "Are you sure you want to delete this channel?": "Ҳақиқатан ҳам бу канални ўчириб ташламоқчимисиз?",
"Are you sure you want to delete this message?": "Ҳақиқатан ҳам бу хабарни ўчириб ташламоқчимисиз?", "Are you sure you want to delete this message?": "Ҳақиқатан ҳам бу хабарни ўчириб ташламоқчимисиз?",
"Are you sure you want to unarchive all archived chats?": "Ҳақиқатан ҳам барча архивланган чатларни архивдан чиқармоқчимисиз?", "Are you sure you want to unarchive all archived chats?": "Ҳақиқатан ҳам барча архивланган чатларни архивдан чиқармоқчимисиз?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Стандарт модел", "Default Model": "Стандарт модел",
"Default model updated": "Стандарт модел янгиланди", "Default model updated": "Стандарт модел янгиланди",
"Default Models": "Стандарт моделлар", "Default Models": "Стандарт моделлар",
"Default permissions": "Бирламчи рухсатлар", "Default permissions": "Бирламчи рухсатлар",
"Default permissions updated successfully": "Бирламчи рухсатлар муваффақиятли янгиланди", "Default permissions updated successfully": "Бирламчи рухсатлар муваффақиятли янгиланди",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Стандарт таклифлар", "Default Prompt Suggestions": "Стандарт таклифлар",
"Default to 389 or 636 if TLS is enabled": "Агар TLS ёқилган бўлса, сукут бўйича 389 ёки 636", "Default to 389 or 636 if TLS is enabled": "Агар TLS ёқилган бўлса, сукут бўйича 389 ёки 636",
"Default to ALL": "Барчаси учун бирламчи", "Default to ALL": "Барчаси учун бирламчи",
@ -402,6 +406,7 @@
"Delete": "Ўчириш", "Delete": "Ўчириш",
"Delete a model": "Моделни ўчириш", "Delete a model": "Моделни ўчириш",
"Delete All Chats": "Барча суҳбатларни ўчириш", "Delete All Chats": "Барча суҳбатларни ўчириш",
"Delete all contents inside this folder": "",
"Delete All Models": "Барча моделларни ўчириш", "Delete All Models": "Барча моделларни ўчириш",
"Delete Chat": "Чатни ўчириш", "Delete Chat": "Чатни ўчириш",
"Delete chat?": "Чат ўчирилсинми?", "Delete chat?": "Чат ўчирилсинми?",
@ -730,6 +735,7 @@
"Features": "Хусусиятлари", "Features": "Хусусиятлари",
"Features Permissions": "Хусусиятлар Рухсатлар", "Features Permissions": "Хусусиятлар Рухсатлар",
"February": "Феврал", "February": "Феврал",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Фикр-мулоҳаза тарихи", "Feedback History": "Фикр-мулоҳаза тарихи",
"Feedbacks": "Фикр-мулоҳазалар", "Feedbacks": "Фикр-мулоҳазалар",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Файл ҳажми {{махСизе}} МБ дан ошмаслиги керак.", "File size should not exceed {{maxSize}} MB.": "Файл ҳажми {{махСизе}} МБ дан ошмаслиги керак.",
"File Upload": "Файл юклаш", "File Upload": "Файл юклаш",
"File uploaded successfully": "Файл муваффақиятли юкланди", "File uploaded successfully": "Файл муваффақиятли юкланди",
"File uploaded!": "",
"Files": "Файллар", "Files": "Файллар",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Филтр энди бутун дунё бўйлаб ўчириб қўйилган", "Filter is now globally disabled": "Филтр энди бутун дунё бўйлаб ўчириб қўйилган",
@ -857,6 +864,7 @@
"Image Compression": "Тасвирни сиқиш", "Image Compression": "Тасвирни сиқиш",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Тасвир яратиш", "Image Generation": "Тасвир яратиш",
"Image Generation Engine": "Тасвир яратиш механизми", "Image Generation Engine": "Тасвир яратиш механизми",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "Билимларни оммавий алмашиш", "Knowledge Public Sharing": "Билимларни оммавий алмашиш",
"Knowledge reset successfully.": "Маълумотлар қайта тикланди.", "Knowledge reset successfully.": "Маълумотлар қайта тикланди.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Билим муваффақиятли янгиланди", "Knowledge updated successfully": "Билим муваффақиятли янгиланди",
"Kokoro.js (Browser)": "Кокоро.жс (браузер)", "Kokoro.js (Browser)": "Кокоро.жс (браузер)",
"Kokoro.js Dtype": "Кокоро.жс Д тури", "Kokoro.js Dtype": "Кокоро.жс Д тури",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Максимал юклаш ҳажми", "Max Upload Size": "Максимал юклаш ҳажми",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Бир вақтнинг ўзида максимал 3 та моделни юклаб олиш мумкин. Кейинроқ қайта уриниб кўринг.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Бир вақтнинг ўзида максимал 3 та моделни юклаб олиш мумкин. Кейинроқ қайта уриниб кўринг.",
"May": "май", "May": "май",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Моделлар конфигурацияси муваффақиятли сақланди", "Models configuration saved successfully": "Моделлар конфигурацияси муваффақиятли сақланди",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Моделларни оммавий алмашиш", "Models Public Sharing": "Моделларни оммавий алмашиш",
"Models Sharing": "",
"Mojeek Search API Key": "Можеэк қидирув АПИ калити", "Mojeek Search API Key": "Можеэк қидирув АПИ калити",
"More": "Кўпроқ", "More": "Кўпроқ",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Эслатма: Агар сиз минимал балл қўйсангиз, қидирув фақат минимал баллдан каттароқ ёки унга тенг баллга эга ҳужжатларни қайтаради.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Эслатма: Агар сиз минимал балл қўйсангиз, қидирув фақат минимал баллдан каттароқ ёки унга тенг баллга эга ҳужжатларни қайтаради.",
"Notes": "Эслатмалар", "Notes": "Эслатмалар",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Билдиришнома овози", "Notification Sound": "Билдиришнома овози",
"Notification Webhook": "Билдиришнома веб-ҳук", "Notification Webhook": "Билдиришнома веб-ҳук",
"Notifications": "Билдиришномалар", "Notifications": "Билдиришномалар",
@ -1274,6 +1286,7 @@
"Prompts": "Кўрсатмалар", "Prompts": "Кўрсатмалар",
"Prompts Access": "Киришни таклиф қилади", "Prompts Access": "Киришни таклиф қилади",
"Prompts Public Sharing": "Умумий алмашишни таклиф қилади", "Prompts Public Sharing": "Умумий алмашишни таклиф қилади",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Оммавий", "Public": "Оммавий",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.cом сайтидан “{{сеарчВалуе}}”ни тортинг", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.cом сайтидан “{{сеарчВалуе}}”ни тортинг",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Насл қилиш учун тасодифий сонлар уруғини ўрнатади. Буни маълум бир рақамга ўрнатиш, моделни бир хил сўров учун бир хил матн яратишга мажбур қилади.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Насл қилиш учун тасодифий сонлар уруғини ўрнатади. Буни маълум бир рақамга ўрнатиш, моделни бир хил сўров учун бир хил матн яратишга мажбур қилади.",
"Sets the size of the context window used to generate the next token.": "Кейинги токенни яратиш учун фойдаланиладиган контекст ойнасининг ҳажмини белгилайди.", "Sets the size of the context window used to generate the next token.": "Кейинги токенни яратиш учун фойдаланиладиган контекст ойнасининг ҳажмини белгилайди.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Фойдаланиш учун тўхташ кетма-кетликларини ўрнатади. Ушбу нақшга дуч келганда, ЛЛМ матн яратишни тўхтатади ва қайтиб келади. Модел файлида бир нечта алоҳида тўхташ параметрларини белгилаш орқали бир нечта тўхташ нақшлари ўрнатилиши мумкин.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Фойдаланиш учун тўхташ кетма-кетликларини ўрнатади. Ушбу нақшга дуч келганда, ЛЛМ матн яратишни тўхтатади ва қайтиб келади. Модел файлида бир нечта алоҳида тўхташ параметрларини белгилаш орқали бир нечта тўхташ нақшлари ўрнатилиши мумкин.",
"Setting": "",
"Settings": "Созламалар", "Settings": "Созламалар",
"Settings saved successfully!": "Созламалар муваффақиятли сақланди!", "Settings saved successfully!": "Созламалар муваффақиятли сақланди!",
"Share": "Улашиш", "Share": "Улашиш",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Асбоблар функсияси чақируви", "Tools Function Calling Prompt": "Асбоблар функсияси чақируви",
"Tools have a function calling system that allows arbitrary code execution.": "Асбоблар ўзбошимчалик билан кодни бажаришга имкон берувчи функсияларни чақириш тизимига эга.", "Tools have a function calling system that allows arbitrary code execution.": "Асбоблар ўзбошимчалик билан кодни бажаришга имкон берувчи функсияларни чақириш тизимига эга.",
"Tools Public Sharing": "Умумий алмашиш воситалари", "Tools Public Sharing": "Умумий алмашиш воситалари",
"Tools Sharing": "",
"Top K": "Юқори К", "Top K": "Юқори К",
"Top K Reranker": "Топ К Реранкер", "Top K Reranker": "Топ К Реранкер",
"Transformers": "Трансформаторлар", "Transformers": "Трансформаторлар",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Қувур линиясини юклаш", "Upload Pipeline": "Қувур линиясини юклаш",
"Upload Progress": "Юклаш жараёни", "Upload Progress": "Юклаш жараёни",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "УРЛ", "URL": "УРЛ",
"URL is required": "", "URL is required": "",
"URL Mode": "УРЛ режими", "URL Mode": "УРЛ режими",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Fayl yuklashga ruxsat bering", "Allow File Upload": "Fayl yuklashga ruxsat bering",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "Chatda bir nechta modellarga ruxsat bering", "Allow Multiple Models in Chat": "Chatda bir nechta modellarga ruxsat bering",
"Allow non-local voices": "Mahalliy bo'lmagan ovozlarga ruxsat bering", "Allow non-local voices": "Mahalliy bo'lmagan ovozlarga ruxsat bering",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Arxivlangan chatlar", "Archived Chats": "Arxivlangan chatlar",
"archived-chat-export": "arxivlangan-chat-eksport", "archived-chat-export": "arxivlangan-chat-eksport",
"Are you sure you want to clear all memories? This action cannot be undone.": "Haqiqatan ham barcha xotiralarni tozalamoqchimisiz? Bu amalni ortga qaytarib bolmaydi.", "Are you sure you want to clear all memories? This action cannot be undone.": "Haqiqatan ham barcha xotiralarni tozalamoqchimisiz? Bu amalni ortga qaytarib bolmaydi.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Haqiqatan ham bu kanalni oʻchirib tashlamoqchimisiz?", "Are you sure you want to delete this channel?": "Haqiqatan ham bu kanalni oʻchirib tashlamoqchimisiz?",
"Are you sure you want to delete this message?": "Haqiqatan ham bu xabarni oʻchirib tashlamoqchimisiz?", "Are you sure you want to delete this message?": "Haqiqatan ham bu xabarni oʻchirib tashlamoqchimisiz?",
"Are you sure you want to unarchive all archived chats?": "Haqiqatan ham barcha arxivlangan chatlarni arxivdan chiqarmoqchimisiz?", "Are you sure you want to unarchive all archived chats?": "Haqiqatan ham barcha arxivlangan chatlarni arxivdan chiqarmoqchimisiz?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "",
"Default Model": "Standart model", "Default Model": "Standart model",
"Default model updated": "Standart model yangilandi", "Default model updated": "Standart model yangilandi",
"Default Models": "Standart modellar", "Default Models": "Standart modellar",
"Default permissions": "Birlamchi ruxsatlar", "Default permissions": "Birlamchi ruxsatlar",
"Default permissions updated successfully": "Birlamchi ruxsatlar muvaffaqiyatli yangilandi", "Default permissions updated successfully": "Birlamchi ruxsatlar muvaffaqiyatli yangilandi",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Standart takliflar", "Default Prompt Suggestions": "Standart takliflar",
"Default to 389 or 636 if TLS is enabled": "Agar TLS yoqilgan bo'lsa, sukut bo'yicha 389 yoki 636", "Default to 389 or 636 if TLS is enabled": "Agar TLS yoqilgan bo'lsa, sukut bo'yicha 389 yoki 636",
"Default to ALL": "ALL uchun birlamchi", "Default to ALL": "ALL uchun birlamchi",
@ -402,6 +406,7 @@
"Delete": "Oʻchirish", "Delete": "Oʻchirish",
"Delete a model": "Modelni o'chirish", "Delete a model": "Modelni o'chirish",
"Delete All Chats": "Barcha suhbatlarni o'chirish", "Delete All Chats": "Barcha suhbatlarni o'chirish",
"Delete all contents inside this folder": "",
"Delete All Models": "Barcha modellarni o'chirish", "Delete All Models": "Barcha modellarni o'chirish",
"Delete Chat": "Chatni oʻchirish", "Delete Chat": "Chatni oʻchirish",
"Delete chat?": "Chat oʻchirilsinmi?", "Delete chat?": "Chat oʻchirilsinmi?",
@ -730,6 +735,7 @@
"Features": "Xususiyatlari", "Features": "Xususiyatlari",
"Features Permissions": "Xususiyatlar Ruxsatlar", "Features Permissions": "Xususiyatlar Ruxsatlar",
"February": "Fevral", "February": "Fevral",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Fikr-mulohaza tarixi", "Feedback History": "Fikr-mulohaza tarixi",
"Feedbacks": "Fikr-mulohazalar", "Feedbacks": "Fikr-mulohazalar",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Fayl hajmi {{maxSize}} MB dan oshmasligi kerak.", "File size should not exceed {{maxSize}} MB.": "Fayl hajmi {{maxSize}} MB dan oshmasligi kerak.",
"File Upload": "Fayl yuklash", "File Upload": "Fayl yuklash",
"File uploaded successfully": "Fayl muvaffaqiyatli yuklandi", "File uploaded successfully": "Fayl muvaffaqiyatli yuklandi",
"File uploaded!": "",
"Files": "Fayllar", "Files": "Fayllar",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Filtr endi butun dunyo bo'ylab o'chirib qo'yilgan", "Filter is now globally disabled": "Filtr endi butun dunyo bo'ylab o'chirib qo'yilgan",
@ -857,6 +864,7 @@
"Image Compression": "Tasvirni siqish", "Image Compression": "Tasvirni siqish",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Tasvir yaratish", "Image Generation": "Tasvir yaratish",
"Image Generation Engine": "Tasvir yaratish mexanizmi", "Image Generation Engine": "Tasvir yaratish mexanizmi",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "Bilimlarni ommaviy almashish", "Knowledge Public Sharing": "Bilimlarni ommaviy almashish",
"Knowledge reset successfully.": "Ma'lumotlar qayta tiklandi.", "Knowledge reset successfully.": "Ma'lumotlar qayta tiklandi.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Bilim muvaffaqiyatli yangilandi", "Knowledge updated successfully": "Bilim muvaffaqiyatli yangilandi",
"Kokoro.js (Browser)": "Kokoro.js (brauzer)", "Kokoro.js (Browser)": "Kokoro.js (brauzer)",
"Kokoro.js Dtype": "Kokoro.js D turi", "Kokoro.js Dtype": "Kokoro.js D turi",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Maksimal yuklash hajmi", "Max Upload Size": "Maksimal yuklash hajmi",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Bir vaqtning o'zida maksimal 3 ta modelni yuklab olish mumkin. Keyinroq qayta urinib koring.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Bir vaqtning o'zida maksimal 3 ta modelni yuklab olish mumkin. Keyinroq qayta urinib koring.",
"May": "may", "May": "may",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Modellar konfiguratsiyasi muvaffaqiyatli saqlandi", "Models configuration saved successfully": "Modellar konfiguratsiyasi muvaffaqiyatli saqlandi",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Modellarni ommaviy almashish", "Models Public Sharing": "Modellarni ommaviy almashish",
"Models Sharing": "",
"Mojeek Search API Key": "Mojeek qidiruv API kaliti", "Mojeek Search API Key": "Mojeek qidiruv API kaliti",
"More": "Ko'proq", "More": "Ko'proq",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Eslatma: Agar siz minimal ball qo'ysangiz, qidiruv faqat minimal balldan kattaroq yoki unga teng ballga ega hujjatlarni qaytaradi.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Eslatma: Agar siz minimal ball qo'ysangiz, qidiruv faqat minimal balldan kattaroq yoki unga teng ballga ega hujjatlarni qaytaradi.",
"Notes": "Eslatmalar", "Notes": "Eslatmalar",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Bildirishnoma ovozi", "Notification Sound": "Bildirishnoma ovozi",
"Notification Webhook": "Bildirishnoma veb-huk", "Notification Webhook": "Bildirishnoma veb-huk",
"Notifications": "Bildirishnomalar", "Notifications": "Bildirishnomalar",
@ -1274,6 +1286,7 @@
"Prompts": "Ko'rsatmalar", "Prompts": "Ko'rsatmalar",
"Prompts Access": "Kirishni taklif qiladi", "Prompts Access": "Kirishni taklif qiladi",
"Prompts Public Sharing": "Umumiy almashishni taklif qiladi", "Prompts Public Sharing": "Umumiy almashishni taklif qiladi",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Ommaviy", "Public": "Ommaviy",
"Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com saytidan “{{searchValue}}”ni torting", "Pull \"{{searchValue}}\" from Ollama.com": "Ollama.com saytidan “{{searchValue}}”ni torting",
@ -1457,6 +1470,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Nasl qilish uchun tasodifiy sonlar urug'ini o'rnatadi. Buni ma'lum bir raqamga o'rnatish, modelni bir xil so'rov uchun bir xil matn yaratishga majbur qiladi.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Nasl qilish uchun tasodifiy sonlar urug'ini o'rnatadi. Buni ma'lum bir raqamga o'rnatish, modelni bir xil so'rov uchun bir xil matn yaratishga majbur qiladi.",
"Sets the size of the context window used to generate the next token.": "Keyingi tokenni yaratish uchun foydalaniladigan kontekst oynasining hajmini belgilaydi.", "Sets the size of the context window used to generate the next token.": "Keyingi tokenni yaratish uchun foydalaniladigan kontekst oynasining hajmini belgilaydi.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Foydalanish uchun to'xtash ketma-ketliklarini o'rnatadi. Ushbu naqshga duch kelganda, LLM matn yaratishni to'xtatadi va qaytib keladi. Model faylida bir nechta alohida to'xtash parametrlarini belgilash orqali bir nechta to'xtash naqshlari o'rnatilishi mumkin.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Foydalanish uchun to'xtash ketma-ketliklarini o'rnatadi. Ushbu naqshga duch kelganda, LLM matn yaratishni to'xtatadi va qaytib keladi. Model faylida bir nechta alohida to'xtash parametrlarini belgilash orqali bir nechta to'xtash naqshlari o'rnatilishi mumkin.",
"Setting": "",
"Settings": "Sozlamalar", "Settings": "Sozlamalar",
"Settings saved successfully!": "Sozlamalar muvaffaqiyatli saqlandi!", "Settings saved successfully!": "Sozlamalar muvaffaqiyatli saqlandi!",
"Share": "Ulashish", "Share": "Ulashish",
@ -1637,6 +1651,7 @@
"Tools Function Calling Prompt": "Asboblar funksiyasi chaqiruvi", "Tools Function Calling Prompt": "Asboblar funksiyasi chaqiruvi",
"Tools have a function calling system that allows arbitrary code execution.": "Asboblar o'zboshimchalik bilan kodni bajarishga imkon beruvchi funksiyalarni chaqirish tizimiga ega.", "Tools have a function calling system that allows arbitrary code execution.": "Asboblar o'zboshimchalik bilan kodni bajarishga imkon beruvchi funksiyalarni chaqirish tizimiga ega.",
"Tools Public Sharing": "Umumiy almashish vositalari", "Tools Public Sharing": "Umumiy almashish vositalari",
"Tools Sharing": "",
"Top K": "Yuqori K", "Top K": "Yuqori K",
"Top K Reranker": "Top K Reranker", "Top K Reranker": "Top K Reranker",
"Transformers": "Transformatorlar", "Transformers": "Transformatorlar",
@ -1684,6 +1699,7 @@
"Upload Pipeline": "Quvur liniyasini yuklash", "Upload Pipeline": "Quvur liniyasini yuklash",
"Upload Progress": "Yuklash jarayoni", "Upload Progress": "Yuklash jarayoni",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "URL rejimi", "URL Mode": "URL rejimi",

View file

@ -95,6 +95,7 @@
"Allow Continue Response": "", "Allow Continue Response": "",
"Allow Delete Messages": "", "Allow Delete Messages": "",
"Allow File Upload": "Cho phép Tải tệp lên", "Allow File Upload": "Cho phép Tải tệp lên",
"Allow Group Sharing": "",
"Allow Multiple Models in Chat": "", "Allow Multiple Models in Chat": "",
"Allow non-local voices": "Cho phép giọng nói không bản xứ", "Allow non-local voices": "Cho phép giọng nói không bản xứ",
"Allow Rate Response": "", "Allow Rate Response": "",
@ -144,6 +145,7 @@
"Archived Chats": "Lưu các cuộc Chat", "Archived Chats": "Lưu các cuộc Chat",
"archived-chat-export": "xuất-chat-lưu-trữ", "archived-chat-export": "xuất-chat-lưu-trữ",
"Are you sure you want to clear all memories? This action cannot be undone.": "Bạn có chắc chắn muốn xóa tất cả bộ nhớ không? Hành động này không thể hoàn tác.", "Are you sure you want to clear all memories? This action cannot be undone.": "Bạn có chắc chắn muốn xóa tất cả bộ nhớ không? Hành động này không thể hoàn tác.",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "Bạn có chắc chắn muốn xóa kênh này không?", "Are you sure you want to delete this channel?": "Bạn có chắc chắn muốn xóa kênh này không?",
"Are you sure you want to delete this message?": "Bạn có chắc chắn muốn xóa tin nhắn này không?", "Are you sure you want to delete this message?": "Bạn có chắc chắn muốn xóa tin nhắn này không?",
"Are you sure you want to unarchive all archived chats?": "Bạn có chắc chắn muốn bỏ lưu trữ tất cả các cuộc trò chuyện đã lưu trữ không?", "Are you sure you want to unarchive all archived chats?": "Bạn có chắc chắn muốn bỏ lưu trữ tất cả các cuộc trò chuyện đã lưu trữ không?",
@ -388,12 +390,14 @@
"Default description enabled": "", "Default description enabled": "",
"Default Features": "", "Default Features": "",
"Default Filters": "", "Default Filters": "",
"Default Group": "",
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Chế độ mặc định hoạt động với nhiều loại mô hình hơn bằng cách gọi các công cụ một lần trước khi thực thi. Chế độ gốc tận dụng khả năng gọi công cụ tích hợp sẵn của mô hình, nhưng yêu cầu mô hình phải hỗ trợ tính năng này vốn có.", "Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "Chế độ mặc định hoạt động với nhiều loại mô hình hơn bằng cách gọi các công cụ một lần trước khi thực thi. Chế độ gốc tận dụng khả năng gọi công cụ tích hợp sẵn của mô hình, nhưng yêu cầu mô hình phải hỗ trợ tính năng này vốn có.",
"Default Model": "Model mặc định", "Default Model": "Model mặc định",
"Default model updated": "Mô hình mặc định đã được cập nhật", "Default model updated": "Mô hình mặc định đã được cập nhật",
"Default Models": "Các Mô hình Mặc định", "Default Models": "Các Mô hình Mặc định",
"Default permissions": "Quyền mặc định", "Default permissions": "Quyền mặc định",
"Default permissions updated successfully": "Đã cập nhật quyền mặc định thành công", "Default permissions updated successfully": "Đã cập nhật quyền mặc định thành công",
"Default Pinned Models": "",
"Default Prompt Suggestions": "Đề xuất prompt mặc định", "Default Prompt Suggestions": "Đề xuất prompt mặc định",
"Default to 389 or 636 if TLS is enabled": "Mặc định là 389 hoặc 636 nếu TLS được bật", "Default to 389 or 636 if TLS is enabled": "Mặc định là 389 hoặc 636 nếu TLS được bật",
"Default to ALL": "Mặc định là TẤT CẢ", "Default to ALL": "Mặc định là TẤT CẢ",
@ -402,6 +406,7 @@
"Delete": "Xóa", "Delete": "Xóa",
"Delete a model": "Xóa mô hình", "Delete a model": "Xóa mô hình",
"Delete All Chats": "Xóa mọi cuộc Chat", "Delete All Chats": "Xóa mọi cuộc Chat",
"Delete all contents inside this folder": "",
"Delete All Models": "Xóa Tất cả Mô hình", "Delete All Models": "Xóa Tất cả Mô hình",
"Delete Chat": "Xóa chat", "Delete Chat": "Xóa chat",
"Delete chat?": "Xóa chat?", "Delete chat?": "Xóa chat?",
@ -730,6 +735,7 @@
"Features": "Tính năng", "Features": "Tính năng",
"Features Permissions": "Quyền Tính năng", "Features Permissions": "Quyền Tính năng",
"February": "Tháng 2", "February": "Tháng 2",
"Feedback deleted successfully": "",
"Feedback Details": "", "Feedback Details": "",
"Feedback History": "Lịch sử Phản hồi", "Feedback History": "Lịch sử Phản hồi",
"Feedbacks": "Các phản hồi", "Feedbacks": "Các phản hồi",
@ -744,6 +750,7 @@
"File size should not exceed {{maxSize}} MB.": "Kích thước tệp không được vượt quá {{maxSize}} MB.", "File size should not exceed {{maxSize}} MB.": "Kích thước tệp không được vượt quá {{maxSize}} MB.",
"File Upload": "", "File Upload": "",
"File uploaded successfully": "Tải tệp lên thành công", "File uploaded successfully": "Tải tệp lên thành công",
"File uploaded!": "",
"Files": "Tệp", "Files": "Tệp",
"Filter": "", "Filter": "",
"Filter is now globally disabled": "Bộ lọc hiện đã bị vô hiệu hóa trên toàn hệ thống", "Filter is now globally disabled": "Bộ lọc hiện đã bị vô hiệu hóa trên toàn hệ thống",
@ -857,6 +864,7 @@
"Image Compression": "Nén Ảnh", "Image Compression": "Nén Ảnh",
"Image Compression Height": "", "Image Compression Height": "",
"Image Compression Width": "", "Image Compression Width": "",
"Image Edit": "",
"Image Edit Engine": "", "Image Edit Engine": "",
"Image Generation": "Tạo Ảnh", "Image Generation": "Tạo Ảnh",
"Image Generation Engine": "Công cụ tạo ảnh", "Image Generation Engine": "Công cụ tạo ảnh",
@ -941,6 +949,7 @@
"Knowledge Name": "", "Knowledge Name": "",
"Knowledge Public Sharing": "Chia sẻ Công khai Kiến thức", "Knowledge Public Sharing": "Chia sẻ Công khai Kiến thức",
"Knowledge reset successfully.": "Đã đặt lại kiến thức thành công.", "Knowledge reset successfully.": "Đã đặt lại kiến thức thành công.",
"Knowledge Sharing": "",
"Knowledge updated successfully": "Đã cập nhật kiến thức thành công", "Knowledge updated successfully": "Đã cập nhật kiến thức thành công",
"Kokoro.js (Browser)": "Kokoro.js (Trình duyệt)", "Kokoro.js (Browser)": "Kokoro.js (Trình duyệt)",
"Kokoro.js Dtype": "Kiểu dữ liệu Kokoro.js", "Kokoro.js Dtype": "Kiểu dữ liệu Kokoro.js",
@ -1006,6 +1015,7 @@
"Max Upload Size": "Kích thước Tải lên Tối đa", "Max Upload Size": "Kích thước Tải lên Tối đa",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Tối đa 3 mô hình có thể được tải xuống cùng lúc. Vui lòng thử lại sau.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Tối đa 3 mô hình có thể được tải xuống cùng lúc. Vui lòng thử lại sau.",
"May": "Tháng 5", "May": "Tháng 5",
"MBR": "",
"MCP": "", "MCP": "",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "",
"Medium": "", "Medium": "",
@ -1062,6 +1072,7 @@
"Models configuration saved successfully": "Đã lưu cấu hình mô hình thành công", "Models configuration saved successfully": "Đã lưu cấu hình mô hình thành công",
"Models imported successfully": "", "Models imported successfully": "",
"Models Public Sharing": "Chia sẻ Công khai Mô hình", "Models Public Sharing": "Chia sẻ Công khai Mô hình",
"Models Sharing": "",
"Mojeek Search API Key": "Khóa API Mojeek Search", "Mojeek Search API Key": "Khóa API Mojeek Search",
"More": "Thêm", "More": "Thêm",
"More Concise": "", "More Concise": "",
@ -1128,6 +1139,7 @@
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Lưu ý: Nếu bạn đặt điểm (Score) tối thiểu thì tìm kiếm sẽ chỉ trả về những tài liệu có điểm lớn hơn hoặc bằng điểm tối thiểu.", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Lưu ý: Nếu bạn đặt điểm (Score) tối thiểu thì tìm kiếm sẽ chỉ trả về những tài liệu có điểm lớn hơn hoặc bằng điểm tối thiểu.",
"Notes": "Ghi chú", "Notes": "Ghi chú",
"Notes Public Sharing": "", "Notes Public Sharing": "",
"Notes Sharing": "",
"Notification Sound": "Âm thanh Thông báo", "Notification Sound": "Âm thanh Thông báo",
"Notification Webhook": "Webhook Thông báo", "Notification Webhook": "Webhook Thông báo",
"Notifications": "Thông báo trên máy tính (Notification)", "Notifications": "Thông báo trên máy tính (Notification)",
@ -1274,6 +1286,7 @@
"Prompts": "Prompt", "Prompts": "Prompt",
"Prompts Access": "Truy cập Prompt", "Prompts Access": "Truy cập Prompt",
"Prompts Public Sharing": "Chia sẻ Công khai Prompt", "Prompts Public Sharing": "Chia sẻ Công khai Prompt",
"Prompts Sharing": "",
"Provider Type": "", "Provider Type": "",
"Public": "Công khai", "Public": "Công khai",
"Pull \"{{searchValue}}\" from Ollama.com": "Tải \"{{searchValue}}\" từ Ollama.com", "Pull \"{{searchValue}}\" from Ollama.com": "Tải \"{{searchValue}}\" từ Ollama.com",
@ -1456,6 +1469,7 @@
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Đặt hạt giống số ngẫu nhiên để sử dụng cho việc tạo. Đặt giá trị này thành một số cụ thể sẽ làm cho mô hình tạo ra cùng một văn bản cho cùng một prompt.", "Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Đặt hạt giống số ngẫu nhiên để sử dụng cho việc tạo. Đặt giá trị này thành một số cụ thể sẽ làm cho mô hình tạo ra cùng một văn bản cho cùng một prompt.",
"Sets the size of the context window used to generate the next token.": "Đặt kích thước của cửa sổ ngữ cảnh được sử dụng để tạo token tiếp theo.", "Sets the size of the context window used to generate the next token.": "Đặt kích thước của cửa sổ ngữ cảnh được sử dụng để tạo token tiếp theo.",
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Đặt các chuỗi dừng để sử dụng. Khi gặp mẫu này, LLM sẽ ngừng tạo văn bản và trả về. Có thể đặt nhiều mẫu dừng bằng cách chỉ định nhiều tham số stop riêng biệt trong modelfile.", "Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Đặt các chuỗi dừng để sử dụng. Khi gặp mẫu này, LLM sẽ ngừng tạo văn bản và trả về. Có thể đặt nhiều mẫu dừng bằng cách chỉ định nhiều tham số stop riêng biệt trong modelfile.",
"Setting": "",
"Settings": "Cài đặt", "Settings": "Cài đặt",
"Settings saved successfully!": "Cài đặt đã được lưu thành công!", "Settings saved successfully!": "Cài đặt đã được lưu thành công!",
"Share": "Chia sẻ", "Share": "Chia sẻ",
@ -1636,6 +1650,7 @@
"Tools Function Calling Prompt": "Prompt Gọi Function của Tools", "Tools Function Calling Prompt": "Prompt Gọi Function của Tools",
"Tools have a function calling system that allows arbitrary code execution.": "Các Tools có hệ thống gọi function cho phép thực thi mã tùy ý.", "Tools have a function calling system that allows arbitrary code execution.": "Các Tools có hệ thống gọi function cho phép thực thi mã tùy ý.",
"Tools Public Sharing": "Chia sẻ Công khai Tools", "Tools Public Sharing": "Chia sẻ Công khai Tools",
"Tools Sharing": "",
"Top K": "Top K", "Top K": "Top K",
"Top K Reranker": "Top K Reranker", "Top K Reranker": "Top K Reranker",
"Transformers": "Transformers", "Transformers": "Transformers",
@ -1683,6 +1698,7 @@
"Upload Pipeline": "Tải lên Pipeline", "Upload Pipeline": "Tải lên Pipeline",
"Upload Progress": "Tiến trình tải tệp lên hệ thống", "Upload Progress": "Tiến trình tải tệp lên hệ thống",
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "", "Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "",
"Uploading file...": "",
"URL": "URL", "URL": "URL",
"URL is required": "", "URL is required": "",
"URL Mode": "Chế độ URL", "URL Mode": "Chế độ URL",

View file

@ -145,6 +145,7 @@
"Archived Chats": "已归档对话", "Archived Chats": "已归档对话",
"archived-chat-export": "导出已归档对话", "archived-chat-export": "导出已归档对话",
"Are you sure you want to clear all memories? This action cannot be undone.": "您确认要清除所有记忆吗?清除后无法还原。", "Are you sure you want to clear all memories? This action cannot be undone.": "您确认要清除所有记忆吗?清除后无法还原。",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "您确认要删除此频道吗?", "Are you sure you want to delete this channel?": "您确认要删除此频道吗?",
"Are you sure you want to delete this message?": "您确认要删除此消息吗?", "Are you sure you want to delete this message?": "您确认要删除此消息吗?",
"Are you sure you want to unarchive all archived chats?": "您确认要取消所有已归档的对话吗?", "Are you sure you want to unarchive all archived chats?": "您确认要取消所有已归档的对话吗?",
@ -405,6 +406,7 @@
"Delete": "删除", "Delete": "删除",
"Delete a model": "删除模型", "Delete a model": "删除模型",
"Delete All Chats": "删除所有对话记录", "Delete All Chats": "删除所有对话记录",
"Delete all contents inside this folder": "",
"Delete All Models": "删除所有模型", "Delete All Models": "删除所有模型",
"Delete Chat": "删除对话记录", "Delete Chat": "删除对话记录",
"Delete chat?": "要删除此对话记录吗?", "Delete chat?": "要删除此对话记录吗?",
@ -1013,6 +1015,7 @@
"Max Upload Size": "最大上传大小", "Max Upload Size": "最大上传大小",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "最多可同时下载 3 个模型,请稍后重试。", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "最多可同时下载 3 个模型,请稍后重试。",
"May": "五月", "May": "五月",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 支持仍处于实验阶段,因其规范变化频繁,可能会出现不兼容的情况。而 OpenAPI 规范由 Open WebUI 团队维护,在兼容性方面更加可靠。", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 支持仍处于实验阶段,因其规范变化频繁,可能会出现不兼容的情况。而 OpenAPI 规范由 Open WebUI 团队维护,在兼容性方面更加可靠。",
"Medium": "中", "Medium": "中",

View file

@ -145,6 +145,7 @@
"Archived Chats": "封存的對話紀錄", "Archived Chats": "封存的對話紀錄",
"archived-chat-export": "archived-chat-export", "archived-chat-export": "archived-chat-export",
"Are you sure you want to clear all memories? This action cannot be undone.": "您確定要清除所有記憶嗎?此操作無法復原。", "Are you sure you want to clear all memories? This action cannot be undone.": "您確定要清除所有記憶嗎?此操作無法復原。",
"Are you sure you want to delete \"{{NAME}}\"?": "",
"Are you sure you want to delete this channel?": "您確定要刪除此頻道嗎?", "Are you sure you want to delete this channel?": "您確定要刪除此頻道嗎?",
"Are you sure you want to delete this message?": "您確定要刪除此訊息嗎?", "Are you sure you want to delete this message?": "您確定要刪除此訊息嗎?",
"Are you sure you want to unarchive all archived chats?": "您確定要解除封存所有封存的對話記錄嗎?", "Are you sure you want to unarchive all archived chats?": "您確定要解除封存所有封存的對話記錄嗎?",
@ -405,6 +406,7 @@
"Delete": "刪除", "Delete": "刪除",
"Delete a model": "刪除模型", "Delete a model": "刪除模型",
"Delete All Chats": "刪除所有對話紀錄", "Delete All Chats": "刪除所有對話紀錄",
"Delete all contents inside this folder": "",
"Delete All Models": "刪除所有模型", "Delete All Models": "刪除所有模型",
"Delete Chat": "刪除對話紀錄", "Delete Chat": "刪除對話紀錄",
"Delete chat?": "刪除對話紀錄?", "Delete chat?": "刪除對話紀錄?",
@ -1013,6 +1015,7 @@
"Max Upload Size": "最大上傳大小", "Max Upload Size": "最大上傳大小",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "最多同時下載 3 個模型。請稍後再試。", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "最多同時下載 3 個模型。請稍後再試。",
"May": "5 月", "May": "5 月",
"MBR": "",
"MCP": "MCP", "MCP": "MCP",
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 支援為實驗性功能其規範經常變更可能導致不相容問題。OpenAPI 規範支援直接由 Open WebUI 團隊維護,是相容性更可靠的選擇。", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 支援為實驗性功能其規範經常變更可能導致不相容問題。OpenAPI 規範支援直接由 Open WebUI 團隊維護,是相容性更可靠的選擇。",
"Medium": "中", "Medium": "中",