Merge branch 'open-webui:dev' into dev

This commit is contained in:
denispol 2025-06-23 15:42:32 +02:00 committed by GitHub
commit 77a96870ea
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
77 changed files with 1710 additions and 225 deletions

View file

@ -199,6 +199,7 @@ CHANGELOG = changelog_json
SAFE_MODE = os.environ.get("SAFE_MODE", "false").lower() == "true" SAFE_MODE = os.environ.get("SAFE_MODE", "false").lower() == "true"
#################################### ####################################
# ENABLE_FORWARD_USER_INFO_HEADERS # ENABLE_FORWARD_USER_INFO_HEADERS
#################################### ####################################
@ -272,15 +273,13 @@ if "postgres://" in DATABASE_URL:
DATABASE_SCHEMA = os.environ.get("DATABASE_SCHEMA", None) DATABASE_SCHEMA = os.environ.get("DATABASE_SCHEMA", None)
DATABASE_POOL_SIZE = os.environ.get("DATABASE_POOL_SIZE", 0) DATABASE_POOL_SIZE = os.environ.get("DATABASE_POOL_SIZE", None)
if DATABASE_POOL_SIZE == "": if DATABASE_POOL_SIZE != None:
DATABASE_POOL_SIZE = 0
else:
try: try:
DATABASE_POOL_SIZE = int(DATABASE_POOL_SIZE) DATABASE_POOL_SIZE = int(DATABASE_POOL_SIZE)
except Exception: except Exception:
DATABASE_POOL_SIZE = 0 DATABASE_POOL_SIZE = None
DATABASE_POOL_MAX_OVERFLOW = os.environ.get("DATABASE_POOL_MAX_OVERFLOW", 0) DATABASE_POOL_MAX_OVERFLOW = os.environ.get("DATABASE_POOL_MAX_OVERFLOW", 0)
@ -396,6 +395,10 @@ WEBUI_AUTH_COOKIE_SECURE = (
if WEBUI_AUTH and WEBUI_SECRET_KEY == "": if WEBUI_AUTH and WEBUI_SECRET_KEY == "":
raise ValueError(ERROR_MESSAGES.ENV_VAR_NOT_FOUND) raise ValueError(ERROR_MESSAGES.ENV_VAR_NOT_FOUND)
ENABLE_COMPRESSION_MIDDLEWARE = (
os.environ.get("ENABLE_COMPRESSION_MIDDLEWARE", "True").lower() == "true"
)
ENABLE_WEBSOCKET_SUPPORT = ( ENABLE_WEBSOCKET_SUPPORT = (
os.environ.get("ENABLE_WEBSOCKET_SUPPORT", "True").lower() == "true" os.environ.get("ENABLE_WEBSOCKET_SUPPORT", "True").lower() == "true"
) )

View file

@ -62,6 +62,9 @@ def handle_peewee_migration(DATABASE_URL):
except Exception as e: except Exception as e:
log.error(f"Failed to initialize the database connection: {e}") log.error(f"Failed to initialize the database connection: {e}")
log.warning(
"Hint: If your database password contains special characters, you may need to URL-encode it."
)
raise raise
finally: finally:
# Properly closing the database connection # Properly closing the database connection
@ -81,20 +84,23 @@ if "sqlite" in SQLALCHEMY_DATABASE_URL:
SQLALCHEMY_DATABASE_URL, connect_args={"check_same_thread": False} SQLALCHEMY_DATABASE_URL, connect_args={"check_same_thread": False}
) )
else: else:
if DATABASE_POOL_SIZE > 0: if isinstance(DATABASE_POOL_SIZE, int):
engine = create_engine( if DATABASE_POOL_SIZE > 0:
SQLALCHEMY_DATABASE_URL, engine = create_engine(
pool_size=DATABASE_POOL_SIZE, SQLALCHEMY_DATABASE_URL,
max_overflow=DATABASE_POOL_MAX_OVERFLOW, pool_size=DATABASE_POOL_SIZE,
pool_timeout=DATABASE_POOL_TIMEOUT, max_overflow=DATABASE_POOL_MAX_OVERFLOW,
pool_recycle=DATABASE_POOL_RECYCLE, pool_timeout=DATABASE_POOL_TIMEOUT,
pool_pre_ping=True, pool_recycle=DATABASE_POOL_RECYCLE,
poolclass=QueuePool, pool_pre_ping=True,
) poolclass=QueuePool,
)
else:
engine = create_engine(
SQLALCHEMY_DATABASE_URL, pool_pre_ping=True, poolclass=NullPool
)
else: else:
engine = create_engine( engine = create_engine(SQLALCHEMY_DATABASE_URL, pool_pre_ping=True)
SQLALCHEMY_DATABASE_URL, pool_pre_ping=True, poolclass=NullPool
)
SessionLocal = sessionmaker( SessionLocal = sessionmaker(

View file

@ -411,6 +411,7 @@ from open_webui.env import (
WEBUI_AUTH_TRUSTED_EMAIL_HEADER, WEBUI_AUTH_TRUSTED_EMAIL_HEADER,
WEBUI_AUTH_TRUSTED_NAME_HEADER, WEBUI_AUTH_TRUSTED_NAME_HEADER,
WEBUI_AUTH_SIGNOUT_REDIRECT_URL, WEBUI_AUTH_SIGNOUT_REDIRECT_URL,
ENABLE_COMPRESSION_MIDDLEWARE,
ENABLE_WEBSOCKET_SUPPORT, ENABLE_WEBSOCKET_SUPPORT,
BYPASS_MODEL_ACCESS_CONTROL, BYPASS_MODEL_ACCESS_CONTROL,
RESET_CONFIG_ON_START, RESET_CONFIG_ON_START,
@ -1072,7 +1073,9 @@ class RedirectMiddleware(BaseHTTPMiddleware):
# Add the middleware to the app # Add the middleware to the app
app.add_middleware(CompressMiddleware) if ENABLE_COMPRESSION_MIDDLEWARE:
app.add_middleware(CompressMiddleware)
app.add_middleware(RedirectMiddleware) app.add_middleware(RedirectMiddleware)
app.add_middleware(SecurityHeadersMiddleware) app.add_middleware(SecurityHeadersMiddleware)

View file

@ -14,7 +14,7 @@ from langchain_community.document_loaders import (
TextLoader, TextLoader,
UnstructuredEPubLoader, UnstructuredEPubLoader,
UnstructuredExcelLoader, UnstructuredExcelLoader,
UnstructuredMarkdownLoader, UnstructuredODTLoader,
UnstructuredPowerPointLoader, UnstructuredPowerPointLoader,
UnstructuredRSTLoader, UnstructuredRSTLoader,
UnstructuredXMLLoader, UnstructuredXMLLoader,
@ -389,6 +389,8 @@ class Loader:
loader = UnstructuredPowerPointLoader(file_path) loader = UnstructuredPowerPointLoader(file_path)
elif file_ext == "msg": elif file_ext == "msg":
loader = OutlookMessageLoader(file_path) loader = OutlookMessageLoader(file_path)
elif file_ext == "odt":
loader = UnstructuredODTLoader(file_path)
elif self._is_text_file(file_ext, file_content_type): elif self._is_text_file(file_ext, file_content_type):
loader = TextLoader(file_path, autodetect_encoding=True) loader = TextLoader(file_path, autodetect_encoding=True)
else: else:

View file

@ -669,6 +669,7 @@ async def signup(request: Request, response: Response, form_data: SignupForm):
@router.get("/signout") @router.get("/signout")
async def signout(request: Request, response: Response): async def signout(request: Request, response: Response):
response.delete_cookie("token") response.delete_cookie("token")
response.delete_cookie("oui-session")
if ENABLE_OAUTH_SIGNUP.value: if ENABLE_OAUTH_SIGNUP.value:
oauth_id_token = request.cookies.get("oauth_id_token") oauth_id_token = request.cookies.get("oauth_id_token")

View file

@ -303,8 +303,14 @@ async def update_image_config(
): ):
set_image_model(request, form_data.MODEL) set_image_model(request, form_data.MODEL)
if (form_data.IMAGE_SIZE == "auto" and form_data.MODEL != 'gpt-image-1'):
raise HTTPException(
status_code=400,
detail=ERROR_MESSAGES.INCORRECT_FORMAT(" (auto is only allowed with gpt-image-1).")
)
pattern = r"^\d+x\d+$" pattern = r"^\d+x\d+$"
if re.match(pattern, form_data.IMAGE_SIZE): if form_data.IMAGE_SIZE == "auto" or re.match(pattern, form_data.IMAGE_SIZE):
request.app.state.config.IMAGE_SIZE = form_data.IMAGE_SIZE request.app.state.config.IMAGE_SIZE = form_data.IMAGE_SIZE
else: else:
raise HTTPException( raise HTTPException(
@ -472,7 +478,14 @@ async def image_generations(
form_data: GenerateImageForm, form_data: GenerateImageForm,
user=Depends(get_verified_user), user=Depends(get_verified_user),
): ):
width, height = tuple(map(int, request.app.state.config.IMAGE_SIZE.split("x"))) # if IMAGE_SIZE = 'auto', default WidthxHeight to the 512x512 default
# This is only relevant when the user has set IMAGE_SIZE to 'auto' with an
# image model other than gpt-image-1, which is warned about on settings save
width, height = (
tuple(map(int, request.app.state.config.IMAGE_SIZE.split("x")))
if 'x' in request.app.state.config.IMAGE_SIZE
else (512, 512)
)
r = None r = None
try: try:

View file

@ -633,13 +633,7 @@ async def verify_connection(
raise HTTPException(status_code=500, detail=error_detail) raise HTTPException(status_code=500, detail=error_detail)
def convert_to_azure_payload( def get_azure_allowed_params(api_version: str) -> set[str]:
url,
payload: dict,
):
model = payload.get("model", "")
# Filter allowed parameters based on Azure OpenAI API
allowed_params = { allowed_params = {
"messages", "messages",
"temperature", "temperature",
@ -669,6 +663,23 @@ def convert_to_azure_payload(
"max_completion_tokens", "max_completion_tokens",
} }
try:
if api_version >= "2024-09-01-preview":
allowed_params.add("stream_options")
except ValueError:
log.debug(
f"Invalid API version {api_version} for Azure OpenAI. Defaulting to allowed parameters."
)
return allowed_params
def convert_to_azure_payload(url, payload: dict, api_version: str):
model = payload.get("model", "")
# Filter allowed parameters based on Azure OpenAI API
allowed_params = get_azure_allowed_params(api_version)
# Special handling for o-series models # Special handling for o-series models
if model.startswith("o") and model.endswith("-mini"): if model.startswith("o") and model.endswith("-mini"):
# Convert max_tokens to max_completion_tokens for o-series models # Convert max_tokens to max_completion_tokens for o-series models
@ -817,8 +828,8 @@ async def generate_chat_completion(
} }
if api_config.get("azure", False): if api_config.get("azure", False):
request_url, payload = convert_to_azure_payload(url, payload) api_version = api_config.get("api_version", "2023-03-15-preview")
api_version = api_config.get("api_version", "") or "2023-03-15-preview" request_url, payload = convert_to_azure_payload(url, payload, api_version)
headers["api-key"] = key headers["api-key"] = key
headers["api-version"] = api_version headers["api-version"] = api_version
request_url = f"{request_url}/chat/completions?api-version={api_version}" request_url = f"{request_url}/chat/completions?api-version={api_version}"
@ -1007,16 +1018,15 @@ async def proxy(path: str, request: Request, user=Depends(get_verified_user)):
} }
if api_config.get("azure", False): if api_config.get("azure", False):
api_version = api_config.get("api_version", "2023-03-15-preview")
headers["api-key"] = key headers["api-key"] = key
headers["api-version"] = ( headers["api-version"] = api_version
api_config.get("api_version", "") or "2023-03-15-preview"
)
payload = json.loads(body) payload = json.loads(body)
url, payload = convert_to_azure_payload(url, payload) url, payload = convert_to_azure_payload(url, payload, api_version)
body = json.dumps(payload).encode() body = json.dumps(payload).encode()
request_url = f"{url}/{path}?api-version={api_config.get('api_version', '2023-03-15-preview')}" request_url = f"{url}/{path}?api-version={api_version}"
else: else:
headers["Authorization"] = f"Bearer {key}" headers["Authorization"] = f"Bearer {key}"
request_url = f"{url}/{path}" request_url = f"{url}/{path}"

View file

@ -1747,6 +1747,16 @@ def search_web(request: Request, engine: str, query: str) -> list[SearchResult]:
) )
else: else:
raise Exception("No TAVILY_API_KEY found in environment variables") raise Exception("No TAVILY_API_KEY found in environment variables")
elif engine == "exa":
if request.app.state.config.EXA_API_KEY:
return search_exa(
request.app.state.config.EXA_API_KEY,
query,
request.app.state.config.WEB_SEARCH_RESULT_COUNT,
request.app.state.config.WEB_SEARCH_DOMAIN_FILTER_LIST,
)
else:
raise Exception("No EXA_API_KEY found in environment variables")
elif engine == "searchapi": elif engine == "searchapi":
if request.app.state.config.SEARCHAPI_API_KEY: if request.app.state.config.SEARCHAPI_API_KEY:
return search_searchapi( return search_searchapi(

View file

@ -804,7 +804,6 @@ async def process_chat_payload(request, form_data, user, metadata, model):
raise e raise e
try: try:
filter_functions = [ filter_functions = [
Functions.get_function_by_id(filter_id) Functions.get_function_by_id(filter_id)
for filter_id in get_sorted_filter_ids( for filter_id in get_sorted_filter_ids(
@ -1741,7 +1740,7 @@ async def process_chat_response(
}, },
) )
async def stream_body_handler(response): async def stream_body_handler(response, form_data):
nonlocal content nonlocal content
nonlocal content_blocks nonlocal content_blocks
@ -1770,7 +1769,7 @@ async def process_chat_response(
filter_functions=filter_functions, filter_functions=filter_functions,
filter_type="stream", filter_type="stream",
form_data=data, form_data=data,
extra_params=extra_params, extra_params={"__body__": form_data, **extra_params},
) )
if data: if data:
@ -2032,7 +2031,7 @@ async def process_chat_response(
if response.background: if response.background:
await response.background() await response.background()
await stream_body_handler(response) await stream_body_handler(response, form_data)
MAX_TOOL_CALL_RETRIES = 10 MAX_TOOL_CALL_RETRIES = 10
tool_call_retries = 0 tool_call_retries = 0
@ -2181,22 +2180,24 @@ async def process_chat_response(
) )
try: try:
new_form_data = {
"model": model_id,
"stream": True,
"tools": form_data["tools"],
"messages": [
*form_data["messages"],
*convert_content_blocks_to_messages(content_blocks),
],
}
res = await generate_chat_completion( res = await generate_chat_completion(
request, request,
{ new_form_data,
"model": model_id,
"stream": True,
"tools": form_data["tools"],
"messages": [
*form_data["messages"],
*convert_content_blocks_to_messages(content_blocks),
],
},
user, user,
) )
if isinstance(res, StreamingResponse): if isinstance(res, StreamingResponse):
await stream_body_handler(res) await stream_body_handler(res, new_form_data)
else: else:
break break
except Exception as e: except Exception as e:

View file

@ -1593,7 +1593,7 @@ export interface ModelMeta {
profile_image_url?: string; profile_image_url?: string;
} }
export interface ModelParams { } export interface ModelParams {}
export type GlobalModelConfig = ModelConfig[]; export type GlobalModelConfig = ModelConfig[];

View file

@ -37,26 +37,12 @@
<div class="flex flex-col md:flex-row w-full px-5 pb-4 md:space-x-4 dark:text-gray-200"> <div class="flex flex-col md:flex-row w-full px-5 pb-4 md:space-x-4 dark:text-gray-200">
<div class="flex flex-col w-full"> <div class="flex flex-col w-full">
<div class="flex flex-col w-full mb-2"> <div class="mb-2 -mx-1">
<div class=" mb-1 text-xs text-gray-500">{$i18n.t('Rating')}</div>
<div class="flex-1">
<span>{selectedFeedback?.data?.details?.rating ?? '-'}</span>
</div>
</div>
<div class="flex flex-col w-full mb-2">
<div class=" mb-1 text-xs text-gray-500">{$i18n.t('Reason')}</div>
<div class="flex-1">
<span>{selectedFeedback?.data?.reason || '-'}</span>
</div>
</div>
<div class="mb-2">
{#if selectedFeedback?.data?.tags && selectedFeedback?.data?.tags.length} {#if selectedFeedback?.data?.tags && selectedFeedback?.data?.tags.length}
<div class="flex flex-wrap gap-1 mt-1"> <div class="flex flex-wrap gap-1 mt-1">
{#each selectedFeedback?.data?.tags as tag} {#each selectedFeedback?.data?.tags as tag}
<span class="px-2 py-0.5 rounded bg-gray-100 dark:bg-gray-800 text-xs">{tag}</span <span class="px-2 py-0.5 rounded-full bg-gray-100 dark:bg-gray-850 text-xs"
>{tag}</span
> >
{/each} {/each}
</div> </div>
@ -64,7 +50,23 @@
<span>-</span> <span>-</span>
{/if} {/if}
</div> </div>
<div class="flex justify-end pt-3">
<div class="flex flex-col w-full mb-2">
<div class=" mb-1 text-xs text-gray-500">{$i18n.t('Rating')}</div>
<div class="flex-1 text-xs">
<span>{selectedFeedback?.data?.details?.rating ?? '-'}</span>
</div>
</div>
<div class="flex flex-col w-full mb-2">
<div class=" mb-1 text-xs text-gray-500">{$i18n.t('Reason')}</div>
<div class="flex-1 text-xs">
<span>{selectedFeedback?.data?.reason || '-'}</span>
</div>
</div>
<div class="flex justify-end pt-2">
<button <button
class="px-3.5 py-1.5 text-sm font-medium bg-black hover:bg-gray-900 text-white dark:bg-white dark:text-black dark:hover:bg-gray-100 transition rounded-full" class="px-3.5 py-1.5 text-sm font-medium bg-black hover:bg-gray-900 text-white dark:bg-white dark:text-black dark:hover:bg-gray-100 transition rounded-full"
type="button" type="button"

View file

@ -305,7 +305,7 @@
<tbody class=""> <tbody class="">
{#each paginatedFeedbacks as feedback (feedback.id)} {#each paginatedFeedbacks as feedback (feedback.id)}
<tr <tr
class="bg-white dark:bg-gray-900 dark:border-gray-850 text-xs cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-800 transition" class="bg-white dark:bg-gray-900 dark:border-gray-850 text-xs cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-850/50 transition"
on:click={() => openFeedbackModal(feedback)} on:click={() => openFeedbackModal(feedback)}
> >
<td class=" py-0.5 text-right font-semibold"> <td class=" py-0.5 text-right font-semibold">

View file

@ -504,7 +504,7 @@
<tbody class=""> <tbody class="">
{#each sortedModels as model, modelIdx (model.id)} {#each sortedModels as model, modelIdx (model.id)}
<tr <tr
class="bg-white dark:bg-gray-900 dark:border-gray-850 text-xs group cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-800 transition" class="bg-white dark:bg-gray-900 dark:border-gray-850 text-xs group cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-850/50 transition"
on:click={() => openFeedbackModal(model)} on:click={() => openFeedbackModal(model)}
> >
<td class="px-3 py-1.5 text-left font-medium text-gray-900 dark:text-white w-fit"> <td class="px-3 py-1.5 text-left font-medium text-gray-900 dark:text-white w-fit">

View file

@ -52,10 +52,10 @@
<div class="px-5 pb-4 dark:text-gray-200"> <div class="px-5 pb-4 dark:text-gray-200">
<div class="mb-2"> <div class="mb-2">
{#if topTags.length} {#if topTags.length}
<div class="flex flex-wrap gap-1 mt-1"> <div class="flex flex-wrap gap-1 mt-1 -mx-1">
{#each topTags as tagInfo} {#each topTags as tagInfo}
<span class="px-2 py-0.5 rounded bg-gray-100 dark:bg-gray-800 text-xs"> <span class="px-2 py-0.5 rounded-full bg-gray-100 dark:bg-gray-850 text-xs">
{tagInfo.tag} <span class="text-gray-500">({tagInfo.count})</span> {tagInfo.tag} <span class="text-gray-500 font-medium">{tagInfo.count}</span>
</span> </span>
{/each} {/each}
</div> </div>
@ -63,7 +63,7 @@
<span>-</span> <span>-</span>
{/if} {/if}
</div> </div>
<div class="flex justify-end pt-3"> <div class="flex justify-end pt-2">
<button <button
class="px-3.5 py-1.5 text-sm font-medium bg-black hover:bg-gray-900 text-white dark:bg-white dark:text-black dark:hover:bg-gray-100 transition rounded-full" class="px-3.5 py-1.5 text-sm font-medium bg-black hover:bg-gray-900 text-white dark:bg-white dark:text-black dark:hover:bg-gray-100 transition rounded-full"
type="button" type="button"

View file

@ -46,7 +46,9 @@
> >
<Tooltip <Tooltip
content={marked.parse( content={marked.parse(
sanitizeResponseContent(models[selectedModelIdx]?.info?.meta?.description ?? '').replaceAll('\n', '<br>') sanitizeResponseContent(
models[selectedModelIdx]?.info?.meta?.description ?? ''
).replaceAll('\n', '<br>')
)} )}
placement="right" placement="right"
> >
@ -68,7 +70,7 @@
{#if $temporaryChatEnabled} {#if $temporaryChatEnabled}
<Tooltip <Tooltip
content={$i18n.t('This chat wont appear in history and your messages will not be saved.')} content={$i18n.t("This chat won't appear in history and your messages will not be saved.")}
className="w-full flex justify-start mb-0.5" className="w-full flex justify-start mb-0.5"
placement="top" placement="top"
> >
@ -96,7 +98,9 @@
class="mt-0.5 text-base font-normal text-gray-500 dark:text-gray-400 line-clamp-3 markdown" class="mt-0.5 text-base font-normal text-gray-500 dark:text-gray-400 line-clamp-3 markdown"
> >
{@html marked.parse( {@html marked.parse(
sanitizeResponseContent(models[selectedModelIdx]?.info?.meta?.description).replaceAll('\n', '<br>') sanitizeResponseContent(
models[selectedModelIdx]?.info?.meta?.description
).replaceAll('\n', '<br>')
)} )}
</div> </div>
{#if models[selectedModelIdx]?.info?.meta?.user} {#if models[selectedModelIdx]?.info?.meta?.user}

View file

@ -9,7 +9,7 @@
import FileItem from '$lib/components/common/FileItem.svelte'; import FileItem from '$lib/components/common/FileItem.svelte';
import Collapsible from '$lib/components/common/Collapsible.svelte'; import Collapsible from '$lib/components/common/Collapsible.svelte';
import { user } from '$lib/stores'; import { user, settings } from '$lib/stores';
export let models = []; export let models = [];
export let chatFiles = []; export let chatFiles = [];
export let params = {}; export let params = {};
@ -74,7 +74,9 @@
<div class="" slot="content"> <div class="" slot="content">
<textarea <textarea
bind:value={params.system} bind:value={params.system}
class="w-full text-xs py-1.5 bg-transparent outline-hidden resize-vertical" class="w-full text-xs outline-hidden resize-vertical {$settings.highContrastMode
? 'border-2 border-gray-300 dark:border-gray-700 rounded-lg bg-gray-50 dark:bg-gray-800 p-2.5'
: 'py-1.5 bg-transparent'}"
rows="4" rows="4"
placeholder={$i18n.t('Enter system prompt')} placeholder={$i18n.t('Enter system prompt')}
/> />

View file

@ -274,7 +274,10 @@
<div class=" my-2.5 text-sm font-medium">{$i18n.t('System Prompt')}</div> <div class=" my-2.5 text-sm font-medium">{$i18n.t('System Prompt')}</div>
<Textarea <Textarea
bind:value={system} bind:value={system}
className="w-full text-sm bg-white dark:text-gray-300 dark:bg-gray-900 outline-hidden resize-vertical" className={'w-full text-sm outline-hidden resize-vertical' +
($settings.highContrastMode
? ' p-2.5 border-2 border-gray-300 dark:border-gray-700 rounded-lg bg-gray-50 dark:bg-gray-850 text-gray-900 dark:text-gray-100 focus:ring-1 focus:ring-blue-500 focus:border-blue-500 overflow-y-hidden'
: ' bg-white dark:text-gray-300 dark:bg-gray-900')}
rows="4" rows="4"
placeholder={$i18n.t('Enter system prompt here')} placeholder={$i18n.t('Enter system prompt here')}
/> />

View file

@ -211,9 +211,7 @@
: []), : []),
...($user?.role === 'admin' || ...($user?.role === 'admin' ||
($user?.role === 'user' && ($user?.role === 'user' && $user?.permissions?.features?.direct_tool_servers)
$user?.permissions?.features?.direct_tool_servers &&
$config?.features?.direct_tool_servers)
? [ ? [
{ {
id: 'tools', id: 'tools',
@ -688,7 +686,7 @@
</button> </button>
{/if} {/if}
{:else if tabId === 'tools'} {:else if tabId === 'tools'}
{#if $user?.role === 'admin' || ($user?.role === 'user' && $user?.permissions?.features?.direct_tool_servers && $config?.features?.direct_tool_servers)} {#if $user?.role === 'admin' || ($user?.role === 'user' && $user?.permissions?.features?.direct_tool_servers)}
<button <button
role="tab" role="tab"
aria-controls="tab-tools" aria-controls="tab-tools"

View file

@ -99,6 +99,7 @@ import 'dayjs/locale/uz';
import 'dayjs/locale/vi'; import 'dayjs/locale/vi';
import 'dayjs/locale/yo'; import 'dayjs/locale/yo';
import 'dayjs/locale/zh'; import 'dayjs/locale/zh';
import 'dayjs/locale/zh-tw';
import 'dayjs/locale/et'; import 'dayjs/locale/et';
export default dayjs; export default dayjs;

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "أغلق", "Close": "أغلق",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "وهذا يضمن حفظ محادثاتك القيمة بشكل آمن في قاعدة بياناتك الخلفية. شكرًا لك!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "وهذا يضمن حفظ محادثاتك القيمة بشكل آمن في قاعدة بياناتك الخلفية. شكرًا لك!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "استنساخ المحادثة", "Clone Chat": "استنساخ المحادثة",
"Clone of {{TITLE}}": "استنساخ لـ {{TITLE}}", "Clone of {{TITLE}}": "استنساخ لـ {{TITLE}}",
"Close": "إغلاق", "Close": "إغلاق",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "تنفيذ الشيفرة", "Code execution": "تنفيذ الشيفرة",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "لا يمكن التراجع عن هذا الإجراء. هل ترغب في المتابعة؟", "This action cannot be undone. Do you wish to continue?": "لا يمكن التراجع عن هذا الإجراء. هل ترغب في المتابعة؟",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "وهذا يضمن حفظ محادثاتك القيمة بشكل آمن في قاعدة بياناتك الخلفية. شكرًا لك!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "وهذا يضمن حفظ محادثاتك القيمة بشكل آمن في قاعدة بياناتك الخلفية. شكرًا لك!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "هذه ميزة تجريبية، وقد لا تعمل كما هو متوقع وقد تتغير في أي وقت.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "هذه ميزة تجريبية، وقد لا تعمل كما هو متوقع وقد تتغير في أي وقت.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Клониране на чат", "Clone Chat": "Клониране на чат",
"Clone of {{TITLE}}": "Клонинг на {{TITLE}}", "Clone of {{TITLE}}": "Клонинг на {{TITLE}}",
"Close": "Затвори", "Close": "Затвори",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Изпълнение на код", "Code execution": "Изпълнение на код",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Това действие не може да бъде отменено. Желаете ли да продължите?", "This action cannot be undone. Do you wish to continue?": "Това действие не може да бъде отменено. Желаете ли да продължите?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Това гарантира, че ценните ви разговори се запазват сигурно във вашата бекенд база данни. Благодарим ви!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Това гарантира, че ценните ви разговори се запазват сигурно във вашата бекенд база данни. Благодарим ви!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Това е експериментална функция, може да не работи според очакванията и подлежи на промяна по всяко време.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Това е експериментална функция, може да не работи според очакванията и подлежи на промяна по всяко време.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "বন্ধ", "Close": "বন্ধ",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "এটা নিশ্চিত করে যে, আপনার গুরুত্বপূর্ণ আলোচনা নিরাপদে আপনার ব্যাকএন্ড ডেটাবেজে সংরক্ষিত আছে। ধন্যবাদ!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "এটা নিশ্চিত করে যে, আপনার গুরুত্বপূর্ণ আলোচনা নিরাপদে আপনার ব্যাকএন্ড ডেটাবেজে সংরক্ষিত আছে। ধন্যবাদ!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "ཁ་བརྡ་འདྲ་བཟོ།", "Clone Chat": "ཁ་བརྡ་འདྲ་བཟོ།",
"Clone of {{TITLE}}": "{{TITLE}} ཡི་འདྲ་བཟོ།", "Clone of {{TITLE}}": "{{TITLE}} ཡི་འདྲ་བཟོ།",
"Close": "ཁ་རྒྱག་པ།", "Close": "ཁ་རྒྱག་པ།",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "ཀོཌ་ལག་བསྟར།", "Code execution": "ཀོཌ་ལག་བསྟར།",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "བྱ་སྤྱོད་འདི་ཕྱིར་ལྡོག་བྱེད་མི་ཐུབ། ཁྱེད་མུ་མཐུད་འདོད་ཡོད་དམ།", "This action cannot be undone. Do you wish to continue?": "བྱ་སྤྱོད་འདི་ཕྱིར་ལྡོག་བྱེད་མི་ཐུབ། ཁྱེད་མུ་མཐུད་འདོད་ཡོད་དམ།",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "བགྲོ་གླེང་འདི་ {{createdAt}} ལ་བཟོས་པ། འདི་ནི་ {{channelName}} བགྲོ་གླེང་གི་ཐོག་མ་རང་ཡིན།", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "བགྲོ་གླེང་འདི་ {{createdAt}} ལ་བཟོས་པ། འདི་ནི་ {{channelName}} བགྲོ་གླེང་གི་ཐོག་མ་རང་ཡིན།",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "འདིས་ཁྱེད་ཀྱི་རྩ་ཆེའི་ཁ་བརྡ་དག་བདེ་འཇགས་ངང་ཁྱེད་ཀྱི་རྒྱབ་སྣེ་གནས་ཚུལ་མཛོད་དུ་ཉར་ཚགས་བྱེད་པ་ཁག་ཐེག་བྱེད། ཐུགས་རྗེ་ཆེ།", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "འདིས་ཁྱེད་ཀྱི་རྩ་ཆེའི་ཁ་བརྡ་དག་བདེ་འཇགས་ངང་ཁྱེད་ཀྱི་རྒྱབ་སྣེ་གནས་ཚུལ་མཛོད་དུ་ཉར་ཚགས་བྱེད་པ་ཁག་ཐེག་བྱེད། ཐུགས་རྗེ་ཆེ།",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "འདི་ནི་ཚོད་ལྟའི་རང་བཞིན་གྱི་ཁྱད་ཆོས་ཤིག་ཡིན། དེ་རེ་སྒུག་ལྟར་ལས་ཀ་བྱེད་མི་སྲིད། དེ་མིན་དུས་ཚོད་གང་རུང་ལ་འགྱུར་བ་འགྲོ་སྲིད།", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "འདི་ནི་ཚོད་ལྟའི་རང་བཞིན་གྱི་ཁྱད་ཆོས་ཤིག་ཡིན། དེ་རེ་སྒུག་ལྟར་ལས་ཀ་བྱེད་མི་སྲིད། དེ་མིན་དུས་ཚོད་གང་རུང་ལ་འགྱུར་བ་འགྲོ་སྲིད།",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Clonar el xat", "Clone Chat": "Clonar el xat",
"Clone of {{TITLE}}": "Clon de {{TITLE}}", "Clone of {{TITLE}}": "Clon de {{TITLE}}",
"Close": "Tancar", "Close": "Tancar",
"Close Configure Connection Modal": "",
"Close modal": "Tancar el modal", "Close modal": "Tancar el modal",
"Close settings modal": "Tancar el modal de configuració", "Close settings modal": "Tancar el modal de configuració",
"Code execution": "Execució de codi", "Code execution": "Execució de codi",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Aquesta acció no es pot desfer. Vols continuar?", "This action cannot be undone. Do you wish to continue?": "Aquesta acció no es pot desfer. Vols continuar?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Aquest canal es va crear el dia {{createdAt}}. Aquest és el començament del canal {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Aquest canal es va crear el dia {{createdAt}}. Aquest és el començament del canal {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Aquest xat no apareixerà a l'historial i els teus missatges no es desaran.", "This chat won't appear in history and your messages will not be saved.": "Aquest xat no apareixerà a l'historial i els teus missatges no es desaran.",
"This chat won't appear in history and your messages will not be saved.": "Aquest xat no apareixerà a l'historial i els teus missatges no es desaran.",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Això assegura que les teves converses valuoses queden desades de manera segura a la teva base de dades. Gràcies!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Això assegura que les teves converses valuoses queden desades de manera segura a la teva base de dades. Gràcies!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Aquesta és una funció experimental, és possible que no funcioni com s'espera i està subjecta a canvis en qualsevol moment.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Aquesta és una funció experimental, és possible que no funcioni com s'espera i està subjecta a canvis en qualsevol moment.",
"This model is not publicly available. Please select another model.": "Aquest model no està disponible públicament. Seleccioneu-ne un altre.", "This model is not publicly available. Please select another model.": "Aquest model no està disponible públicament. Seleccioneu-ne un altre.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Suod nga", "Close": "Suod nga",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Kini nagsiguro nga ang imong bililhon nga mga panag-istoryahanay luwas nga natipig sa imong backend database. ", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Kini nagsiguro nga ang imong bililhon nga mga panag-istoryahanay luwas nga natipig sa imong backend database. ",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Zavřít", "Close": "Zavřít",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Provádění kódu", "Code execution": "Provádění kódu",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Tuto akci nelze vrátit zpět. Přejete si pokračovat?", "This action cannot be undone. Do you wish to continue?": "Tuto akci nelze vrátit zpět. Přejete si pokračovat?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "To zajišťuje, že vaše cenné konverzace jsou bezpečně uloženy ve vaší backendové databázi. Děkujeme!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "To zajišťuje, že vaše cenné konverzace jsou bezpečně uloženy ve vaší backendové databázi. Děkujeme!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Jedná se o experimentální funkci, nemusí fungovat podle očekávání a může být kdykoliv změněna.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Jedná se o experimentální funkci, nemusí fungovat podle očekávání a může být kdykoliv změněna.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Klon chat", "Clone Chat": "Klon chat",
"Clone of {{TITLE}}": "Klon af {{TITLE}}", "Clone of {{TITLE}}": "Klon af {{TITLE}}",
"Close": "Luk", "Close": "Luk",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "Luk dialogboks med indstillinger", "Close settings modal": "Luk dialogboks med indstillinger",
"Code execution": "Kode kørsel", "Code execution": "Kode kørsel",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Denne handling kan ikke fortrydes. Vil du fortsætte?", "This action cannot be undone. Do you wish to continue?": "Denne handling kan ikke fortrydes. Vil du fortsætte?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Denne kanal blev oprettet den {{createdAt}}. Dette er det helt første i kanalen {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Denne kanal blev oprettet den {{createdAt}}. Dette er det helt første i kanalen {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Denne chat vil ikke vises i historikken, og dine beskeder vil ikke blive gemt.", "This chat won't appear in history and your messages will not be saved.": "Denne chat vil ikke vises i historikken, og dine beskeder vil ikke blive gemt.",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dette sikrer, at dine værdifulde samtaler gemmes sikkert i din backend-database. Tak!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dette sikrer, at dine værdifulde samtaler gemmes sikkert i din backend-database. Tak!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dette er en eksperimentel funktion, den fungerer muligvis ikke som forventet og kan ændres når som helst.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dette er en eksperimentel funktion, den fungerer muligvis ikke som forventet og kan ændres når som helst.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Konversation klonen", "Clone Chat": "Konversation klonen",
"Clone of {{TITLE}}": "Klon von {{TITLE}}", "Clone of {{TITLE}}": "Klon von {{TITLE}}",
"Close": "Schließen", "Close": "Schließen",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Codeausführung", "Code execution": "Codeausführung",
@ -387,7 +388,7 @@
"e.g. \"json\" or a JSON schema": "z. B. \"json\" oder ein JSON-Schema", "e.g. \"json\" or a JSON schema": "z. B. \"json\" oder ein JSON-Schema",
"e.g. 60": "z. B. 60", "e.g. 60": "z. B. 60",
"e.g. A filter to remove profanity from text": "z. B. Ein Filter, um Schimpfwörter aus Text zu entfernen", "e.g. A filter to remove profanity from text": "z. B. Ein Filter, um Schimpfwörter aus Text zu entfernen",
"e.g. en": "", "e.g. en": "z. B. en",
"e.g. My Filter": "z. B. Mein Filter", "e.g. My Filter": "z. B. Mein Filter",
"e.g. My Tools": "z. B. Meine Werkzeuge", "e.g. My Tools": "z. B. Meine Werkzeuge",
"e.g. my_filter": "z. B. mein_filter", "e.g. my_filter": "z. B. mein_filter",
@ -395,10 +396,10 @@
"e.g. pdf, docx, txt": "z. B. pdf, docx, txt", "e.g. pdf, docx, txt": "z. B. pdf, docx, txt",
"e.g. Tools for performing various operations": "z. B. Werkzeuge für verschiedene Operationen", "e.g. Tools for performing various operations": "z. B. Werkzeuge für verschiedene Operationen",
"e.g., 3, 4, 5 (leave blank for default)": "z. B. 3, 4, 5 (leer lassen für Standard)", "e.g., 3, 4, 5 (leave blank for default)": "z. B. 3, 4, 5 (leer lassen für Standard)",
"e.g., audio/wav,audio/mpeg (leave blank for defaults)": "", "e.g., audio/wav,audio/mpeg (leave blank for defaults)": "z. B. audio/wav,audio/mpeg (leer lassen für Standard)",
"e.g., en-US,ja-JP (leave blank for auto-detect)": "z. B. en-US,de-DE (freilassen für automatische Erkennung)", "e.g., en-US,ja-JP (leave blank for auto-detect)": "z. B. en-US,de-DE (freilassen für automatische Erkennung)",
"e.g., westus (leave blank for eastus)": "z. B. westus (leer lassen für eastus)", "e.g., westus (leave blank for eastus)": "z. B. westus (leer lassen für eastus)",
"e.g.) en,fr,de": "", "e.g.) en,fr,de": "z. B. en,fr,de",
"Edit": "Bearbeiten", "Edit": "Bearbeiten",
"Edit Arena Model": "Arena-Modell bearbeiten", "Edit Arena Model": "Arena-Modell bearbeiten",
"Edit Channel": "Kanal bearbeiten", "Edit Channel": "Kanal bearbeiten",
@ -482,7 +483,7 @@
"Enter Model ID": "Geben Sie die Modell-ID ein", "Enter Model ID": "Geben Sie die Modell-ID ein",
"Enter model tag (e.g. {{modelTag}})": "Geben Sie den Model-Tag ein", "Enter model tag (e.g. {{modelTag}})": "Geben Sie den Model-Tag ein",
"Enter Mojeek Search API Key": "Geben Sie den Mojeek Search API-Schlüssel ein", "Enter Mojeek Search API Key": "Geben Sie den Mojeek Search API-Schlüssel ein",
"Enter name": "", "Enter name": "Name eingeben",
"Enter New Password": "Neues Passwort eingeben", "Enter New Password": "Neues Passwort eingeben",
"Enter Number of Steps (e.g. 50)": "Geben Sie die Anzahl an Schritten ein (z. B. 50)", "Enter Number of Steps (e.g. 50)": "Geben Sie die Anzahl an Schritten ein (z. B. 50)",
"Enter Perplexity API Key": "Geben Sie den Perplexity API-Schlüssel ein", "Enter Perplexity API Key": "Geben Sie den Perplexity API-Schlüssel ein",
@ -513,8 +514,8 @@
"Enter Tavily API Key": "Geben Sie den Tavily-API-Schlüssel ein", "Enter Tavily API Key": "Geben Sie den Tavily-API-Schlüssel ein",
"Enter Tavily Extract Depth": "Tavily Extract Depth eingeben", "Enter Tavily Extract Depth": "Tavily Extract Depth eingeben",
"Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Geben sie die öffentliche URL Ihrer WebUI ein. Diese URL wird verwendet, um Links in den Benachrichtigungen zu generieren.", "Enter the public URL of your WebUI. This URL will be used to generate links in the notifications.": "Geben sie die öffentliche URL Ihrer WebUI ein. Diese URL wird verwendet, um Links in den Benachrichtigungen zu generieren.",
"Enter the URL of the function to import": "", "Enter the URL of the function to import": "Geben Sie die URL der Funktion ein, die importiert werden soll",
"Enter the URL to import": "", "Enter the URL to import": "URL für den Import eingeben",
"Enter Tika Server URL": "Geben Sie die Tika-Server-URL ein", "Enter Tika Server URL": "Geben Sie die Tika-Server-URL ein",
"Enter timeout in seconds": "Geben Sie den Timeout in Sekunden ein", "Enter timeout in seconds": "Geben Sie den Timeout in Sekunden ein",
"Enter to Send": "'Enter' zum Senden", "Enter to Send": "'Enter' zum Senden",
@ -618,10 +619,10 @@
"Folder deleted successfully": "Ordner erfolgreich gelöscht", "Folder deleted successfully": "Ordner erfolgreich gelöscht",
"Folder name cannot be empty.": "Ordnername darf nicht leer sein.", "Folder name cannot be empty.": "Ordnername darf nicht leer sein.",
"Folder name updated successfully": "Ordnername erfolgreich aktualisiert", "Folder name updated successfully": "Ordnername erfolgreich aktualisiert",
"Follow up": "", "Follow up": "Folgefragen",
"Follow Up Generation": "", "Follow Up Generation": "Folgefragen Generierung",
"Follow Up Generation Prompt": "", "Follow Up Generation Prompt": "Prompt für Folgefragen Generierung",
"Follow-Up Auto-Generation": "", "Follow-Up Auto-Generation": "Auto-Generierung für Folgefragen",
"Followed instructions perfectly": "Anweisungen perfekt befolgt", "Followed instructions perfectly": "Anweisungen perfekt befolgt",
"Force OCR": "OCR erzwingen", "Force OCR": "OCR erzwingen",
"Force OCR on all pages of the PDF. This can lead to worse results if you have good text in your PDFs. Defaults to False.": "", "Force OCR on all pages of the PDF. This can lead to worse results if you have good text in your PDFs. Defaults to False.": "",
@ -681,7 +682,7 @@
"Host": "Host", "Host": "Host",
"How can I help you today?": "Wie kann ich Ihnen heute helfen?", "How can I help you today?": "Wie kann ich Ihnen heute helfen?",
"How would you rate this response?": "Wie würden Sie diese Antwort bewerten?", "How would you rate this response?": "Wie würden Sie diese Antwort bewerten?",
"HTML": "", "HTML": "HTML",
"Hybrid Search": "Hybride Suche", "Hybrid Search": "Hybride Suche",
"I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "Ich bestätige, dass ich gelesen habe und die Auswirkungen meiner Aktion verstehe. Mir sind die Risiken bewusst, die mit der Ausführung beliebigen Codes verbunden sind, und ich habe die Vertrauenswürdigkeit der Quelle überprüft.", "I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "Ich bestätige, dass ich gelesen habe und die Auswirkungen meiner Aktion verstehe. Mir sind die Risiken bewusst, die mit der Ausführung beliebigen Codes verbunden sind, und ich habe die Vertrauenswürdigkeit der Quelle überprüft.",
"ID": "ID", "ID": "ID",
@ -690,14 +691,14 @@
"Ignite curiosity": "Neugier entfachen", "Ignite curiosity": "Neugier entfachen",
"Image": "Bild", "Image": "Bild",
"Image Compression": "Bildkomprimierung", "Image Compression": "Bildkomprimierung",
"Image Compression Height": "", "Image Compression Height": "Bildkompression Länge",
"Image Compression Width": "", "Image Compression Width": "Bildkompression Breite",
"Image Generation": "Bildgenerierung", "Image Generation": "Bildgenerierung",
"Image Generation (Experimental)": "Bildgenerierung (experimentell)", "Image Generation (Experimental)": "Bildgenerierung (experimentell)",
"Image Generation Engine": "Bildgenerierungs-Engine", "Image Generation Engine": "Bildgenerierungs-Engine",
"Image Max Compression Size": "Maximale Bildkomprimierungsgröße", "Image Max Compression Size": "Maximale Bildkomprimierungsgröße",
"Image Max Compression Size height": "", "Image Max Compression Size height": "Bildkompression maximale Länge",
"Image Max Compression Size width": "", "Image Max Compression Size width": "Bildkompression maximale Breite",
"Image Prompt Generation": "Bild-Prompt-Generierung", "Image Prompt Generation": "Bild-Prompt-Generierung",
"Image Prompt Generation Prompt": "Prompt für die Bild-Prompt-Generierung", "Image Prompt Generation Prompt": "Prompt für die Bild-Prompt-Generierung",
"Image Settings": "Bildeinstellungen", "Image Settings": "Bildeinstellungen",
@ -765,7 +766,7 @@
"LDAP server updated": "LDAP-Server aktualisiert", "LDAP server updated": "LDAP-Server aktualisiert",
"Leaderboard": "Bestenliste", "Leaderboard": "Bestenliste",
"Learn more about OpenAPI tool servers.": "Erfahren Sie mehr über OpenAPI-Toolserver.", "Learn more about OpenAPI tool servers.": "Erfahren Sie mehr über OpenAPI-Toolserver.",
"Leave empty for no compression": "", "Leave empty for no compression": "Leer lassen für keine Kompression",
"Leave empty for unlimited": "Leer lassen für unbegrenzt", "Leave empty for unlimited": "Leer lassen für unbegrenzt",
"Leave empty to include all models from \"{{url}}\" endpoint": "Leer lassen, um alle Modelle vom Endpunkt \"{{url}}\" einzuschließen", "Leave empty to include all models from \"{{url}}\" endpoint": "Leer lassen, um alle Modelle vom Endpunkt \"{{url}}\" einzuschließen",
"Leave empty to include all models from \"{{url}}/api/tags\" endpoint": "Leer lassen, um alle Modelle vom Endpunkt \"{{url}}/api/tags\" einzuschließen", "Leave empty to include all models from \"{{url}}/api/tags\" endpoint": "Leer lassen, um alle Modelle vom Endpunkt \"{{url}}/api/tags\" einzuschließen",
@ -786,7 +787,7 @@
"Lost": "Verloren", "Lost": "Verloren",
"LTR": "LTR", "LTR": "LTR",
"Made by Open WebUI Community": "Von der OpenWebUI-Community", "Made by Open WebUI Community": "Von der OpenWebUI-Community",
"Make password visible in the user interface": "", "Make password visible in the user interface": "Passwort im Benutzerinterface sichtbar machen",
"Make sure to enclose them with": "Umschließen Sie Variablen mit", "Make sure to enclose them with": "Umschließen Sie Variablen mit",
"Make sure to export a workflow.json file as API format from ComfyUI.": "Stellen Sie sicher, dass sie eine workflow.json-Datei im API-Format von ComfyUI exportieren.", "Make sure to export a workflow.json file as API format from ComfyUI.": "Stellen Sie sicher, dass sie eine workflow.json-Datei im API-Format von ComfyUI exportieren.",
"Manage": "Verwalten", "Manage": "Verwalten",
@ -798,7 +799,7 @@
"Manage Pipelines": "Pipelines verwalten", "Manage Pipelines": "Pipelines verwalten",
"Manage Tool Servers": "Tool Server verwalten", "Manage Tool Servers": "Tool Server verwalten",
"March": "März", "March": "März",
"Markdown": "", "Markdown": "Markdown",
"Max Speakers": "", "Max Speakers": "",
"Max Upload Count": "Maximale Anzahl der Uploads", "Max Upload Count": "Maximale Anzahl der Uploads",
"Max Upload Size": "Maximale Uploadgröße", "Max Upload Size": "Maximale Uploadgröße",
@ -908,8 +909,8 @@
"Ollama Version": "Ollama-Version", "Ollama Version": "Ollama-Version",
"On": "Ein", "On": "Ein",
"OneDrive": "", "OneDrive": "",
"Only active when \"Paste Large Text as File\" setting is toggled on.": "", "Only active when \"Paste Large Text as File\" setting is toggled on.": "Nur aktiv, wenn die \"Großen Text als Datei einfügen\" Option aktiviert ist.",
"Only active when the chat input is in focus and an LLM is generating a response.": "", "Only active when the chat input is in focus and an LLM is generating a response.": "Nur aktiv, wenn die Eingabe im Chat ausgewählt ist und ein LLM gerade eine Antwort generiert.",
"Only alphanumeric characters and hyphens are allowed": "Nur alphanumerische Zeichen und Bindestriche sind erlaubt", "Only alphanumeric characters and hyphens are allowed": "Nur alphanumerische Zeichen und Bindestriche sind erlaubt",
"Only alphanumeric characters and hyphens are allowed in the command string.": "In der Befehlszeichenfolge sind nur alphanumerische Zeichen und Bindestriche erlaubt.", "Only alphanumeric characters and hyphens are allowed in the command string.": "In der Befehlszeichenfolge sind nur alphanumerische Zeichen und Bindestriche erlaubt.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Nur Sammlungen können bearbeitet werden. Erstellen Sie eine neue Wissensbasis, um Dokumente zu bearbeiten/hinzuzufügen.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Nur Sammlungen können bearbeitet werden. Erstellen Sie eine neue Wissensbasis, um Dokumente zu bearbeiten/hinzuzufügen.",
@ -940,17 +941,17 @@
"Other": "Andere", "Other": "Andere",
"OUTPUT": "AUSGABE", "OUTPUT": "AUSGABE",
"Output format": "Ausgabeformat", "Output format": "Ausgabeformat",
"Output Format": "", "Output Format": "Ausgabe Format",
"Overview": "Übersicht", "Overview": "Übersicht",
"page": "Seite", "page": "Seite",
"Paginate": "", "Paginate": "",
"Parameters": "", "Parameters": "Parameter",
"Password": "Passwort", "Password": "Passwort",
"Paste Large Text as File": "Großen Text als Datei einfügen", "Paste Large Text as File": "Großen Text als Datei einfügen",
"PDF document (.pdf)": "PDF-Dokument (.pdf)", "PDF document (.pdf)": "PDF-Dokument (.pdf)",
"PDF Extract Images (OCR)": "Text von Bildern aus PDFs extrahieren (OCR)", "PDF Extract Images (OCR)": "Text von Bildern aus PDFs extrahieren (OCR)",
"pending": "ausstehend", "pending": "ausstehend",
"Pending": "", "Pending": "Ausstehend",
"Pending User Overlay Content": "Inhalt des Overlays 'Ausstehende Kontoaktivierung'", "Pending User Overlay Content": "Inhalt des Overlays 'Ausstehende Kontoaktivierung'",
"Pending User Overlay Title": "Titel des Overlays 'Ausstehende Kontoaktivierung'", "Pending User Overlay Title": "Titel des Overlays 'Ausstehende Kontoaktivierung'",
"Permission denied when accessing media devices": "Zugriff auf Mediengeräte verweigert", "Permission denied when accessing media devices": "Zugriff auf Mediengeräte verweigert",
@ -958,7 +959,7 @@
"Permission denied when accessing microphone: {{error}}": "Zugriff auf das Mikrofon verweigert: {{error}}", "Permission denied when accessing microphone: {{error}}": "Zugriff auf das Mikrofon verweigert: {{error}}",
"Permissions": "Berechtigungen", "Permissions": "Berechtigungen",
"Perplexity API Key": "Perplexity API-Schlüssel", "Perplexity API Key": "Perplexity API-Schlüssel",
"Perplexity Model": "", "Perplexity Model": "Perplexity Modell",
"Perplexity Search Context Usage": "", "Perplexity Search Context Usage": "",
"Personalization": "Personalisierung", "Personalization": "Personalisierung",
"Picture Description API Config": "", "Picture Description API Config": "",
@ -990,11 +991,11 @@
"Positive attitude": "Positive Einstellung", "Positive attitude": "Positive Einstellung",
"Prefix ID": "Präfix-ID", "Prefix ID": "Präfix-ID",
"Prefix ID is used to avoid conflicts with other connections by adding a prefix to the model IDs - leave empty to disable": "Prefix-ID wird verwendet, um Konflikte mit anderen Verbindungen zu vermeiden, indem ein Präfix zu den Modell-IDs hinzugefügt wird - leer lassen, um zu deaktivieren", "Prefix ID is used to avoid conflicts with other connections by adding a prefix to the model IDs - leave empty to disable": "Prefix-ID wird verwendet, um Konflikte mit anderen Verbindungen zu vermeiden, indem ein Präfix zu den Modell-IDs hinzugefügt wird - leer lassen, um zu deaktivieren",
"Prevent file creation": "", "Prevent file creation": "Dateierstellung verhindern",
"Preview": "Vorschau", "Preview": "Vorschau",
"Previous 30 days": "Vorherige 30 Tage", "Previous 30 days": "Vorherige 30 Tage",
"Previous 7 days": "Vorherige 7 Tage", "Previous 7 days": "Vorherige 7 Tage",
"Previous message": "", "Previous message": "Vorherige Nachricht",
"Private": "Privat", "Private": "Privat",
"Profile Image": "Profilbild", "Profile Image": "Profilbild",
"Prompt": "Prompt", "Prompt": "Prompt",
@ -1033,9 +1034,9 @@
"Relevance": "Relevanz", "Relevance": "Relevanz",
"Relevance Threshold": "Relevanzschwelle", "Relevance Threshold": "Relevanzschwelle",
"Remove": "Entfernen", "Remove": "Entfernen",
"Remove {{MODELID}} from list.": "", "Remove {{MODELID}} from list.": "{{MODELID}} von der Liste entfernen.",
"Remove Model": "Modell entfernen", "Remove Model": "Modell entfernen",
"Remove this tag from list": "", "Remove this tag from list": "Diesen Tag von der Liste entfernen",
"Rename": "Umbenennen", "Rename": "Umbenennen",
"Reorder Models": "Modelle neu anordnen", "Reorder Models": "Modelle neu anordnen",
"Reply in Thread": "Im Thread antworten", "Reply in Thread": "Im Thread antworten",
@ -1174,7 +1175,7 @@
"Speech-to-Text": "", "Speech-to-Text": "",
"Speech-to-Text Engine": "Sprache-zu-Text-Engine", "Speech-to-Text Engine": "Sprache-zu-Text-Engine",
"Stop": "Stop", "Stop": "Stop",
"Stop Generating": "", "Stop Generating": "Generierung stoppen",
"Stop Sequence": "Stop-Sequenz", "Stop Sequence": "Stop-Sequenz",
"Stream Chat Response": "Chat-Antwort streamen", "Stream Chat Response": "Chat-Antwort streamen",
"Strip Existing OCR": "", "Strip Existing OCR": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Diese Aktion kann nicht rückgängig gemacht werden. Möchten Sie fortfahren?", "This action cannot be undone. Do you wish to continue?": "Diese Aktion kann nicht rückgängig gemacht werden. Möchten Sie fortfahren?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Dieser Kanal wurde am {{createdAt}} erstellt. Dies ist der Beginn des {{channelName}} Kanals.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Dieser Kanal wurde am {{createdAt}} erstellt. Dies ist der Beginn des {{channelName}} Kanals.",
"This chat won't appear in history and your messages will not be saved.": "Diese Unterhaltung erscheint nicht in Ihrem Chat-Verlauf. Alle Nachrichten sind privat und werden nicht gespeichert.", "This chat won't appear in history and your messages will not be saved.": "Diese Unterhaltung erscheint nicht in Ihrem Chat-Verlauf. Alle Nachrichten sind privat und werden nicht gespeichert.",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dies stellt sicher, dass Ihre wertvollen Chats sicher in Ihrer Backend-Datenbank gespeichert werden. Vielen Dank!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dies stellt sicher, dass Ihre wertvollen Chats sicher in Ihrer Backend-Datenbank gespeichert werden. Vielen Dank!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dies ist eine experimentelle Funktion, sie funktioniert möglicherweise nicht wie erwartet und kann jederzeit geändert werden.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dies ist eine experimentelle Funktion, sie funktioniert möglicherweise nicht wie erwartet und kann jederzeit geändert werden.",
"This model is not publicly available. Please select another model.": "Dieses Modell ist nicht öffentlich verfügbar. Bitte wählen Sie ein anderes Modell aus.", "This model is not publicly available. Please select another model.": "Dieses Modell ist nicht öffentlich verfügbar. Bitte wählen Sie ein anderes Modell aus.",
@ -1331,7 +1331,7 @@
"Upload Progress": "Hochladefortschritt", "Upload Progress": "Hochladefortschritt",
"URL": "URL", "URL": "URL",
"URL Mode": "URL-Modus", "URL Mode": "URL-Modus",
"Usage": "Nutzung", "Usage": "Nutzungsinfos",
"Use '#' in the prompt input to load and include your knowledge.": "Nutzen Sie '#' in der Prompt-Eingabe, um Ihr Wissen zu laden und einzuschließen.", "Use '#' in the prompt input to load and include your knowledge.": "Nutzen Sie '#' in der Prompt-Eingabe, um Ihr Wissen zu laden und einzuschließen.",
"Use Gravatar": "Gravatar verwenden", "Use Gravatar": "Gravatar verwenden",
"Use groups to group your users and assign permissions.": "Nutzen Sie Gruppen, um Ihre Benutzer zu gruppieren und Berechtigungen zuzuweisen.", "Use groups to group your users and assign permissions.": "Nutzen Sie Gruppen, um Ihre Benutzer zu gruppieren und Berechtigungen zuzuweisen.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Close", "Close": "Close",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "This ensures that your valuable conversations are securely saved to your backend database. Thank you! Much secure!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "This ensures that your valuable conversations are securely saved to your backend database. Thank you! Much secure!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Κλείσιμο", "Close": "Κλείσιμο",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Εκτέλεση κώδικα", "Code execution": "Εκτέλεση κώδικα",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Αυτή η ενέργεια δεν μπορεί να αναιρεθεί. Θέλετε να συνεχίσετε;", "This action cannot be undone. Do you wish to continue?": "Αυτή η ενέργεια δεν μπορεί να αναιρεθεί. Θέλετε να συνεχίσετε;",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Αυτό διασφαλίζει ότι οι πολύτιμες συνομιλίες σας αποθηκεύονται με ασφάλεια στη βάση δεδομένων backend σας. Ευχαριστούμε!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Αυτό διασφαλίζει ότι οι πολύτιμες συνομιλίες σας αποθηκεύονται με ασφάλεια στη βάση δεδομένων backend σας. Ευχαριστούμε!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Αυτή είναι μια πειραματική λειτουργία, μπορεί να μην λειτουργεί όπως αναμένεται και υπόκειται σε αλλαγές οποιαδήποτε στιγμή.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Αυτή είναι μια πειραματική λειτουργία, μπορεί να μην λειτουργεί όπως αναμένεται και υπόκειται σε αλλαγές οποιαδήποτε στιγμή.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -85,8 +85,8 @@
"Always Play Notification Sound": "", "Always Play Notification Sound": "",
"Amazing": "", "Amazing": "",
"an assistant": "", "an assistant": "",
"Analyzed": "", "Analyzed": "Analysed",
"Analyzing...": "", "Analyzing...": "Analysing",
"and": "", "and": "",
"and {{COUNT}} more": "", "and {{COUNT}} more": "",
"and create a new shared link.": "", "and create a new shared link.": "",
@ -151,7 +151,7 @@
"Bing Search V7 Endpoint": "", "Bing Search V7 Endpoint": "",
"Bing Search V7 Subscription Key": "", "Bing Search V7 Subscription Key": "",
"Bocha Search API Key": "", "Bocha Search API Key": "",
"Boosting or penalizing specific tokens for constrained responses. Bias values will be clamped between -100 and 100 (inclusive). (Default: none)": "", "Boosting or penalizing specific tokens for constrained responses. Bias values will be clamped between -100 and 100 (inclusive). (Default: none)": "Boosting or penalising specific tokens for constrained responses. Bias values will be clamped between -100 and 100 (inclusive). (Default: none)",
"Both Docling OCR Engine and Language(s) must be provided or both left empty.": "", "Both Docling OCR Engine and Language(s) must be provided or both left empty.": "",
"Brave Search API Key": "", "Brave Search API Key": "",
"By {{name}}": "", "By {{name}}": "",
@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "", "Close": "",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -222,7 +223,7 @@
"Code Interpreter Prompt Template": "", "Code Interpreter Prompt Template": "",
"Collapse": "", "Collapse": "",
"Collection": "", "Collection": "",
"Color": "", "Color": "Colour",
"ComfyUI": "", "ComfyUI": "",
"ComfyUI API Key": "", "ComfyUI API Key": "",
"ComfyUI Base URL": "", "ComfyUI Base URL": "",
@ -253,7 +254,7 @@
"Continue with Email": "", "Continue with Email": "",
"Continue with LDAP": "", "Continue with LDAP": "",
"Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "", "Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "",
"Control the repetition of token sequences in the generated text. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 1.1) will be more lenient. At 1, it is disabled.": "", "Control the repetition of token sequences in the generated text. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 1.1) will be more lenient. At 1, it is disabled.": "Control the repetition of token sequences in the generated text. A higher value (e.g., 1.5) will penalise repetitions more strongly, while a lower value (e.g., 1.1) will be more lenient. At 1, it is disabled.",
"Controls": "", "Controls": "",
"Controls the balance between coherence and diversity of the output. A lower value will result in more focused and coherent text.": "", "Controls the balance between coherence and diversity of the output. A lower value will result in more focused and coherent text.": "",
"Copied": "", "Copied": "",
@ -476,7 +477,7 @@
"Enter Jupyter Token": "", "Enter Jupyter Token": "",
"Enter Jupyter URL": "", "Enter Jupyter URL": "",
"Enter Kagi Search API Key": "", "Enter Kagi Search API Key": "",
"Enter Key Behavior": "", "Enter Key Behavior": "Enter Key Behaviour",
"Enter language codes": "", "Enter language codes": "",
"Enter Mistral API Key": "", "Enter Mistral API Key": "",
"Enter Model ID": "", "Enter Model ID": "",
@ -671,8 +672,8 @@
"Hello, {{name}}": "", "Hello, {{name}}": "",
"Help": "", "Help": "",
"Help us create the best community leaderboard by sharing your feedback history!": "", "Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "", "Hex Color": "Hex Colour",
"Hex Color - Leave empty for default color": "", "Hex Color - Leave empty for default color": "Hex Colour - Leave empty for default colour",
"Hide": "", "Hide": "",
"Hide from Sidebar": "", "Hide from Sidebar": "",
"Hide Model": "", "Hide Model": "",
@ -936,7 +937,7 @@
"openapi.json URL or Path": "", "openapi.json URL or Path": "",
"Options for running a local vision-language model in the picture description. The parameters refer to a model hosted on Hugging Face. This parameter is mutually exclusive with picture_description_api.": "", "Options for running a local vision-language model in the picture description. The parameters refer to a model hosted on Hugging Face. This parameter is mutually exclusive with picture_description_api.": "",
"or": "", "or": "",
"Organize your users": "", "Organize your users": "Organise your users",
"Other": "", "Other": "",
"OUTPUT": "", "OUTPUT": "",
"Output format": "", "Output format": "",
@ -960,7 +961,7 @@
"Perplexity API Key": "", "Perplexity API Key": "",
"Perplexity Model": "", "Perplexity Model": "",
"Perplexity Search Context Usage": "", "Perplexity Search Context Usage": "",
"Personalization": "", "Personalization": "Personalisation",
"Picture Description API Config": "", "Picture Description API Config": "",
"Picture Description Local Config": "", "Picture Description Local Config": "",
"Picture Description Mode": "", "Picture Description Mode": "",
@ -1129,12 +1130,12 @@
"Set Sampler": "", "Set Sampler": "",
"Set Scheduler": "", "Set Scheduler": "",
"Set Steps": "", "Set Steps": "",
"Set the number of layers, which will be off-loaded to GPU. Increasing this value can significantly improve performance for models that are optimized for GPU acceleration but may also consume more power and GPU resources.": "", "Set the number of layers, which will be off-loaded to GPU. Increasing this value can significantly improve performance for models that are optimized for GPU acceleration but may also consume more power and GPU resources.": "Set the number of layers, which will be off-loaded to GPU. Increasing this value can significantly improve performance for models that are optimised for GPU acceleration but may also consume more power and GPU resources.",
"Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "",
"Set Voice": "", "Set Voice": "",
"Set whisper model": "", "Set whisper model": "",
"Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalise repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.",
"Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Sets a scaling bias against tokens to penalise repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalise repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.",
"Sets how far back for the model to look back to prevent repetition.": "", "Sets how far back for the model to look back to prevent repetition.": "",
"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.": "",
@ -1181,7 +1182,7 @@
"Strip existing OCR text from the PDF and re-run OCR. Ignored if Force OCR is enabled. Defaults to False.": "", "Strip existing OCR text from the PDF and re-run OCR. Ignored if Force OCR is enabled. Defaults to False.": "",
"STT Model": "", "STT Model": "",
"STT Settings": "", "STT Settings": "",
"Stylized PDF Export": "", "Stylized PDF Export": "Stylised PDF Export",
"Subtitle (e.g. about the Roman Empire)": "", "Subtitle (e.g. about the Roman Empire)": "",
"Success": "", "Success": "",
"Successfully updated.": "", "Successfully updated.": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",
@ -1346,7 +1346,7 @@
"Username": "", "Username": "",
"Users": "", "Users": "",
"Using the default arena model with all models. Click the plus button to add custom models.": "", "Using the default arena model with all models. Click the plus button to add custom models.": "",
"Utilize": "", "Utilize": "Utilise",
"Valid time units:": "", "Valid time units:": "",
"Valves": "", "Valves": "",
"Valves updated": "", "Valves updated": "",
@ -1398,7 +1398,7 @@
"Workspace Permissions": "", "Workspace Permissions": "",
"Write": "", "Write": "",
"Write a prompt suggestion (e.g. Who are you?)": "", "Write a prompt suggestion (e.g. Who are you?)": "",
"Write a summary in 50 words that summarizes [topic or keyword].": "", "Write a summary in 50 words that summarizes [topic or keyword].": "Write a summary in 50 words that summarises [topic or keyword].",
"Write something...": "", "Write something...": "",
"Yacy Instance URL": "", "Yacy Instance URL": "",
"Yacy Password": "", "Yacy Password": "",
@ -1407,7 +1407,7 @@
"You": "", "You": "",
"You are currently using a trial license. Please contact support to upgrade your license.": "", "You are currently using a trial license. Please contact support to upgrade your license.": "",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "", "You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "", "You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "You can personalise your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.",
"You cannot upload an empty file.": "", "You cannot upload an empty file.": "",
"You do not have permission to upload files.": "", "You do not have permission to upload files.": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "", "Close": "",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,12 +1233,11 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",
"This option controls how long the model will stay loaded into memory following the request (default: 5m)": "", "This option controls how long the model will stay loaded into memory following the request (default: 5m)": "",
"This option controls how many tokens are preserved when refreshing the context. For example, if set to 2, the last 2 tokens of the conversation context will be retained. Preserving context can help maintain the continuity of a conversation, but it may reduce the ability to respond to new topics.": "", "This option controls how many first tokens are preserved when refreshing the context. For example, if set to 2, the first 2 tokens of the conversation context will be retained. Preserving context can help maintain the continuity of a conversation, but it may reduce the ability to respond to new topics.": "",
"This option enables or disables the use of the reasoning feature in Ollama, which allows the model to think before generating a response. When enabled, the model can take a moment to process the conversation context and generate a more thoughtful response.": "", "This option enables or disables the use of the reasoning feature in Ollama, which allows the model to think before generating a response. When enabled, the model can take a moment to process the conversation context and generate a more thoughtful response.": "",
"This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated.": "", "This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated.": "",
"This option will delete all existing files in the collection and replace them with newly uploaded files.": "", "This option will delete all existing files in the collection and replace them with newly uploaded files.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Clonar Chat", "Clone Chat": "Clonar Chat",
"Clone of {{TITLE}}": "Clon de {{TITLE}}", "Clone of {{TITLE}}": "Clon de {{TITLE}}",
"Close": "Cerrar", "Close": "Cerrar",
"Close Configure Connection Modal": "",
"Close modal": "Cerrar modal", "Close modal": "Cerrar modal",
"Close settings modal": "Cerrar modal configuraciones", "Close settings modal": "Cerrar modal configuraciones",
"Code execution": "Ejecución de Código", "Code execution": "Ejecución de Código",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Esta acción no se puede deshacer. ¿Desea continuar?", "This action cannot be undone. Do you wish to continue?": "Esta acción no se puede deshacer. ¿Desea continuar?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Este canal fue creado el {{createdAt}}. Este es el comienzo del canal {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Este canal fue creado el {{createdAt}}. Este es el comienzo del canal {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Este chat no aparecerá en el historial y los mensajes no se guardarán.", "This chat won't appear in history and your messages will not be saved.": "Este chat no aparecerá en el historial y los mensajes no se guardarán.",
"This chat wont appear in history and your messages will not be saved.": "Este chat no aparecerá en el historial y los mensajes no se guardarán.",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Esto garantiza que sus valiosas conversaciones se guardan de forma segura en tu base de datos del servidor trasero (backend). ¡Gracias!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Esto garantiza que sus valiosas conversaciones se guardan de forma segura en tu base de datos del servidor trasero (backend). ¡Gracias!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Esta es una característica experimental, por lo que puede no funcionar como se esperaba y está sujeta a cambios en cualquier momento.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Esta es una característica experimental, por lo que puede no funcionar como se esperaba y está sujeta a cambios en cualquier momento.",
"This model is not publicly available. Please select another model.": "Este modelo no está disponible publicamente. Por favor, selecciona otro modelo.", "This model is not publicly available. Please select another model.": "Este modelo no está disponible publicamente. Por favor, selecciona otro modelo.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Klooni vestlus", "Clone Chat": "Klooni vestlus",
"Clone of {{TITLE}}": "{{TITLE}} koopia", "Clone of {{TITLE}}": "{{TITLE}} koopia",
"Close": "Sulge", "Close": "Sulge",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Koodi täitmine", "Code execution": "Koodi täitmine",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Seda toimingut ei saa tagasi võtta. Kas soovite jätkata?", "This action cannot be undone. Do you wish to continue?": "Seda toimingut ei saa tagasi võtta. Kas soovite jätkata?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "See tagab, et teie väärtuslikud vestlused salvestatakse turvaliselt teie tagarakenduse andmebaasi. Täname!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "See tagab, et teie väärtuslikud vestlused salvestatakse turvaliselt teie tagarakenduse andmebaasi. Täname!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "See on katsetuslik funktsioon, see ei pruugi toimida ootuspäraselt ja võib igal ajal muutuda.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "See on katsetuslik funktsioon, see ei pruugi toimida ootuspäraselt ja võib igal ajal muutuda.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Itxi", "Close": "Itxi",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Kodearen exekuzioa", "Code execution": "Kodearen exekuzioa",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Ekintza hau ezin da desegin. Jarraitu nahi duzu?", "This action cannot be undone. Do you wish to continue?": "Ekintza hau ezin da desegin. Jarraitu nahi duzu?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Honek zure elkarrizketa baliotsuak modu seguruan zure backend datu-basean gordeko direla ziurtatzen du. Eskerrik asko!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Honek zure elkarrizketa baliotsuak modu seguruan zure backend datu-basean gordeko direla ziurtatzen du. Eskerrik asko!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Hau funtzionalitate esperimental bat da, baliteke espero bezala ez funtzionatzea eta edozein unetan aldaketak izatea.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Hau funtzionalitate esperimental bat da, baliteke espero bezala ez funtzionatzea eta edozein unetan aldaketak izatea.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "کلون گفتگو", "Clone Chat": "کلون گفتگو",
"Clone of {{TITLE}}": "کلون {{TITLE}}", "Clone of {{TITLE}}": "کلون {{TITLE}}",
"Close": "بسته", "Close": "بسته",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "اجرای کد", "Code execution": "اجرای کد",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "این عمل قابل بازگشت نیست. آیا می\u200cخواهید ادامه دهید؟", "This action cannot be undone. Do you wish to continue?": "این عمل قابل بازگشت نیست. آیا می\u200cخواهید ادامه دهید؟",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "این کانال در {{createdAt}} ایجاد شد. این آغاز کانال {{channelName}} است.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "این کانال در {{createdAt}} ایجاد شد. این آغاز کانال {{channelName}} است.",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "این اطمینان می\u200cدهد که مکالمات ارزشمند شما به طور امن در پایگاه داده پشتیبان ذخیره می\u200cشوند. متشکریم!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "این اطمینان می\u200cدهد که مکالمات ارزشمند شما به طور امن در پایگاه داده پشتیبان ذخیره می\u200cشوند. متشکریم!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "این یک ویژگی آزمایشی است، ممکن است طبق انتظار کار نکند و در هر زمان ممکن است تغییر کند.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "این یک ویژگی آزمایشی است، ممکن است طبق انتظار کار نکند و در هر زمان ممکن است تغییر کند.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Kloonaa keskustelu", "Clone Chat": "Kloonaa keskustelu",
"Clone of {{TITLE}}": "{{TITLE}} klooni", "Clone of {{TITLE}}": "{{TITLE}} klooni",
"Close": "Sulje", "Close": "Sulje",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "Sulje asetus modaali", "Close settings modal": "Sulje asetus modaali",
"Code execution": "Koodin suoritus", "Code execution": "Koodin suoritus",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Tätä toimintoa ei voi peruuttaa. Haluatko jatkaa?", "This action cannot be undone. Do you wish to continue?": "Tätä toimintoa ei voi peruuttaa. Haluatko jatkaa?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Tämä kanava on luotiin {{createdAt}}. Tämä on {{channelName}} kanavan alku.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Tämä kanava on luotiin {{createdAt}}. Tämä on {{channelName}} kanavan alku.",
"This chat won't appear in history and your messages will not be saved.": "Tämä keskustelu ei näy historiassa, eikä viestejäsi tallenneta.", "This chat won't appear in history and your messages will not be saved.": "Tämä keskustelu ei näy historiassa, eikä viestejäsi tallenneta.",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Tämä varmistaa, että arvokkaat keskustelusi tallennetaan turvallisesti backend-tietokantaasi. Kiitos!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Tämä varmistaa, että arvokkaat keskustelusi tallennetaan turvallisesti backend-tietokantaasi. Kiitos!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Tämä on kokeellinen ominaisuus, se ei välttämättä toimi odotetulla tavalla ja se voi muuttua milloin tahansa.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Tämä on kokeellinen ominaisuus, se ei välttämättä toimi odotetulla tavalla ja se voi muuttua milloin tahansa.",
"This model is not publicly available. Please select another model.": "Tämä malli ei ole julkisesti saatavilla. Valitse toinen malli.", "This model is not publicly available. Please select another model.": "Tämä malli ei ole julkisesti saatavilla. Valitse toinen malli.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Fermer", "Close": "Fermer",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Cette action ne peut pas être annulée. Souhaitez-vous continuer ?", "This action cannot be undone. Do you wish to continue?": "Cette action ne peut pas être annulée. Souhaitez-vous continuer ?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos conversations précieuses soient sauvegardées en toute sécurité dans votre base de données backend. Merci !", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos conversations précieuses soient sauvegardées en toute sécurité dans votre base de données backend. Merci !",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Il s'agit d'une fonctionnalité expérimentale, elle peut ne pas fonctionner comme prévu et est sujette à modification à tout moment.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Il s'agit d'une fonctionnalité expérimentale, elle peut ne pas fonctionner comme prévu et est sujette à modification à tout moment.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Dupliquer le Chat", "Clone Chat": "Dupliquer le Chat",
"Clone of {{TITLE}}": "Dupliquat de {{TITLE}}", "Clone of {{TITLE}}": "Dupliquat de {{TITLE}}",
"Close": "Fermer", "Close": "Fermer",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Exécution de code", "Code execution": "Exécution de code",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Cette action ne peut pas être annulée. Souhaitez-vous continuer ?", "This action cannot be undone. Do you wish to continue?": "Cette action ne peut pas être annulée. Souhaitez-vous continuer ?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Ce canal a été créé le {{createdAt}}. Voici le tout début du canal {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Ce canal a été créé le {{createdAt}}. Voici le tout début du canal {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Cette conversation n'apparaîtra pas dans l'historique et vos messages ne seront pas enregistrés.", "This chat won't appear in history and your messages will not be saved.": "Cette conversation n'apparaîtra pas dans l'historique et vos messages ne seront pas enregistrés.",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos conversations précieuses soient sauvegardées en toute sécurité dans votre base de données backend. Merci !", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos conversations précieuses soient sauvegardées en toute sécurité dans votre base de données backend. Merci !",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Il s'agit d'une fonctionnalité expérimentale, elle peut ne pas fonctionner comme prévu et est sujette à modification à tout moment.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Il s'agit d'une fonctionnalité expérimentale, elle peut ne pas fonctionner comme prévu et est sujette à modification à tout moment.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Clonar chat", "Clone Chat": "Clonar chat",
"Clone of {{TITLE}}": "Clon de {{TITLE}}", "Clone of {{TITLE}}": "Clon de {{TITLE}}",
"Close": "Pechar", "Close": "Pechar",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Execución de código", "Code execution": "Execución de código",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Esta acción no se puede deshacer. ¿Desea continuar?", "This action cannot be undone. Do you wish to continue?": "Esta acción no se puede deshacer. ¿Desea continuar?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Esto garantiza que sus valiosas conversacions se guarden de forma segura en su base de datos no backend. ¡Gracias!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Esto garantiza que sus valiosas conversacions se guarden de forma segura en su base de datos no backend. ¡Gracias!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Esta es unha característica experimental que puede no funcionar como se esperaba y está sujeto a cambios en cualquier momento.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Esta es unha característica experimental que puede no funcionar como se esperaba y está sujeto a cambios en cualquier momento.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "סגור", "Close": "סגור",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "הרצת קוד", "Code execution": "הרצת קוד",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "פעולה זו מבטיחה שהשיחות בעלות הערך שלך יישמרו באופן מאובטח במסד הנתונים העורפי שלך. תודה!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "פעולה זו מבטיחה שהשיחות בעלות הערך שלך יישמרו באופן מאובטח במסד הנתונים העורפי שלך. תודה!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "बंद करना", "Close": "बंद करना",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "यह सुनिश्चित करता है कि आपकी मूल्यवान बातचीत आपके बैकएंड डेटाबेस में सुरक्षित रूप से सहेजी गई है। धन्यवाद!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "यह सुनिश्चित करता है कि आपकी मूल्यवान बातचीत आपके बैकएंड डेटाबेस में सुरक्षित रूप से सहेजी गई है। धन्यवाद!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Zatvori", "Close": "Zatvori",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ovo osigurava da su vaši vrijedni razgovori sigurno spremljeni u bazu podataka. Hvala vam!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ovo osigurava da su vaši vrijedni razgovori sigurno spremljeni u bazu podataka. Hvala vam!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ovo je eksperimentalna značajka, možda neće funkcionirati prema očekivanjima i podložna je promjenama u bilo kojem trenutku.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ovo je eksperimentalna značajka, možda neće funkcionirati prema očekivanjima i podložna je promjenama u bilo kojem trenutku.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Beszélgetés klónozása", "Clone Chat": "Beszélgetés klónozása",
"Clone of {{TITLE}}": "{{TITLE}} klónja", "Clone of {{TITLE}}": "{{TITLE}} klónja",
"Close": "Bezárás", "Close": "Bezárás",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Kód végrehajtás", "Code execution": "Kód végrehajtás",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Ez a művelet nem vonható vissza. Szeretné folytatni?", "This action cannot be undone. Do you wish to continue?": "Ez a művelet nem vonható vissza. Szeretné folytatni?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Ez a csatorna {{createdAt}} időpontban jött létre. Ez a {{channelName}} csatorna legeslegeleje.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Ez a csatorna {{createdAt}} időpontban jött létre. Ez a {{channelName}} csatorna legeslegeleje.",
"This chat won't appear in history and your messages will not be saved.": "Ez a csevegés nem jelenik meg az előzményekben, és az üzeneteid nem kerülnek mentésre.", "This chat won't appear in history and your messages will not be saved.": "Ez a csevegés nem jelenik meg az előzményekben, és az üzeneteid nem kerülnek mentésre.",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ez biztosítja, hogy értékes beszélgetései biztonságosan mentésre kerüljenek a backend adatbázisban. Köszönjük!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ez biztosítja, hogy értékes beszélgetései biztonságosan mentésre kerüljenek a backend adatbázisban. Köszönjük!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ez egy kísérleti funkció, lehet, hogy nem a várt módon működik és bármikor változhat.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ez egy kísérleti funkció, lehet, hogy nem a várt módon működik és bármikor változhat.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Tutup", "Close": "Tutup",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -249,7 +250,7 @@
"Content": "Konten", "Content": "Konten",
"Content Extraction Engine": "", "Content Extraction Engine": "",
"Continue Response": "Lanjutkan Tanggapan", "Continue Response": "Lanjutkan Tanggapan",
"Continue with {{provider}}": "Lanjutkan dengan {{penyedia}}", "Continue with {{provider}}": "Lanjutkan dengan {{provider}}",
"Continue with Email": "", "Continue with Email": "",
"Continue with LDAP": "", "Continue with LDAP": "",
"Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "", "Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Tindakan ini tidak dapat dibatalkan. Apakah Anda ingin melanjutkan?", "This action cannot be undone. Do you wish to continue?": "Tindakan ini tidak dapat dibatalkan. Apakah Anda ingin melanjutkan?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ini akan memastikan bahwa percakapan Anda yang berharga disimpan dengan aman ke basis data backend. Terima kasih!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ini akan memastikan bahwa percakapan Anda yang berharga disimpan dengan aman ke basis data backend. Terima kasih!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ini adalah fitur eksperimental, mungkin tidak berfungsi seperti yang diharapkan dan dapat berubah sewaktu-waktu.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ini adalah fitur eksperimental, mungkin tidak berfungsi seperti yang diharapkan dan dapat berubah sewaktu-waktu.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Comhrá Clón", "Clone Chat": "Comhrá Clón",
"Clone of {{TITLE}}": "Clón de {{TITLE}}", "Clone of {{TITLE}}": "Clón de {{TITLE}}",
"Close": "Dún", "Close": "Dún",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Cód a fhorghníomhú", "Code execution": "Cód a fhorghníomhú",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Ní féidir an gníomh seo a chur ar ais. Ar mhaith leat leanúint ar aghaidh?", "This action cannot be undone. Do you wish to continue?": "Ní féidir an gníomh seo a chur ar ais. Ar mhaith leat leanúint ar aghaidh?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Cruthaíodh an cainéal seo ar {{createdAt}}. Seo tús an chainéil {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Cruthaíodh an cainéal seo ar {{createdAt}}. Seo tús an chainéil {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Ní bheidh an comhrá seo le feiceáil sa stair agus ní shábhálfar do theachtaireachtaí.", "This chat won't appear in history and your messages will not be saved.": "Ní bheidh an comhrá seo le feiceáil sa stair agus ní shábhálfar do theachtaireachtaí.",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cinntíonn sé seo go sábhálfar do chomhráite luachmhara go daingean i do bhunachar sonraí cúltaca Go raibh maith agat!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cinntíonn sé seo go sábhálfar do chomhráite luachmhara go daingean i do bhunachar sonraí cúltaca Go raibh maith agat!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Is gné turgnamhach í seo, b'fhéidir nach bhfeidhmeoidh sé mar a bhíothas ag súil leis agus tá sé faoi réir athraithe ag am ar bith.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Is gné turgnamhach í seo, b'fhéidir nach bhfeidhmeoidh sé mar a bhíothas ag súil leis agus tá sé faoi réir athraithe ag am ar bith.",
"This model is not publicly available. Please select another model.": "Níl an tsamhail seo ar fáil go poiblí. Roghnaigh samhail eile le do thoil.", "This model is not publicly available. Please select another model.": "Níl an tsamhail seo ar fáil go poiblí. Roghnaigh samhail eile le do thoil.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "CLona Chat", "Clone Chat": "CLona Chat",
"Clone of {{TITLE}}": "Clone di {{TITLE}}", "Clone of {{TITLE}}": "Clone di {{TITLE}}",
"Close": "Chiudi", "Close": "Chiudi",
"Close Configure Connection Modal": "",
"Close modal": "Chiudi modale", "Close modal": "Chiudi modale",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Esecuzione codice", "Code execution": "Esecuzione codice",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Questa azione non può essere annullata. Vuoi continuare?", "This action cannot be undone. Do you wish to continue?": "Questa azione non può essere annullata. Vuoi continuare?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Questo canale è stato creato il {{createdAt}}. Questo è l'inizio del canale {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Questo canale è stato creato il {{createdAt}}. Questo è l'inizio del canale {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Questa chat non apparirà nella cronologia e i tuoi messaggi non verranno salvati.", "This chat won't appear in history and your messages will not be saved.": "Questa chat non apparirà nella cronologia e i tuoi messaggi non verranno salvati.",
"This chat wont appear in history and your messages will not be saved.": "Questa chat non appare nello storico dei tuoi messaggi e non sarà salvato.",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ciò garantisce che le tue preziose conversazioni siano salvate in modo sicuro nel tuo database backend. Grazie!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ciò garantisce che le tue preziose conversazioni siano salvate in modo sicuro nel tuo database backend. Grazie!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Questa è una funzionalità sperimentale, potrebbe non funzionare come previsto ed è soggetta a modifiche in qualsiasi momento.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Questa è una funzionalità sperimentale, potrebbe non funzionare come previsto ed è soggetta a modifiche in qualsiasi momento.",
"This model is not publicly available. Please select another model.": "Questo modello non è disponibile pubblicamente. Seleziona un altro modello.", "This model is not publicly available. Please select another model.": "Questo modello non è disponibile pubblicamente. Seleziona un altro modello.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "チャットをクローン", "Clone Chat": "チャットをクローン",
"Clone of {{TITLE}}": "{{TITLE}}のクローン", "Clone of {{TITLE}}": "{{TITLE}}のクローン",
"Close": "閉じる", "Close": "閉じる",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "コードの実行", "Code execution": "コードの実行",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "このアクションは取り消し不可です。続けますか?", "This action cannot be undone. Do you wish to continue?": "このアクションは取り消し不可です。続けますか?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "このチャンネルは{{createdAt}}に作成されました。これは{{channelName}}チャンネルの始まりです。", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "このチャンネルは{{createdAt}}に作成されました。これは{{channelName}}チャンネルの始まりです。",
"This chat won't appear in history and your messages will not be saved.": "このチャットは履歴に表示されず、メッセージは保存されません。", "This chat won't appear in history and your messages will not be saved.": "このチャットは履歴に表示されず、メッセージは保存されません。",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "これは、貴重な会話がバックエンドデータベースに安全に保存されることを保証します。ありがとうございます!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "これは、貴重な会話がバックエンドデータベースに安全に保存されることを保証します。ありがとうございます!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "実験的機能であり正常動作しない場合があります。", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "実験的機能であり正常動作しない場合があります。",
"This model is not publicly available. Please select another model.": "このモデルは公開されていません。別のモデルを選択してください。", "This model is not publicly available. Please select another model.": "このモデルは公開されていません。別のモデルを選択してください。",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "დახურვა", "Close": "დახურვა",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "ეს უზრუნველყოფს, რომ თქვენი ღირებული საუბრები უსაფრთხოდ შეინახება თქვენს უკანაბოლო მონაცემთა ბაზაში. მადლობა!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "ეს უზრუნველყოფს, რომ თქვენი ღირებული საუბრები უსაფრთხოდ შეინახება თქვენს უკანაბოლო მონაცემთა ბაზაში. მადლობა!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "채팅 복제", "Clone Chat": "채팅 복제",
"Clone of {{TITLE}}": "{{TITLE}}의 복제본", "Clone of {{TITLE}}": "{{TITLE}}의 복제본",
"Close": "닫기", "Close": "닫기",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "코드 실행", "Code execution": "코드 실행",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "이 action은 되돌릴 수 없습니다. 계속 하시겠습니까?", "This action cannot be undone. Do you wish to continue?": "이 action은 되돌릴 수 없습니다. 계속 하시겠습니까?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "이 채널은 {{createAt}}에서 생성되었습니다. 이것은 {{channelName}} 채널의 시작입니다.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "이 채널은 {{createAt}}에서 생성되었습니다. 이것은 {{channelName}} 채널의 시작입니다.",
"This chat won't appear in history and your messages will not be saved.": "이 채팅은 기록에 나타나지 않으며 메시지가 저장되지 않습니다.", "This chat won't appear in history and your messages will not be saved.": "이 채팅은 기록에 나타나지 않으며 메시지가 저장되지 않습니다.",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "이렇게 하면 소중한 대화 내용이 백엔드 데이터베이스에 안전하게 저장됩니다. 감사합니다!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "이렇게 하면 소중한 대화 내용이 백엔드 데이터베이스에 안전하게 저장됩니다. 감사합니다!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "이것은 실험적 기능으로, 예상대로 작동하지 않을 수 있으며 언제든지 변경될 수 있습니다.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "이것은 실험적 기능으로, 예상대로 작동하지 않을 수 있으며 언제든지 변경될 수 있습니다.",
"This model is not publicly available. Please select another model.": "이 모델은 공개적으로 사용할 수 없습니다. 다른 모델을 선택해주세요.", "This model is not publicly available. Please select another model.": "이 모델은 공개적으로 사용할 수 없습니다. 다른 모델을 선택해주세요.",

View file

@ -195,6 +195,10 @@
"code": "ur-PK", "code": "ur-PK",
"title": "Urdu (اردو)" "title": "Urdu (اردو)"
}, },
{
"code": "ug-CN",
"title": "Uyghur (ئۇيغۇرچە)"
},
{ {
"code": "uz-Cyrl-UZ", "code": "uz-Cyrl-UZ",
"title": "Uzbek (Cyrillic)" "title": "Uzbek (Cyrillic)"

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Uždaryti", "Close": "Uždaryti",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Šis veiksmas negali būti atšauktas. Ar norite tęsti?", "This action cannot be undone. Do you wish to continue?": "Šis veiksmas negali būti atšauktas. Ar norite tęsti?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Tai užtikrina, kad Jūsų pokalbiai saugiai saugojami duomenų bazėje. Ačiū!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Tai užtikrina, kad Jūsų pokalbiai saugiai saugojami duomenų bazėje. Ačiū!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Tai eksperimentinė funkcija ir gali veikti nevisada.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Tai eksperimentinė funkcija ir gali veikti nevisada.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Tutup", "Close": "Tutup",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Tindakan ini tidak boleh diubah semula kepada asal. Adakah anda ingin teruskan", "This action cannot be undone. Do you wish to continue?": "Tindakan ini tidak boleh diubah semula kepada asal. Adakah anda ingin teruskan",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ini akan memastikan bahawa perbualan berharga anda disimpan dengan selamat ke pangkalan data 'backend' anda. Terima kasih!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ini akan memastikan bahawa perbualan berharga anda disimpan dengan selamat ke pangkalan data 'backend' anda. Terima kasih!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "ni adalah ciri percubaan, ia mungkin tidak berfungsi seperti yang diharapkan dan tertakluk kepada perubahan pada bila-bila masa.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "ni adalah ciri percubaan, ia mungkin tidak berfungsi seperti yang diharapkan dan tertakluk kepada perubahan pada bila-bila masa.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Klone chat", "Clone Chat": "Klone chat",
"Clone of {{TITLE}}": "Klone av {{TITLE}}", "Clone of {{TITLE}}": "Klone av {{TITLE}}",
"Close": "Lukk", "Close": "Lukk",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Kodekjøring", "Code execution": "Kodekjøring",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Denne handlingen kan ikke angres. Vil du fortsette?", "This action cannot be undone. Do you wish to continue?": "Denne handlingen kan ikke angres. Vil du fortsette?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dette sikrer at de verdifulle samtalene dine lagres sikkert i backend-databasen din. Takk!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dette sikrer at de verdifulle samtalene dine lagres sikkert i backend-databasen din. Takk!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dette er en eksperimentell funksjon. Det er mulig den ikke fungerer som forventet, og den kan endres når som helst.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dette er en eksperimentell funksjon. Det er mulig den ikke fungerer som forventet, og den kan endres når som helst.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -37,7 +37,7 @@
"Add content here": "Voeg hier content toe", "Add content here": "Voeg hier content toe",
"Add Custom Parameter": "", "Add Custom Parameter": "",
"Add custom prompt": "Voeg een aangepaste prompt toe", "Add custom prompt": "Voeg een aangepaste prompt toe",
"Add Files": "Voeg bestanden toe", "Add Files": "Voeg bestanden toe",
"Add Group": "Voeg groep toe", "Add Group": "Voeg groep toe",
"Add Memory": "Voeg geheugen toe", "Add Memory": "Voeg geheugen toe",
"Add Model": "Voeg model toe", "Add Model": "Voeg model toe",
@ -193,7 +193,7 @@
"Clear memory": "Geheugen wissen", "Clear memory": "Geheugen wissen",
"Clear Memory": "Geheugen wissen", "Clear Memory": "Geheugen wissen",
"click here": "klik hier", "click here": "klik hier",
"Click here for filter guides.": "Klik hier voor filterhulp.", "Click here for filter guides.": "Klik hier voor filterhulp.",
"Click here for help.": "Klik hier voor hulp.", "Click here for help.": "Klik hier voor hulp.",
"Click here to": "Klik hier om", "Click here to": "Klik hier om",
"Click here to download user import template file.": "Klik hier om het sjabloonbestand voor gebruikersimport te downloaden.", "Click here to download user import template file.": "Klik hier om het sjabloonbestand voor gebruikersimport te downloaden.",
@ -210,6 +210,7 @@
"Clone Chat": "Kloon chat", "Clone Chat": "Kloon chat",
"Clone of {{TITLE}}": "Kloon van {{TITLE}}", "Clone of {{TITLE}}": "Kloon van {{TITLE}}",
"Close": "Sluiten", "Close": "Sluiten",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Code uitvoeren", "Code execution": "Code uitvoeren",
@ -265,7 +266,7 @@
"Copy last code block": "Kopieer laatste codeblok", "Copy last code block": "Kopieer laatste codeblok",
"Copy last response": "Kopieer laatste antwoord", "Copy last response": "Kopieer laatste antwoord",
"Copy Link": "Kopieer link", "Copy Link": "Kopieer link",
"Copy to clipboard": "Kopieer naar klembord", "Copy to clipboard": "Kopieer naar klembord",
"Copying to clipboard was successful!": "Kopiëren naar klembord was succesvol!", "Copying to clipboard was successful!": "Kopiëren naar klembord was succesvol!",
"CORS must be properly configured by the provider to allow requests from Open WebUI.": "CORS moet goed geconfigureerd zijn bij de provider om verzoeken van Open WebUI toe te staan", "CORS must be properly configured by the provider to allow requests from Open WebUI.": "CORS moet goed geconfigureerd zijn bij de provider om verzoeken van Open WebUI toe te staan",
"Create": "Aanmaken", "Create": "Aanmaken",
@ -335,7 +336,7 @@
"Description": "Beschrijving", "Description": "Beschrijving",
"Detect Artifacts Automatically": "", "Detect Artifacts Automatically": "",
"Dictate": "", "Dictate": "",
"Didn't fully follow instructions": "Heeft niet alle instructies gevolgd", "Didn't fully follow instructions": "Heeft niet alle instructies gevolgd",
"Direct": "Direct", "Direct": "Direct",
"Direct Connections": "Directe verbindingen", "Direct Connections": "Directe verbindingen",
"Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Directe verbindingen stellen gebruikers in staat om met hun eigen OpenAI compatibele API-endpoints te verbinden.", "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Directe verbindingen stellen gebruikers in staat om met hun eigen OpenAI compatibele API-endpoints te verbinden.",
@ -605,7 +606,7 @@
"File removed successfully.": "Bestand succesvol verwijderd.", "File removed successfully.": "Bestand succesvol verwijderd.",
"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",
"Files": "Bestanden", "Files": "Bestanden",
"Filter is now globally disabled": "Filter is nu globaal uitgeschakeld", "Filter is now globally disabled": "Filter is nu globaal uitgeschakeld",
"Filter is now globally enabled": "Filter is nu globaal ingeschakeld", "Filter is now globally enabled": "Filter is nu globaal ingeschakeld",
@ -987,7 +988,7 @@
"Please select a model.": "Selecteer een model", "Please select a model.": "Selecteer een model",
"Please select a reason": "Voer een reden in", "Please select a reason": "Voer een reden in",
"Port": "Poort", "Port": "Poort",
"Positive attitude": "Positieve houding", "Positive attitude": "Positieve houding",
"Prefix ID": "Voorvoegsel-ID", "Prefix ID": "Voorvoegsel-ID",
"Prefix ID is used to avoid conflicts with other connections by adding a prefix to the model IDs - leave empty to disable": "Voorvoegsel-ID wordt gebruikt om conflicten met andere verbindingen te vermijden door een voorvoegsel aan het model-ID toe te voegen - laat leeg om uit te schakelen", "Prefix ID is used to avoid conflicts with other connections by adding a prefix to the model IDs - leave empty to disable": "Voorvoegsel-ID wordt gebruikt om conflicten met andere verbindingen te vermijden door een voorvoegsel aan het model-ID toe te voegen - laat leeg om uit te schakelen",
"Prevent file creation": "", "Prevent file creation": "",
@ -1230,24 +1231,23 @@
"Theme": "Thema", "Theme": "Thema",
"Thinking...": "Aan het denken...", "Thinking...": "Aan het denken...",
"This action cannot be undone. Do you wish to continue?": "Deze actie kan niet ongedaan worden gemaakt. Wilt u doorgaan?", "This action cannot be undone. Do you wish to continue?": "Deze actie kan niet ongedaan worden gemaakt. Wilt u doorgaan?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Dit kanaal is aangemaakt op {{createdAt}}. Dit is het begin van het kanaal {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Dit kanaal is aangemaakt op {{createdAt}}. Dit is het begin van het kanaal {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dit zorgt ervoor dat je waardevolle gesprekken veilig worden opgeslagen in je backend database. Dank je wel!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dit zorgt ervoor dat je waardevolle gesprekken veilig worden opgeslagen in je backend database. Dank je wel!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dit is een experimentele functie, het werkt mogelijk niet zoals verwacht en kan op elk moment worden gewijzigd.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dit is een experimentele functie, het werkt mogelijk niet zoals verwacht en kan op elk moment worden gewijzigd.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",
"This option controls how long the model will stay loaded into memory following the request (default: 5m)": "", "This option controls how long the model will stay loaded into memory following the request (default: 5m)": "",
"This option controls how many tokens are preserved when refreshing the context. For example, if set to 2, the last 2 tokens of the conversation context will be retained. Preserving context can help maintain the continuity of a conversation, but it may reduce the ability to respond to new topics.": "Deze optie bepaalt hoeveel tokens bewaard blijven bij het verversen van de context. Als deze bijvoorbeeld op 2 staat, worden de laatste 2 tekens van de context van het gesprek bewaard. Het behouden van de context kan helpen om de continuïteit van een gesprek te behouden, maar het kan de mogelijkheid om te reageren op nieuwe onderwerpen verminderen.", "This option controls how many tokens are preserved when refreshing the context. For example, if set to 2, the last 2 tokens of the conversation context will be retained. Preserving context can help maintain the continuity of a conversation, but it may reduce the ability to respond to new topics.": "Deze optie bepaalt hoeveel tokens bewaard blijven bij het verversen van de context. Als deze bijvoorbeeld op 2 staat, worden de laatste 2 tekens van de context van het gesprek bewaard. Het behouden van de context kan helpen om de continuïteit van een gesprek te behouden, maar het kan de mogelijkheid om te reageren op nieuwe onderwerpen verminderen.",
"This option enables or disables the use of the reasoning feature in Ollama, which allows the model to think before generating a response. When enabled, the model can take a moment to process the conversation context and generate a more thoughtful response.": "", "This option enables or disables the use of the reasoning feature in Ollama, which allows the model to think before generating a response. When enabled, the model can take a moment to process the conversation context and generate a more thoughtful response.": "",
"This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated.": "Deze optie stelt het maximum aantal tokens in dat het model kan genereren in zijn antwoord. Door deze limiet te verhogen, kan het model langere antwoorden geven, maar het kan ook de kans vergroten dat er onbehulpzame of irrelevante inhoud wordt gegenereerd.", "This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated.": "Deze optie stelt het maximum aantal tokens in dat het model kan genereren in zijn antwoord. Door deze limiet te verhogen, kan het model langere antwoorden geven, maar het kan ook de kans vergroten dat er onbehulpzame of irrelevante inhoud wordt gegenereerd.",
"This option will delete all existing files in the collection and replace them with newly uploaded files.": "Deze optie verwijdert alle bestaande bestanden in de collectie en vervangt ze door nieuw geüploade bestanden.", "This option will delete all existing files in the collection and replace them with newly uploaded files.": "Deze optie verwijdert alle bestaande bestanden in de collectie en vervangt ze door nieuw geüploade bestanden.",
"This response was generated by \"{{model}}\"": "Dit antwoord is gegenereerd door \"{{model}}\"", "This response was generated by \"{{model}}\"": "Dit antwoord is gegenereerd door \"{{model}}\"",
"This will delete": "Dit zal verwijderen", "This will delete": "Dit zal verwijderen",
"This will delete <strong>{{NAME}}</strong> and <strong>all its contents</strong>.": "Dit zal <strong>{{NAME}}</strong> verwijderen en <strong>al zijn inhoud</strong>.", "This will delete <strong>{{NAME}}</strong> and <strong>all its contents</strong>.": "Dit zal <strong>{{NAME}}</strong> verwijderen en <strong>al zijn inhoud</strong>.",
"This will delete all models including custom models": "Dit zal alle modellen, ook aangepaste modellen, verwijderen", "This will delete all models including custom models": "Dit zal alle modellen, ook aangepaste modellen, verwijderen",
"This will delete all models including custom models and cannot be undone.": "Dit zal alle modellen, ook aangepaste modellen, verwijderen en kan niet ongedaan worden gemaakt", "This will delete all models including custom models and cannot be undone.": "Dit zal alle modellen, ook aangepaste modellen, verwijderen en kan niet ongedaan worden gemaakt",
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Dit zal de kennisdatabase resetten en alle bestanden synchroniseren. Wilt u doorgaan?", "This will reset the knowledge base and sync all files. Do you wish to continue?": "Dit zal de kennisdatabase resetten en alle bestanden synchroniseren. Wilt u doorgaan?",
"Thorough explanation": "Grondige uitleg", "Thorough explanation": "Grondige uitleg",
"Thought for {{DURATION}}": "Dacht {{DURATION}}", "Thought for {{DURATION}}": "Dacht {{DURATION}}",
"Thought for {{DURATION}} seconds": "Dacht {{DURATION}} seconden", "Thought for {{DURATION}} seconds": "Dacht {{DURATION}} seconden",
"Tika": "Tika", "Tika": "Tika",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "ਬੰਦ ਕਰੋ", "Close": "ਬੰਦ ਕਰੋ",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "ਇਹ ਯਕੀਨੀ ਬਣਾਉਂਦਾ ਹੈ ਕਿ ਤੁਹਾਡੀਆਂ ਕੀਮਤੀ ਗੱਲਾਂ ਤੁਹਾਡੇ ਬੈਕਐਂਡ ਡਾਟਾਬੇਸ ਵਿੱਚ ਸੁਰੱਖਿਅਤ ਤੌਰ 'ਤੇ ਸੰਭਾਲੀਆਂ ਗਈਆਂ ਹਨ। ਧੰਨਵਾਦ!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "ਇਹ ਯਕੀਨੀ ਬਣਾਉਂਦਾ ਹੈ ਕਿ ਤੁਹਾਡੀਆਂ ਕੀਮਤੀ ਗੱਲਾਂ ਤੁਹਾਡੇ ਬੈਕਐਂਡ ਡਾਟਾਬੇਸ ਵਿੱਚ ਸੁਰੱਖਿਅਤ ਤੌਰ 'ਤੇ ਸੰਭਾਲੀਆਂ ਗਈਆਂ ਹਨ। ਧੰਨਵਾਦ!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Sklonuj czat", "Clone Chat": "Sklonuj czat",
"Clone of {{TITLE}}": "Klon {{TITLE}}", "Clone of {{TITLE}}": "Klon {{TITLE}}",
"Close": "Zamknij", "Close": "Zamknij",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Wykonanie kodu", "Code execution": "Wykonanie kodu",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Czy na pewno chcesz kontynuować? Ta akcja nie może zostać cofnięta.", "This action cannot be undone. Do you wish to continue?": "Czy na pewno chcesz kontynuować? Ta akcja nie może zostać cofnięta.",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "To gwarantuje, że Twoje wartościowe rozmowy są bezpiecznie zapisywane w bazie danych backendowej. Dziękujemy!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "To gwarantuje, że Twoje wartościowe rozmowy są bezpiecznie zapisywane w bazie danych backendowej. Dziękujemy!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "To jest funkcja eksperymentalna, może nie działać zgodnie z oczekiwaniami i jest podatna na zmiany w dowolnym momencie.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "To jest funkcja eksperymentalna, może nie działać zgodnie z oczekiwaniami i jest podatna na zmiany w dowolnym momencie.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Fechar", "Close": "Fechar",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Execução de código", "Code execution": "Execução de código",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Esta ação não pode ser desfeita. Você deseja continuar?", "This action cannot be undone. Do you wish to continue?": "Esta ação não pode ser desfeita. Você deseja continuar?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Isso garante que suas conversas valiosas sejam salvas com segurança no banco de dados do backend. Obrigado!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Isso garante que suas conversas valiosas sejam salvas com segurança no banco de dados do backend. Obrigado!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Esta é uma funcionalidade experimental, pode não funcionar como esperado e está sujeita a alterações a qualquer momento.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Esta é uma funcionalidade experimental, pode não funcionar como esperado e está sujeita a alterações a qualquer momento.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Fechar", "Close": "Fechar",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Isto garante que suas conversas valiosas sejam guardadas com segurança na sua base de dados de backend. Obrigado!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Isto garante que suas conversas valiosas sejam guardadas com segurança na sua base de dados de backend. Obrigado!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Isto é um recurso experimental, pode não funcionar conforme o esperado e está sujeito a alterações a qualquer momento.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Isto é um recurso experimental, pode não funcionar conforme o esperado e está sujeito a alterações a qualquer momento.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Clonează chat", "Clone Chat": "Clonează chat",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Închide", "Close": "Închide",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Executarea codului", "Code execution": "Executarea codului",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Această acțiune nu poate fi anulată. Doriți să continuați?", "This action cannot be undone. Do you wish to continue?": "Această acțiune nu poate fi anulată. Doriți să continuați?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Acest lucru asigură că conversațiile dvs. valoroase sunt salvate în siguranță în baza de date a backend-ului dvs. Mulțumim!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Acest lucru asigură că conversațiile dvs. valoroase sunt salvate în siguranță în baza de date a backend-ului dvs. Mulțumim!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Aceasta este o funcție experimentală, poate să nu funcționeze așa cum vă așteptați și este supusă schimbării în orice moment.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Aceasta este o funcție experimentală, poate să nu funcționeze așa cum vă așteptați și este supusă schimbării în orice moment.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Клонировать чат", "Clone Chat": "Клонировать чат",
"Clone of {{TITLE}}": "Клон {{TITLE}}", "Clone of {{TITLE}}": "Клон {{TITLE}}",
"Close": "Закрыть", "Close": "Закрыть",
"Close Configure Connection Modal": "",
"Close modal": "Закрыть окно", "Close modal": "Закрыть окно",
"Close settings modal": "Закрыть окно настроек", "Close settings modal": "Закрыть окно настроек",
"Code execution": "Исполнение кода", "Code execution": "Исполнение кода",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Это действие нельзя отменить. Вы хотите продолжить?", "This action cannot be undone. Do you wish to continue?": "Это действие нельзя отменить. Вы хотите продолжить?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Этот канал был создан {{createdAt}}. Это самое начало канала {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Этот канал был создан {{createdAt}}. Это самое начало канала {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Этот чат не появится в истории, и ваши сообщения не будут сохранены.", "This chat won't appear in history and your messages will not be saved.": "Этот чат не появится в истории, и ваши сообщения не будут сохранены.",
"This chat wont appear in history and your messages will not be saved.": "Этот чат не появится в истории, и ваши сообщения не будут сохранены.",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Это обеспечивает сохранение ваших ценных разговоров в безопасной базе данных на вашем сервере. Спасибо!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Это обеспечивает сохранение ваших ценных разговоров в безопасной базе данных на вашем сервере. Спасибо!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Это экспериментальная функция, она может работать не так, как ожидалось, и может быть изменена в любое время.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Это экспериментальная функция, она может работать не так, как ожидалось, и может быть изменена в любое время.",
"This model is not publicly available. Please select another model.": "Эта модель недоступна в открытом доступе. Пожалуйста, выберите другую модель.", "This model is not publicly available. Please select another model.": "Эта модель недоступна в открытом доступе. Пожалуйста, выберите другую модель.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Zavrieť", "Close": "Zavrieť",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Vykonávanie kódu", "Code execution": "Vykonávanie kódu",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Túto akciu nie je možné vrátiť späť. Prajete si pokračovať?", "This action cannot be undone. Do you wish to continue?": "Túto akciu nie je možné vrátiť späť. Prajete si pokračovať?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Týmto je zaistené, že vaše cenné konverzácie sú bezpečne uložené vo vašej backendovej databáze. Ďakujeme!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Týmto je zaistené, že vaše cenné konverzácie sú bezpečne uložené vo vašej backendovej databáze. Ďakujeme!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Toto je experimentálna funkcia, nemusí fungovať podľa očakávania a môže byť kedykoľvek zmenená.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Toto je experimentálna funkcia, nemusí fungovať podľa očakávania a môže byť kedykoľvek zmenená.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Клонирај ћаскање", "Clone Chat": "Клонирај ћаскање",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Затвори", "Close": "Затвори",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Извршавање кода", "Code execution": "Извршавање кода",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Ова радња се не може опозвати. Да ли желите наставити?", "This action cannot be undone. Do you wish to continue?": "Ова радња се не може опозвати. Да ли желите наставити?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ово осигурава да су ваши вредни разговори безбедно сачувани у вашој бекенд бази података. Хвала вам!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ово осигурава да су ваши вредни разговори безбедно сачувани у вашој бекенд бази података. Хвала вам!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Klona chatt", "Clone Chat": "Klona chatt",
"Clone of {{TITLE}}": "Klon av {{TITLE}}", "Clone of {{TITLE}}": "Klon av {{TITLE}}",
"Close": "Stäng", "Close": "Stäng",
"Close Configure Connection Modal": "",
"Close modal": "Stäng modal", "Close modal": "Stäng modal",
"Close settings modal": "Stäng inställningsmodal", "Close settings modal": "Stäng inställningsmodal",
"Code execution": "Kodkörning", "Code execution": "Kodkörning",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Denna åtgärd kan inte ångras. Vill du fortsätta?", "This action cannot be undone. Do you wish to continue?": "Denna åtgärd kan inte ångras. Vill du fortsätta?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Den här kanalen skapades den {{createdAt}}. Detta är den allra första början av kanalen {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Den här kanalen skapades den {{createdAt}}. Detta är den allra första början av kanalen {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Den här chatten visas inte i historiken och dina meddelanden sparas inte.", "This chat won't appear in history and your messages will not be saved.": "Den här chatten visas inte i historiken och dina meddelanden sparas inte.",
"This chat wont appear in history and your messages will not be saved.": "Den här chatten visas inte i historiken och dina meddelanden sparas inte.",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Detta säkerställer att dina värdefulla samtal sparas säkert till din backend-databas. Tack!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Detta säkerställer att dina värdefulla samtal sparas säkert till din backend-databas. Tack!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Detta är en experimentell funktion som kanske inte fungerar som förväntat och som kan komma att ändras när som helst.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Detta är en experimentell funktion som kanske inte fungerar som förväntat och som kan komma att ändras när som helst.",
"This model is not publicly available. Please select another model.": "Den här modellen är inte tillgänglig för allmänheten. Välj en annan modell.", "This model is not publicly available. Please select another model.": "Den här modellen är inte tillgänglig för allmänheten. Välj en annan modell.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "ปิด", "Close": "ปิด",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "การกระทำนี้ไม่สามารถย้อนกลับได้ คุณต้องการดำเนินการต่อหรือไม่?", "This action cannot be undone. Do you wish to continue?": "การกระทำนี้ไม่สามารถย้อนกลับได้ คุณต้องการดำเนินการต่อหรือไม่?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "สิ่งนี้ทำให้มั่นใจได้ว่าการสนทนาที่มีค่าของคุณจะถูกบันทึกอย่างปลอดภัยในฐานข้อมูลแบ็กเอนด์ของคุณ ขอบคุณ!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "สิ่งนี้ทำให้มั่นใจได้ว่าการสนทนาที่มีค่าของคุณจะถูกบันทึกอย่างปลอดภัยในฐานข้อมูลแบ็กเอนด์ของคุณ ขอบคุณ!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "นี่เป็นฟีเจอร์ทดลอง อาจไม่ทำงานตามที่คาดไว้และอาจมีการเปลี่ยนแปลงได้ตลอดเวลา", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "นี่เป็นฟีเจอร์ทดลอง อาจไม่ทำงานตามที่คาดไว้และอาจมีการเปลี่ยนแปลงได้ตลอดเวลา",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "Ýap", "Close": "Ýap",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "", "Code execution": "",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "", "This action cannot be undone. Do you wish to continue?": "",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Sohbeti Klonla", "Clone Chat": "Sohbeti Klonla",
"Clone of {{TITLE}}": "{{TITLE}}'ın kopyası", "Clone of {{TITLE}}": "{{TITLE}}'ın kopyası",
"Close": "Kapat", "Close": "Kapat",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Kod yürütme", "Code execution": "Kod yürütme",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Bu eylem geri alınamaz. Devam etmek istiyor musunuz?", "This action cannot be undone. Do you wish to continue?": "Bu eylem geri alınamaz. Devam etmek istiyor musunuz?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Bu, önemli konuşmalarınızın güvenli bir şekilde arkayüz veritabanınıza kaydedildiğini garantiler. Teşekkür ederiz!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Bu, önemli konuşmalarınızın güvenli bir şekilde arkayüz veritabanınıza kaydedildiğini garantiler. Teşekkür ederiz!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Bu deneysel bir özelliktir, beklendiği gibi çalışmayabilir ve her an değişiklik yapılabilir.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Bu deneysel bir özelliktir, beklendiği gibi çalışmayabilir ve her an değişiklik yapılabilir.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

File diff suppressed because it is too large Load diff

View file

@ -210,6 +210,7 @@
"Clone Chat": "Клонувати чат", "Clone Chat": "Клонувати чат",
"Clone of {{TITLE}}": "Клон {{TITLE}}", "Clone of {{TITLE}}": "Клон {{TITLE}}",
"Close": "Закрити", "Close": "Закрити",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Виконання коду", "Code execution": "Виконання коду",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Цю дію не можна скасувати. Ви бажаєте продовжити?", "This action cannot be undone. Do you wish to continue?": "Цю дію не можна скасувати. Ви бажаєте продовжити?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Цей канал був створений {{createdAt}}. Це самий початок каналу {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Цей канал був створений {{createdAt}}. Це самий початок каналу {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Це забезпечує збереження ваших цінних розмов у безпечному бекенд-сховищі. Дякуємо!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Це забезпечує збереження ваших цінних розмов у безпечному бекенд-сховищі. Дякуємо!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Це експериментальна функція, вона може працювати не так, як очікувалося, і може бути змінена в будь-який час.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Це експериментальна функція, вона може працювати не так, як очікувалося, і може бути змінена в будь-який час.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "", "Clone Chat": "",
"Clone of {{TITLE}}": "", "Clone of {{TITLE}}": "",
"Close": "بند کریں", "Close": "بند کریں",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "کوڈ کا نفاذ", "Code execution": "کوڈ کا نفاذ",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "یہ عمل واپس نہیں کیا جا سکتا کیا آپ جاری رکھنا چاہتے ہیں؟", "This action cannot be undone. Do you wish to continue?": "یہ عمل واپس نہیں کیا جا سکتا کیا آپ جاری رکھنا چاہتے ہیں؟",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "یہ یقینی بناتا ہے کہ آپ کی قیمتی گفتگو محفوظ طریقے سے آپ کے بیک اینڈ ڈیٹا بیس میں محفوظ کی گئی ہیں شکریہ!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "یہ یقینی بناتا ہے کہ آپ کی قیمتی گفتگو محفوظ طریقے سے آپ کے بیک اینڈ ڈیٹا بیس میں محفوظ کی گئی ہیں شکریہ!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "یہ ایک تجرباتی خصوصیت ہے، یہ متوقع طور پر کام نہ کر سکتی ہو اور کسی بھی وقت تبدیل کی جا سکتی ہے", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "یہ ایک تجرباتی خصوصیت ہے، یہ متوقع طور پر کام نہ کر سکتی ہو اور کسی بھی وقت تبدیل کی جا سکتی ہے",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Чатни клонлаш", "Clone Chat": "Чатни клонлаш",
"Clone of {{TITLE}}": "{{TITLE}} клони", "Clone of {{TITLE}}": "{{TITLE}} клони",
"Close": "Ёпиш", "Close": "Ёпиш",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Коднинг бажарилиши", "Code execution": "Коднинг бажарилиши",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Бу амални ортга қайтариб бўлмайди. Давом этишни хоҳлайсизми?", "This action cannot be undone. Do you wish to continue?": "Бу амални ортга қайтариб бўлмайди. Давом этишни хоҳлайсизми?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Бу канал {{cреатедАт}} да яратилган. Бу {{чаннелНаме}} каналининг бошланиши.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Бу канал {{cреатедАт}} да яратилган. Бу {{чаннелНаме}} каналининг бошланиши.",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "Бу чат тарихда кўринмайди ва хабарларингиз сақланмайди.",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Бу сизнинг қимматли суҳбатларингиз маълумотлар базасига хавфсиз тарзда сақланишини таъминлайди. Раҳмат!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Бу сизнинг қимматли суҳбатларингиз маълумотлар базасига хавфсиз тарзда сақланишини таъминлайди. Раҳмат!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Бу экспериментал хусусият бўлиб, у кутилганидек ишламаслиги ва исталган вақтда ўзгариши мумкин.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Бу экспериментал хусусият бўлиб, у кутилганидек ишламаслиги ва исталган вақтда ўзгариши мумкин.",
"This model is not publicly available. Please select another model.": "Ушбу модел ҳамма учун очиқ эмас. Илтимос, бошқа моделни танланг.", "This model is not publicly available. Please select another model.": "Ушбу модел ҳамма учун очиқ эмас. Илтимос, бошқа моделни танланг.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Chatni klonlash", "Clone Chat": "Chatni klonlash",
"Clone of {{TITLE}}": "{{TITLE}} kloni", "Clone of {{TITLE}}": "{{TITLE}} kloni",
"Close": "Yopish", "Close": "Yopish",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Kodning bajarilishi", "Code execution": "Kodning bajarilishi",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Bu amalni ortga qaytarib bolmaydi. Davom etishni xohlaysizmi?", "This action cannot be undone. Do you wish to continue?": "Bu amalni ortga qaytarib bolmaydi. Davom etishni xohlaysizmi?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Bu kanal {{createdAt}} da yaratilgan. Bu {{channelName}} kanalining boshlanishi.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Bu kanal {{createdAt}} da yaratilgan. Bu {{channelName}} kanalining boshlanishi.",
"This chat won't appear in history and your messages will not be saved.": "", "This chat won't appear in history and your messages will not be saved.": "",
"This chat wont appear in history and your messages will not be saved.": "Bu chat tarixda korinmaydi va xabarlaringiz saqlanmaydi.",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Bu sizning qimmatli suhbatlaringiz ma'lumotlar bazasiga xavfsiz tarzda saqlanishini ta'minlaydi. Rahmat!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Bu sizning qimmatli suhbatlaringiz ma'lumotlar bazasiga xavfsiz tarzda saqlanishini ta'minlaydi. Rahmat!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Bu eksperimental xususiyat bo'lib, u kutilganidek ishlamasligi va istalgan vaqtda o'zgarishi mumkin.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Bu eksperimental xususiyat bo'lib, u kutilganidek ishlamasligi va istalgan vaqtda o'zgarishi mumkin.",
"This model is not publicly available. Please select another model.": "Ushbu model hamma uchun ochiq emas. Iltimos, boshqa modelni tanlang.", "This model is not publicly available. Please select another model.": "Ushbu model hamma uchun ochiq emas. Iltimos, boshqa modelni tanlang.",

View file

@ -210,6 +210,7 @@
"Clone Chat": "Nhân bản Chat", "Clone Chat": "Nhân bản Chat",
"Clone of {{TITLE}}": "Bản sao của {{TITLE}}", "Clone of {{TITLE}}": "Bản sao của {{TITLE}}",
"Close": "Đóng", "Close": "Đóng",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "Thực thi mã", "Code execution": "Thực thi mã",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "Hành động này không thể được hoàn tác. Bạn có muốn tiếp tục không?", "This action cannot be undone. Do you wish to continue?": "Hành động này không thể được hoàn tác. Bạn có muốn tiếp tục không?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Kênh này được tạo vào {{createdAt}}. Đây là điểm khởi đầu của kênh {{channelName}}.", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "Kênh này được tạo vào {{createdAt}}. Đây là điểm khởi đầu của kênh {{channelName}}.",
"This chat won't appear in history and your messages will not be saved.": "Cuộc trò chuyện này sẽ không xuất hiện trong lịch sử và tin nhắn của bạn sẽ không được lưu.", "This chat won't appear in history and your messages will not be saved.": "Cuộc trò chuyện này sẽ không xuất hiện trong lịch sử và tin nhắn của bạn sẽ không được lưu.",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Điều này đảm bảo rằng các nội dung chat có giá trị của bạn được lưu an toàn vào cơ sở dữ liệu backend của bạn. Cảm ơn bạn!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Điều này đảm bảo rằng các nội dung chat có giá trị của bạn được lưu an toàn vào cơ sở dữ liệu backend của bạn. Cảm ơn bạn!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "Đây là tính năng thử nghiệm, có thể không hoạt động như mong đợi và có thể thay đổi bất kỳ lúc nào.", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Đây là tính năng thử nghiệm, có thể không hoạt động như mong đợi và có thể thay đổi bất kỳ lúc nào.",
"This model is not publicly available. Please select another model.": "", "This model is not publicly available. Please select another model.": "",

View file

@ -107,11 +107,11 @@
"Archive All Chats": "归档所有对话记录", "Archive All Chats": "归档所有对话记录",
"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 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?": "确认要取消所有已归档的对话吗?",
"Are you sure?": "确认吗?", "Are you sure?": "确认吗?",
"Arena Models": "启用竞技场匿名评价模型", "Arena Models": "启用竞技场匿名评价模型",
"Artifacts": "Artifacts", "Artifacts": "Artifacts",
"Ask": "提问", "Ask": "提问",
@ -210,6 +210,7 @@
"Clone Chat": "克隆对话", "Clone Chat": "克隆对话",
"Clone of {{TITLE}}": "{{TITLE}} 的副本", "Clone of {{TITLE}}": "{{TITLE}} 的副本",
"Close": "关闭", "Close": "关闭",
"Close Configure Connection Modal": "关闭外部连接配置弹窗",
"Close modal": "关闭弹窗", "Close modal": "关闭弹窗",
"Close settings modal": "关闭设置弹窗", "Close settings modal": "关闭设置弹窗",
"Code execution": "代码执行", "Code execution": "代码执行",
@ -237,14 +238,14 @@
"Confirm Password": "确认密码", "Confirm Password": "确认密码",
"Confirm your action": "确认要继续吗?", "Confirm your action": "确认要继续吗?",
"Confirm your new password": "确认新密码", "Confirm your new password": "确认新密码",
"Connect to your own OpenAI compatible API endpoints.": "连接到自有的 OpenAI 兼容 API 的接口端点", "Connect to your own OpenAI compatible API endpoints.": "连接到自有的 OpenAI 兼容 API 的接口端点",
"Connect to your own OpenAPI compatible external tool servers.": "连接到自有的 OpenAPI 兼容外部工具服务器", "Connect to your own OpenAPI compatible external tool servers.": "连接到自有的 OpenAPI 兼容外部工具服务器",
"Connection failed": "连接失败", "Connection failed": "连接失败",
"Connection successful": "连接成功", "Connection successful": "连接成功",
"Connection Type": "连接类型", "Connection Type": "连接类型",
"Connections": "外部连接", "Connections": "外部连接",
"Connections saved successfully": "连接保存成功", "Connections saved successfully": "连接保存成功",
"Constrains effort on reasoning for reasoning models. Only applicable to reasoning models from specific providers that support reasoning effort.": "限制推理模型的推理强度。仅适用于支持推理强度功能的特定提供商的推理模型。", "Constrains effort on reasoning for reasoning models. Only applicable to reasoning models from specific providers that support reasoning effort.": "限制推理模型的推理努力。仅适用于支持推理努力控制的特定提供商的推理模型。",
"Contact Admin for WebUI Access": "请联系管理员以获取访问权限", "Contact Admin for WebUI Access": "请联系管理员以获取访问权限",
"Content": "内容", "Content": "内容",
"Content Extraction Engine": "内容提取引擎", "Content Extraction Engine": "内容提取引擎",
@ -334,8 +335,8 @@
"Describe your knowledge base and objectives": "描述您的知识库和目标", "Describe your knowledge base and objectives": "描述您的知识库和目标",
"Description": "描述", "Description": "描述",
"Detect Artifacts Automatically": "自动检测 Artifacts", "Detect Artifacts Automatically": "自动检测 Artifacts",
"Dictate": "听写", "Dictate": "语音输入",
"Didn't fully follow instructions": "没有完全遵照指示", "Didn't fully follow instructions": "未完全按照说明操作",
"Direct": "直接", "Direct": "直接",
"Direct Connections": "直接连接", "Direct Connections": "直接连接",
"Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "直接连接允许用户连接自有的 OpenAI 兼容的 API 端点", "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "直接连接允许用户连接自有的 OpenAI 兼容的 API 端点",
@ -489,7 +490,7 @@
"Enter Playwright Timeout": "输入 Playwright 超时时间", "Enter Playwright Timeout": "输入 Playwright 超时时间",
"Enter Playwright WebSocket URL": "输入 Playwright WebSocket URL", "Enter Playwright WebSocket URL": "输入 Playwright WebSocket URL",
"Enter proxy URL (e.g. https://user:password@host:port)": "输入代理 URL例如https://用户名:密码@主机名:端口)", "Enter proxy URL (e.g. https://user:password@host:port)": "输入代理 URL例如https://用户名:密码@主机名:端口)",
"Enter reasoning effort": "设置推理强度", "Enter reasoning effort": "输入推理努力",
"Enter Sampler (e.g. Euler a)": "输入 Sampler例如Euler a", "Enter Sampler (e.g. Euler a)": "输入 Sampler例如Euler a",
"Enter Scheduler (e.g. Karras)": "输入 Scheduler例如Karras", "Enter Scheduler (e.g. Karras)": "输入 Scheduler例如Karras",
"Enter Score": "输入评分", "Enter Score": "输入评分",
@ -530,8 +531,8 @@
"Enter Your Full Name": "输入您的名称", "Enter Your Full Name": "输入您的名称",
"Enter your message": "输入您的消息", "Enter your message": "输入您的消息",
"Enter your name": "输入您的名称", "Enter your name": "输入您的名称",
"Enter Your Name": "输入的名称", "Enter Your Name": "输入的名称",
"Enter your new password": "输入密码", "Enter your new password": "输入您的新密码",
"Enter Your Password": "输入您的密码", "Enter Your Password": "输入您的密码",
"Enter Your Role": "输入您的权限组", "Enter Your Role": "输入您的权限组",
"Enter Your Username": "输入您的用户名", "Enter Your Username": "输入您的用户名",
@ -627,7 +628,7 @@
"Force OCR on all pages of the PDF. This can lead to worse results if you have good text in your PDFs. Defaults to False.": "强制对 PDF 所有页面执行 OCR 识别。若 PDF 中已包含优质文本内容可能降低识别准确率。默认为关闭", "Force OCR on all pages of the PDF. This can lead to worse results if you have good text in your PDFs. Defaults to False.": "强制对 PDF 所有页面执行 OCR 识别。若 PDF 中已包含优质文本内容可能降低识别准确率。默认为关闭",
"Forge new paths": "开拓新道路", "Forge new paths": "开拓新道路",
"Form": "手动创建", "Form": "手动创建",
"Format your variables using brackets like this:": "使用括号格式化的变量,如下所示:", "Format your variables using brackets like this:": "使用括号格式化的变量,如下所示:",
"Forwards system user session credentials to authenticate": "转发系统用户 session 凭证以进行身份\u200b\u200b验证", "Forwards system user session credentials to authenticate": "转发系统用户 session 凭证以进行身份\u200b\u200b验证",
"Full Context Mode": "完整上下文模式", "Full Context Mode": "完整上下文模式",
"Function": "函数", "Function": "函数",
@ -915,10 +916,10 @@
"Only collections can be edited, create a new knowledge base to edit/add documents.": "只能编辑文件集,创建一个新的知识库来编辑/添加文件。", "Only collections can be edited, create a new knowledge base to edit/add documents.": "只能编辑文件集,创建一个新的知识库来编辑/添加文件。",
"Only markdown files are allowed": "仅允许使用 markdown 文件", "Only markdown files are allowed": "仅允许使用 markdown 文件",
"Only select users and groups with permission can access": "只有具有权限的用户和组才能访问", "Only select users and groups with permission can access": "只有具有权限的用户和组才能访问",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "此链接似乎为无效链接。请检查后重试。", "Oops! Looks like the URL is invalid. Please double-check and try again.": "糟糕!此链接似乎为无效链接。请检查后重试。",
"Oops! There are files still uploading. Please wait for the upload to complete.": "稍等!还有文件正在上传。请等待上传完成。", "Oops! There are files still uploading. Please wait for the upload to complete.": "糟糕!仍有文件正在上传。请等待上传完成。",
"Oops! There was an error in the previous response.": "糟糕!有一个错误出现在了之前的回复中", "Oops! There was an error in the previous response.": "糟糕!之前的回复中出现了错误。",
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "正在使用不被支持的方法(仅运行前端服务)。需要后端提供 WebUI 服务。", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "正在使用不被支持的方法(仅运行前端服务)。需要后端提供 WebUI 服务。",
"Open file": "打开文件", "Open file": "打开文件",
"Open in full screen": "全屏打开", "Open in full screen": "全屏打开",
"Open modal to configure connection": "打开外部连接配置弹窗", "Open modal to configure connection": "打开外部连接配置弹窗",
@ -1017,7 +1018,7 @@
"Read": "只读", "Read": "只读",
"Read Aloud": "朗读", "Read Aloud": "朗读",
"Reason": "原因", "Reason": "原因",
"Reasoning Effort": "推理强度 (Reasoning Effort)", "Reasoning Effort": "推理努力 (Reasoning Effort)",
"Record": "录制", "Record": "录制",
"Record voice": "录音", "Record voice": "录音",
"Redirecting you to Open WebUI Community": "正在将您重定向到 Open WebUI 社区", "Redirecting you to Open WebUI Community": "正在将您重定向到 Open WebUI 社区",
@ -1111,7 +1112,7 @@
"Send": "发送", "Send": "发送",
"Send a Message": "输入消息", "Send a Message": "输入消息",
"Send message": "发送消息", "Send message": "发送消息",
"Sends `stream_options: { include_usage: true }` in the request.\nSupported providers will return token usage information in the response when set.": "在请求中发送 `stream_options: { include_usage: true }`。设置后,支持的提供商会在响应中返回 Token 使用信息。", "Sends `stream_options: { include_usage: true }` in the request.\nSupported providers will return token usage information in the response when set.": "在请求中发送 `stream_options: { include_usage: true }`。启用此设置后,支持的提供商将在响应中返回 Token 用量信息。",
"September": "九月", "September": "九月",
"SerpApi API Key": "SerpApi API 密钥", "SerpApi API Key": "SerpApi API 密钥",
"SerpApi Engine": "SerpApi 引擎", "SerpApi Engine": "SerpApi 引擎",
@ -1229,10 +1230,9 @@
"The width in pixels to compress images to. Leave empty for no compression.": "图片压缩宽度(像素)。留空则不压缩。", "The width in pixels to compress images to. Leave empty for no compression.": "图片压缩宽度(像素)。留空则不压缩。",
"Theme": "主题", "Theme": "主题",
"Thinking...": "正在思考...", "Thinking...": "正在思考...",
"This action cannot be undone. Do you wish to continue?": "此操作无法撤销。确认要继续吗?", "This action cannot be undone. Do you wish to continue?": "此操作无法撤销。确认要继续吗?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "此频道创建于{{createdAt}},这里是{{channelName}}频道的开始", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "此频道创建于{{createdAt}},这里是{{channelName}}频道的开始",
"This chat won't appear in history and your messages will not be saved.": "此对话不会出现在历史记录中,且您的消息不会被保存", "This chat won't appear in history and your messages will not be saved.": "此对话不会出现在历史记录中,且您的消息不会被保存",
"This chat wont appear in history and your messages will not be saved.": "此对话不会出现在历史记录中,且您的消息不会被保存",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "这将确保您的宝贵对话被安全地保存到后台数据库中。感谢!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "这将确保您的宝贵对话被安全地保存到后台数据库中。感谢!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "这是一个实验性功能,可能不会如预期那样工作,而且可能随时发生变化。", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "这是一个实验性功能,可能不会如预期那样工作,而且可能随时发生变化。",
"This model is not publicly available. Please select another model.": "此模型未公开。请选择其他模型", "This model is not publicly available. Please select another model.": "此模型未公开。请选择其他模型",
@ -1332,7 +1332,7 @@
"URL": "URL", "URL": "URL",
"URL Mode": "URL 模式", "URL Mode": "URL 模式",
"Usage": "用量", "Usage": "用量",
"Use '#' in the prompt input to load and include your knowledge.": "在输入框中输入 '#' 号来加载需要的知识库内容", "Use '#' in the prompt input to load and include your knowledge.": "在输入框中输入 '#' 号来加载需要的知识库内容",
"Use Gravatar": "使用来自 Gravatar 的头像", "Use Gravatar": "使用来自 Gravatar 的头像",
"Use groups to group your users and assign permissions.": "使用权限组来组织用户并分配权限", "Use groups to group your users and assign permissions.": "使用权限组来组织用户并分配权限",
"Use Initials": "使用首个字符作为头像", "Use Initials": "使用首个字符作为头像",
@ -1409,7 +1409,7 @@
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "每次对话最多仅能附上 {{maxCount}} 个文件。", "You can only chat with a maximum of {{maxCount}} file(s) at a time.": "每次对话最多仅能附上 {{maxCount}} 个文件。",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "通过点击下方的 “管理” 按钮,你可以添加记忆,以个性化大语言模型的互动,使其更有用,更符合你的需求。", "You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "通过点击下方的 “管理” 按钮,你可以添加记忆,以个性化大语言模型的互动,使其更有用,更符合你的需求。",
"You cannot upload an empty file.": "请勿上传空文件", "You cannot upload an empty file.": "请勿上传空文件",
"You do not have permission to upload files.": "没有上传文件的权限", "You do not have permission to upload files.": "没有上传文件的权限",
"You have no archived conversations.": "没有已归档的对话", "You have no archived conversations.": "没有已归档的对话",
"You have shared this chat": "此对话已经分享过", "You have shared this chat": "此对话已经分享过",
"You're a helpful assistant.": "你是一个乐于助人的助手", "You're a helpful assistant.": "你是一个乐于助人的助手",

View file

@ -210,6 +210,7 @@
"Clone Chat": "複製對話", "Clone Chat": "複製對話",
"Clone of {{TITLE}}": "{{TITLE}} 的副本", "Clone of {{TITLE}}": "{{TITLE}} 的副本",
"Close": "關閉", "Close": "關閉",
"Close Configure Connection Modal": "",
"Close modal": "", "Close modal": "",
"Close settings modal": "", "Close settings modal": "",
"Code execution": "程式碼執行", "Code execution": "程式碼執行",
@ -1232,7 +1233,6 @@
"This action cannot be undone. Do you wish to continue?": "此操作無法復原。您確定要繼續進行嗎?", "This action cannot be undone. Do you wish to continue?": "此操作無法復原。您確定要繼續進行嗎?",
"This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "此頻道建立於 {{createdAt}}。這是 {{channelName}} 頻道的起點。", "This channel was created on {{createdAt}}. This is the very beginning of the {{channelName}} channel.": "此頻道建立於 {{createdAt}}。這是 {{channelName}} 頻道的起點。",
"This chat won't appear in history and your messages will not be saved.": "此對話不會出現在歷史記錄中,且您的訊息將不被儲存。", "This chat won't appear in history and your messages will not be saved.": "此對話不會出現在歷史記錄中,且您的訊息將不被儲存。",
"This chat wont appear in history and your messages will not be saved.": "",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "這確保您寶貴的對話會安全地儲存到您的後端資料庫。謝謝!", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "這確保您寶貴的對話會安全地儲存到您的後端資料庫。謝謝!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "這是一個實驗性功能,它可能無法如預期運作,並且可能會隨時變更。", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "這是一個實驗性功能,它可能無法如預期運作,並且可能會隨時變更。",
"This model is not publicly available. Please select another model.": "此模型未開放公眾使用,請選擇其他模型。", "This model is not publicly available. Please select another model.": "此模型未開放公眾使用,請選擇其他模型。",

View file

@ -83,9 +83,9 @@ export const sanitizeResponseContent = (content: string) => {
.replace(/<\|[a-z]*$/, '') .replace(/<\|[a-z]*$/, '')
.replace(/<\|[a-z]+\|$/, '') .replace(/<\|[a-z]+\|$/, '')
.replace(/<$/, '') .replace(/<$/, '')
.replaceAll(/<\|[a-z]+\|>/g, ' ')
.replaceAll('<', '&lt;') .replaceAll('<', '&lt;')
.replaceAll('>', '&gt;') .replaceAll('>', '&gt;')
.replaceAll(/<\|[a-z]+\|>/g, ' ')
.trim(); .trim();
}; };