feat: sidebar新增记忆编辑入口

This commit is contained in:
sylarchen1389 2025-11-22 16:32:37 +08:00
parent 29374c0204
commit fbaa3327c4
62 changed files with 1134 additions and 232 deletions

View file

@ -56,6 +56,7 @@
import ChannelItem from './Sidebar/ChannelItem.svelte';
import PencilSquare from '../icons/PencilSquare.svelte';
import Search from '../icons/Search.svelte';
import Sparkles from '../icons/Sparkles.svelte';
import SearchModal from './SearchModal.svelte';
import FolderModal from './Sidebar/Folders/FolderModal.svelte';
import Sidebar from '../icons/Sidebar.svelte';
@ -881,6 +882,25 @@
</button>
</div>
<div class="px-[7px] flex justify-center text-gray-800 dark:text-gray-200">
<a
id="sidebar-memory-button"
class="grow flex items-center space-x-3 rounded-2xl px-2.5 py-2 hover:bg-gray-100 dark:hover:bg-gray-900 transition outline-none"
href="/memories"
on:click={itemClickHandler}
draggable="false"
aria-label={$i18n.t('Memory')}
>
<div class="self-center">
<Sparkles strokeWidth="2" className="size-4.5" />
</div>
<div class="flex self-center translate-y-[0.5px]">
<div class=" self-center text-sm font-primary">{$i18n.t('Memory')}</div>
</div>
</a>
</div>
{#if ($config?.features?.enable_notes ?? false) && ($user?.role === 'admin' || ($user?.permissions?.features?.notes ?? true))}
<div class="px-[7px] flex justify-center text-gray-800 dark:text-gray-200">
<a

View file

@ -0,0 +1,243 @@
<script lang="ts">
import { toast } from 'svelte-sonner';
import dayjs from 'dayjs';
import { getContext, onMount } from 'svelte';
import { memories, showMemoryPanel } from '$lib/stores';
import {
deleteMemoriesByUserId,
deleteMemoryById,
getMemories
} from '$lib/apis/memories';
import Tooltip from '$lib/components/common/Tooltip.svelte';
import AddMemoryModal from '$lib/components/chat/Settings/Personalization/AddMemoryModal.svelte';
import EditMemoryModal from '$lib/components/chat/Settings/Personalization/EditMemoryModal.svelte';
import ConfirmDialog from '$lib/components/common/ConfirmDialog.svelte';
import localizedFormat from 'dayjs/plugin/localizedFormat';
const i18n = getContext('i18n');
dayjs.extend(localizedFormat);
let loading = false;
let showAddMemoryModal = false;
let showEditMemoryModal = false;
let selectedMemory = null;
let showClearConfirmDialog = false;
const loadMemories = async () => {
loading = true;
try {
const data = await getMemories(localStorage.token);
memories.set(data || []);
} catch (error) {
toast.error($i18n.t('Failed to load memories'));
console.error(error);
} finally {
loading = false;
}
};
const onClearConfirmed = async () => {
const res = await deleteMemoriesByUserId(localStorage.token).catch((error) => {
toast.error(`${error}`);
return null;
});
if (res && $memories.length > 0) {
toast.success($i18n.t('Memory cleared successfully'));
memories.set([]);
}
showClearConfirmDialog = false;
};
const handleDeleteMemory = async (memoryId: string) => {
const res = await deleteMemoryById(localStorage.token, memoryId).catch((error) => {
toast.error(`${error}`);
return null;
});
if (res) {
toast.success($i18n.t('Memory deleted successfully'));
await loadMemories();
}
};
onMount(() => {
if ($showMemoryPanel && $memories.length === 0) {
loadMemories();
}
});
$: if ($showMemoryPanel && $memories.length === 0 && !loading) {
loadMemories();
}
</script>
{#if $showMemoryPanel}
<div class="px-2.5 mb-2 flex flex-col space-y-1">
<!-- Header -->
<div class="flex items-center justify-between px-2 py-2">
<div class="text-xs font-medium text-gray-600 dark:text-gray-400">
{$i18n.t('Memory')}
</div>
<div class="flex items-center gap-1">
<Tooltip content={$i18n.t('Add Memory')}>
<button
class="p-1.5 hover:bg-gray-100 dark:hover:bg-gray-900 rounded-lg transition"
on:click={() => {
showAddMemoryModal = true;
}}
>
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="2"
stroke="currentColor"
class="w-3.5 h-3.5"
>
<path stroke-linecap="round" stroke-linejoin="round" d="M12 4.5v15m7.5-7.5h-15" />
</svg>
</button>
</Tooltip>
<Tooltip content={$i18n.t('Clear memory')}>
<button
class="p-1.5 hover:bg-gray-100 dark:hover:bg-gray-900 rounded-lg transition text-red-500"
on:click={() => {
if ($memories.length > 0) {
showClearConfirmDialog = true;
} else {
toast.error($i18n.t('No memories to clear'));
}
}}
>
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="2"
stroke="currentColor"
class="w-3.5 h-3.5"
>
<path
stroke-linecap="round"
stroke-linejoin="round"
d="m14.74 9-.346 9m-4.788 0L9.26 9m9.968-3.21c.342.052.682.107 1.022.166m-1.022-.165L18.16 19.673a2.25 2.25 0 0 1-2.244 2.077H8.084a2.25 2.25 0 0 1-2.244-2.077L4.772 5.79m14.456 0a48.108 48.108 0 0 0-3.478-.397m-12 .562c.34-.059.68-.114 1.022-.165m0 0a48.11 48.11 0 0 1 3.478-.397m7.5 0v-.916c0-1.18-.91-2.164-2.09-2.201a51.964 51.964 0 0 0-3.32 0c-1.18.037-2.09 1.022-2.09 2.201v.916m7.5 0a48.667 48.667 0 0 0-7.5 0"
/>
</svg>
</button>
</Tooltip>
</div>
</div>
<!-- Memory List -->
<div class="flex flex-col space-y-1 max-h-96 overflow-y-auto">
{#if loading}
<div class="text-center py-8 text-sm text-gray-500">
{$i18n.t('Loading...')}
</div>
{:else if $memories.length === 0}
<div class="text-center py-8 text-sm text-gray-500">
<div class="mb-2">{$i18n.t('No memories yet')}</div>
<button
class="text-xs text-gray-600 dark:text-gray-400 hover:underline"
on:click={() => {
showAddMemoryModal = true;
}}
>
{$i18n.t('Add your first memory')}
</button>
</div>
{:else}
{#each $memories as memory}
<div
class="group flex items-start gap-2 p-2 rounded-xl hover:bg-gray-100 dark:hover:bg-gray-900 transition"
>
<div class="flex-1 min-w-0">
<div class="text-sm text-gray-800 dark:text-gray-200 line-clamp-2 break-words">
{memory.content}
</div>
<div class="text-xs text-gray-500 dark:text-gray-500 mt-1">
{dayjs(memory.updated_at * 1000).format('ll')}
</div>
</div>
<div class="flex items-center gap-0.5 opacity-0 group-hover:opacity-100 transition">
<Tooltip content={$i18n.t('Edit')}>
<button
class="p-1.5 hover:bg-gray-200 dark:hover:bg-gray-800 rounded-lg"
on:click={() => {
selectedMemory = memory;
showEditMemoryModal = true;
}}
>
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="1.5"
stroke="currentColor"
class="w-3.5 h-3.5"
>
<path
stroke-linecap="round"
stroke-linejoin="round"
d="m16.862 4.487 1.687-1.688a1.875 1.875 0 1 1 2.652 2.652L6.832 19.82a4.5 4.5 0 0 1-1.897 1.13l-2.685.8.8-2.685a4.5 4.5 0 0 1 1.13-1.897L16.863 4.487Zm0 0L19.5 7.125"
/>
</svg>
</button>
</Tooltip>
<Tooltip content={$i18n.t('Delete')}>
<button
class="p-1.5 hover:bg-gray-200 dark:hover:bg-gray-800 rounded-lg text-red-500"
on:click={() => handleDeleteMemory(memory.id)}
>
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="1.5"
stroke="currentColor"
class="w-3.5 h-3.5"
>
<path
stroke-linecap="round"
stroke-linejoin="round"
d="m14.74 9-.346 9m-4.788 0L9.26 9m9.968-3.21c.342.052.682.107 1.022.166m-1.022-.165L18.16 19.673a2.25 2.25 0 0 1-2.244 2.077H8.084a2.25 2.25 0 0 1-2.244-2.077L4.772 5.79m14.456 0a48.108 48.108 0 0 0-3.478-.397m-12 .562c.34-.059.68-.114 1.022-.165m0 0a48.11 48.11 0 0 1 3.478-.397m7.5 0v-.916c0-1.18-.91-2.164-2.09-2.201a51.964 51.964 0 0 0-3.32 0c-1.18.037-2.09 1.022-2.09 2.201v.916m7.5 0a48.667 48.667 0 0 0-7.5 0"
/>
</svg>
</button>
</Tooltip>
</div>
</div>
{/each}
{/if}
</div>
<!-- Divider -->
<div class="border-b border-gray-100 dark:border-gray-850 my-2"></div>
</div>
{/if}
<ConfirmDialog
title={$i18n.t('Clear Memory')}
message={$i18n.t('Are you sure you want to clear all memories? This action cannot be undone.')}
show={showClearConfirmDialog}
on:confirm={onClearConfirmed}
on:cancel={() => {
showClearConfirmDialog = false;
}}
/>
<AddMemoryModal
bind:show={showAddMemoryModal}
on:save={async () => {
await loadMemories();
}}
/>
<EditMemoryModal
bind:show={showEditMemoryModal}
memory={selectedMemory}
on:save={async () => {
await loadMemories();
}}
/>

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "اضافة مستخدم",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "مظلم",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "فشل في إنشاء مفتاح API.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.",
@ -1139,10 +1148,6 @@
"Open new chat": "فتح محادثة جديده",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API إعدادات",

View file

@ -63,6 +63,7 @@
"Add text content": "إضافة محتوى نصي",
"Add User": "إضافة مستخدم",
"Add User Group": "إضافة مجموعة مستخدمين",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "تستخدم واجهة WebUI أداة faster-whisper داخليًا.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "تستخدم WebUI نموذج SpeechT5 وتضمينات صوتية من CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "إصدار WebUI الحالي (v{{OPEN_WEBUI_VERSION}}) أقل من الإصدار المطلوب (v{{REQUIRED_VERSION}})",
"Danger Zone": "منطقة الخطر",
"Dark": "داكن",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "فشل في إضافة الملف.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "فشل في إنشاء مفتاح API.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "لم يتم العثور على محرك استدلال يدعم الإدارة",
"No knowledge found": "لم يتم العثور على معرفة",
"No memories to clear": "لا توجد ذاكرة لمسحها",
"No memories yet": "",
"No model IDs": "لا توجد معرّفات نماذج",
"No models found": "لم يتم العثور على نماذج",
"No models selected": "لم يتم اختيار نماذج",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "يُسمح فقط بالحروف والأرقام والواصلات",
"Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "يمكن تعديل المجموعات فقط، أنشئ قاعدة معرفة جديدة لتعديل أو إضافة مستندات.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "يمكن الوصول فقط من قبل المستخدمين والمجموعات المصرح لهم",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.",
@ -1139,10 +1148,6 @@
"Open new chat": "فتح محادثة جديده",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "تستخدم واجهة WebUI أداة faster-whisper داخليًا.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "تستخدم WebUI نموذج SpeechT5 وتضمينات صوتية من CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "إصدار WebUI الحالي (v{{OPEN_WEBUI_VERSION}}) أقل من الإصدار المطلوب (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API إعدادات",

View file

@ -63,6 +63,7 @@
"Add text content": "Добавяне на текстово съдържание",
"Add User": "Добавяне на потребител",
"Add User Group": "Добавяне на потребителска група",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover използва вътрешно по-бързо-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover използва SpeechT5 и CMU Arctic говорителни вграждания.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Версията на CyberLover (v{{OPEN_WEBUI_VERSION}}) е по-ниска от необходимата версия (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "Тъмен",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Неуспешно добавяне на файл.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Неуспешно създаване на API ключ.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Грешка при четене на съдържанието от клипборда",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Не е намерен механизъм за извод с поддръжка на управлението",
"No knowledge found": "Не са намерени знания",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "Няма ИД-та на моделите",
"No models found": "Не са намерени модели",
"No models selected": "Няма избрани модели",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Разрешени са само буквено-цифрови знаци и тирета",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерични знаци и тире са разрешени в командния низ.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Само колекциите могат да бъдат редактирани, създайте нова база от знания, за да редактирате/добавяте документи.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Само избрани потребители и групи с разрешение могат да имат достъп",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изглежда URL адресът е невалиден. Моля, проверете отново и опитайте пак.",
@ -1139,10 +1148,6 @@
"Open new chat": "Отвори нов чат",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover използва вътрешно по-бързо-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover използва SpeechT5 и CMU Arctic говорителни вграждания.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Версията на CyberLover (v{{OPEN_WEBUI_VERSION}}) е по-ниска от необходимата версия (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API на OpenAI",
"OpenAI API Config": "OpenAI API конфигурация",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "ইউজার যোগ করুন",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "ডার্ক",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "API Key তৈরি করা যায়নি।",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "ক্লিপবোর্ডের বিষয়বস্তু পড়া সম্ভব হয়নি",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "কমান্ড স্ট্রিং-এ শুধুমাত্র ইংরেজি অক্ষর, সংখ্যা এবং হাইফেন ব্যবহার করা যাবে।",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "ওহ, মনে হচ্ছে ইউআরএলটা ইনভ্যালিড। দয়া করে আর চেক করে চেষ্টা করুন।",
@ -1139,10 +1148,6 @@
"Open new chat": "নতুন চ্যাট খুলুন",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI এপিআই",
"OpenAI API Config": "OpenAI এপিআই কনফিগ",

View file

@ -63,6 +63,7 @@
"Add text content": "ཡིག་རྐྱང་ནང་དོན་སྣོན་པ།",
"Add User": "བེད་སྤྱོད་མཁན་སྣོན་པ།",
"Add User Group": "བེད་སྤྱོད་མཁན་ཚོགས་པ་སྣོན་པ།",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover ཡིས་ནང་ཁུལ་དུ་ faster-whisper བེད་སྤྱོད་བྱེད།",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover ཡིས་ SpeechT5 དང་ CMU Arctic གཏམ་བཤད་པའི་ཚུད་འཇུག་བེད་སྤྱོད་བྱེད།",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover པར་གཞི། (v{{OPEN_WEBUI_VERSION}}) དེ་དགོས་ངེས་ཀྱི་པར་གཞི་ (v{{REQUIRED_VERSION}}) ལས་དམའ་བ།",
"Danger Zone": "ཉེན་ཁའི་ས་ཁུལ།",
"Dark": "ནག་པོ།",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "ཡིག་ཆ་སྣོན་པར་མ་ཐུབ།",
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI ལག་ཆའི་སར་བར་ལ་སྦྲེལ་མཐུད་བྱེད་མ་ཐུབ།",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "API ལྡེ་མིག་བཟོ་མ་ཐུབ།",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "སྦྱར་སྡེར་གྱི་ནང་དོན་ཀློག་མ་ཐུབ།",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "དོ་དམ་རྒྱབ་སྐྱོར་ཡོད་པའི་དཔོག་རྩིས་འཕྲུལ་འཁོར་མ་རྙེད།",
"No knowledge found": "ཤེས་བྱ་མ་རྙེད།",
"No memories to clear": "གཙང་སེལ་བྱེད་རྒྱུའི་དྲན་ཤེས་མེད།",
"No memories yet": "",
"No model IDs": "དཔེ་དབྱིབས་ཀྱི་ ID མེད།",
"No models found": "དཔེ་དབྱིབས་མ་རྙེད།",
"No models selected": "དཔེ་དབྱིབས་གདམ་ག་མ་བྱས།",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "ཨང་ཀི་དང་དབྱིན་ཡིག་གི་ཡིག་འབྲུ་དང་སྦྲེལ་རྟགས་ཁོ་ན་ཆོག་པ།",
"Only alphanumeric characters and hyphens are allowed in the command string.": "བཀའ་བརྡའི་ཡིག་ཕྲེང་ནང་ཨང་ཀི་དང་དབྱིན་ཡིག་གི་ཡིག་འབྲུ་དང་སྦྲེལ་རྟགས་ཁོ་ན་ཆོག་པ།",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "བསྡུ་གསོག་ཁོ་ན་ཞུ་དག་བྱེད་ཐུབ། ཡིག་ཆ་ཞུ་དག་/སྣོན་པར་ཤེས་བྱའི་རྟེན་གཞི་གསར་པ་ཞིག་བཟོ་བ།",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "དབང་ཚད་ཡོད་པའི་བེད་སྤྱོད་མཁན་དང་ཚོགས་པ་གདམ་ག་བྱས་པ་ཁོ་ན་འཛུལ་སྤྱོད་ཐུབ།",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "ཨོའོ། URL དེ་ནུས་མེད་ཡིན་པ་འདྲ། ཡང་བསྐྱར་ཞིབ་དཔྱད་བྱས་ནས་ཚོད་ལྟ་བྱེད་རོགས།",
@ -1139,10 +1148,6 @@
"Open new chat": "ཁ་བརྡ་གསར་པ་ཁ་ཕྱེ་བ།",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover ཡིས་ནང་ཁུལ་དུ་ faster-whisper བེད་སྤྱོད་བྱེད།",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover ཡིས་ SpeechT5 དང་ CMU Arctic གཏམ་བཤད་པའི་ཚུད་འཇུག་བེད་སྤྱོད་བྱེད།",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover པར་གཞི། (v{{OPEN_WEBUI_VERSION}}) དེ་དགོས་ངེས་ཀྱི་པར་གཞི་ (v{{REQUIRED_VERSION}}) ལས་དམའ་བ།",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API Config",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "Dodaj korisnika",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "Tamno",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Neuspješno stvaranje API ključa.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.",
@ -1139,10 +1148,6 @@
"Open new chat": "Otvorite novi razgovor",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API konfiguracija",

View file

@ -63,6 +63,7 @@
"Add text content": "Afegir contingut de text",
"Add User": "Afegir un usuari",
"Add User Group": "Afegir grup d'usuaris",
"Add your first memory": "",
"Additional Config": "Configuració addicional",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opcions de configuració addicionals per al marcador. Hauria de ser una cadena JSON amb parelles clau-valor. Per exemple, '{\"key\": \"value\"}'. Les claus compatibles inclouen: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
"Additional Parameters": "Paràmetres addicionals",
@ -365,6 +366,10 @@
"Custom description enabled": "Descripcions personalitzades habilitades",
"Custom Parameter Name": "Nom del paràmetre personalitzat",
"Custom Parameter Value": "Valor del paràmetre personalitzat",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover pot utilitzar eines de servidors OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover utilitza faster-whisper internament.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover utilitza incrustacions de SpeechT5 i CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La versió d'CyberLover (v{{OPEN_WEBUI_VERSION}}) és inferior a la versió requerida (v{{REQUIRED_VERSION}})",
"Danger Zone": "Zona de perill",
"Dark": "Fosc",
"Data Controls": "Controls de dades",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Efecte de fos a negre per al text en streaming",
"Failed to add file.": "No s'ha pogut afegir l'arxiu.",
"Failed to connect to {{URL}} OpenAPI tool server": "No s'ha pogut connecta al servidor d'eines OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "No s'ha pogut copiar l'enllaç",
"Failed to create API Key.": "No s'ha pogut crear la clau API.",
"Failed to delete note": "No s'ha pogut eliminar la nota",
@ -704,6 +710,7 @@
"Failed to import models": "No s'han pogut importar el models",
"Failed to load chat preview": "No s'ha pogut carregar la previsualització del xat",
"Failed to load file content.": "No s'ha pogut carregar el contingut del fitxer",
"Failed to load memories": "",
"Failed to move chat": "No s'ha pogut moure el xat",
"Failed to read clipboard contents": "No s'ha pogut llegir el contingut del porta-retalls",
"Failed to render diagram": "No s'ha pogut renderitzar el diagrama",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "No s'ha trobat un motor d'inferència amb suport de gestió",
"No knowledge found": "No s'ha trobat Coneixement",
"No memories to clear": "No hi ha memòries per netejar",
"No memories yet": "",
"No model IDs": "No hi ha IDs de model",
"No models found": "No s'han trobat models",
"No models selected": "No s'ha seleccionat cap model",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Només es permeten caràcters alfanumèrics i guions",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Només es permeten caràcters alfanumèrics i guions en la comanda.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Només es poden editar col·leccions, crea una nova base de coneixement per editar/afegir documents.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Només es permeten arxius markdown",
"Only select users and groups with permission can access": "Només hi poden accedir usuaris i grups seleccionats amb permís",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! Sembla que l'URL no és vàlida. Si us plau, revisa-la i torna-ho a provar.",
@ -1139,10 +1148,6 @@
"Open new chat": "Obre un xat nou",
"Open Sidebar": "Obre la barra lateral",
"Open User Profile Menu": "Obre el menú de perfil d'usuari",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover pot utilitzar eines de servidors OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover utilitza faster-whisper internament.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover utilitza incrustacions de SpeechT5 i CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La versió d'CyberLover (v{{OPEN_WEBUI_VERSION}}) és inferior a la versió requerida (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API d'OpenAI",
"OpenAI API Config": "Configuració de l'API d'OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "Ngitngit",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Napakyas sa pagbasa sa sulod sa clipboard",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Ang alphanumeric nga mga karakter ug hyphen lang ang gitugotan sa command string.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! ",
@ -1139,10 +1148,6 @@
"Open new chat": "Ablihi ang bag-ong diskusyon",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "",

View file

@ -63,6 +63,7 @@
"Add text content": "Přidat textový obsah",
"Add User": "Přidat uživatele",
"Add User Group": "Přidat skupinu uživatelů",
"Add your first memory": "",
"Additional Config": "Dodatečná konfigurace",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Další možnosti konfigurace pro marker. Měl by to být řetězec JSON s páry klíč-hodnota. Například: '{\"key\": \"value\"}'. Podporované klíče zahrnují: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "Vlastní popis povolen",
"Custom Parameter Name": "Název vlastního parametru",
"Custom Parameter Value": "Hodnota vlastního parametru",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover může používat nástroje poskytované jakýmkoli serverem OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover interně používá faster-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover používá SpeechT5 a vektorizaci mluvčích CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Verze CyberLover (v{{OPEN_WEBUI_VERSION}}) je nižší než požadovaná verze (v{{REQUIRED_VERSION}})",
"Danger Zone": "Nebezpečná zóna",
"Dark": "Tmavý",
"Data Controls": "Správa dat",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Efekt prolínání pro streamovaný text",
"Failed to add file.": "Nepodařilo se přidat soubor.",
"Failed to connect to {{URL}} OpenAPI tool server": "Nepodařilo se připojit k serveru nástrojů OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Nepodařilo se zkopírovat odkaz",
"Failed to create API Key.": "Nepodařilo se vytvořit API klíč.",
"Failed to delete note": "Nepodařilo se smazat poznámku",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "Nepodařilo se načíst náhled konverzace",
"Failed to load file content.": "Nepodařilo se načíst obsah souboru.",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Nepodařilo se přečíst obsah schránky",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Nebyl nalezeno žádné inferenční jádro s podporou správy",
"No knowledge found": "Nebyly nalezeny žádné znalosti",
"No memories to clear": "Žádné vzpomínky k vymazání",
"No memories yet": "",
"No model IDs": "Žádná ID modelů",
"No models found": "Nebyly nalezeny žádné modely",
"No models selected": "Nebyly vybrány žádné modely",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Jsou povoleny pouze alfanumerické znaky a pomlčky",
"Only alphanumeric characters and hyphens are allowed in the command string.": "V řetězci příkazu jsou povoleny pouze alfanumerické znaky a pomlčky.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Lze upravovat pouze kolekce, pro úpravu/přidání dokumentů vytvořte novou znalostní bázi.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Jsou povoleny pouze soubory markdown",
"Only select users and groups with permission can access": "Přístup mají pouze vybraní uživatelé a skupiny s oprávněním",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Jejda! Zdá se, že URL adresa je neplatná. Zkontrolujte ji prosím a zkuste to znovu.",
@ -1139,10 +1148,6 @@
"Open new chat": "Otevřít novou konverzaci",
"Open Sidebar": "Otevřít postranní panel",
"Open User Profile Menu": "Otevřít nabídku profilu uživatele",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover může používat nástroje poskytované jakýmkoli serverem OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover interně používá faster-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover používá SpeechT5 a vektorizaci mluvčích CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Verze CyberLover (v{{OPEN_WEBUI_VERSION}}) je nižší než požadovaná verze (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "Konfigurace OpenAI API",

View file

@ -63,6 +63,7 @@
"Add text content": "Tilføj tekst",
"Add User": "Tilføj bruger",
"Add User Group": "Tilføj Brugergruppe",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "Brugerdefineret beskrivelse aktiveret",
"Custom Parameter Name": "Brugerdefineret parameternavn",
"Custom Parameter Value": "Brugerdefineret parameterværdi",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover kan bruge værktøjer leveret af enhver OpenAPI server.",
"CyberLover uses faster-whisper internally.": "CyberLover bruger faster-whisper internt.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover bruger SpeechT5 og CMU Arctic taler embeddings.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover-version (v{{OPEN_WEBUI_VERSION}}) er lavere end den krævede version (v{{REQUIRED_VERSION}})",
"Danger Zone": "Danger Zone",
"Dark": "Mørk",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Fade-effekt for streaming tekst",
"Failed to add file.": "Kunne ikke tilføje fil.",
"Failed to connect to {{URL}} OpenAPI tool server": "Kunne ikke forbinde til {{URL}} OpenAPI tool server",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Kunne ikke kopiere link",
"Failed to create API Key.": "Kunne ikke oprette API-nøgle.",
"Failed to delete note": "Kunne ikke slette note",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "Kunne ikke indlæse chat forhåndsvisning",
"Failed to load file content.": "Kunne ikke indlæse filindhold.",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Kunne ikke læse indholdet af udklipsholderen",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Ingen inference-engine med støtte til administration fundet",
"No knowledge found": "Ingen viden fundet",
"No memories to clear": "Ingen hukommelser at ryde",
"No memories yet": "",
"No model IDs": "Ingen model-ID'er",
"No models found": "Ingen modeller fundet",
"No models selected": "Ingen modeller valgt",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Kun alfanumeriske tegn og bindestreger er tilladt",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Kun alfanumeriske tegn og bindestreger er tilladt i kommandostrengen.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Kun samlinger kan redigeres, opret en ny vidensbase for at redigere/tilføje dokumenter.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Kun markdown-filer er tilladt",
"Only select users and groups with permission can access": "Kun valgte brugere og grupper med tilladelse kan tilgå",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! URL'en ser ud til at være ugyldig. Tjek den igen, og prøv igen.",
@ -1139,10 +1148,6 @@
"Open new chat": "Åbn ny chat",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover kan bruge værktøjer leveret af enhver OpenAPI server.",
"CyberLover uses faster-whisper internally.": "CyberLover bruger faster-whisper internt.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover bruger SpeechT5 og CMU Arctic taler embeddings.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover-version (v{{OPEN_WEBUI_VERSION}}) er lavere end den krævede version (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API-konfiguration",

View file

@ -63,6 +63,7 @@
"Add text content": "Textinhalt hinzufügen",
"Add User": "Benutzer hinzufügen",
"Add User Group": "Benutzergruppe hinzufügen",
"Add your first memory": "",
"Additional Config": "Zusätzliche Konfiguration",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Zusätzliche Konfigurationsoptionen für den Marker. Dies sollte eine JSON-Zeichenfolge mit Schlüssel-Wert-Paaren sein. Zum Beispiel '{\"key\": \"value\"}'. Unterstützte Schlüssel sind: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
"Additional Parameters": "Weitere Parameter",
@ -365,6 +366,10 @@
"Custom description enabled": "Benutzerdefinierte Beschreibung aktiviert",
"Custom Parameter Name": "Benutzerdefinierter Parameter Name",
"Custom Parameter Value": "Benutzerdefinierter Parameter Wert",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover kann Werkzeuge verwenden, die von irgendeinem OpenAPI-Server bereitgestellt werden.",
"CyberLover uses faster-whisper internally.": "CyberLover verwendet intern faster-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover verwendet SpeechT5 und CMU Arctic Sprecher-Embeddings.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Die installierte Open-WebUI-Version (v{{OPEN_WEBUI_VERSION}}) ist niedriger als die erforderliche Version (v{{REQUIRED_VERSION}})",
"Danger Zone": "Gefahrenzone",
"Dark": "Dunkel",
"Data Controls": "Datenverwaltung",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Überblendeffekt für Text-Streaming",
"Failed to add file.": "Fehler beim Hinzufügen der Datei.",
"Failed to connect to {{URL}} OpenAPI tool server": "Verbindung zum OpenAPI-Toolserver {{URL}} fehlgeschlagen",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Fehler beim kopieren des Links",
"Failed to create API Key.": "Fehler beim Erstellen des API-Schlüssels.",
"Failed to delete note": "Notiz konnte nicht gelöscht werden",
@ -704,6 +710,7 @@
"Failed to import models": "Fehler beim Importieren der Modelle",
"Failed to load chat preview": "Chat-Vorschau konnte nicht geladen werden",
"Failed to load file content.": "Fehler beim Laden des Dateiinhalts.",
"Failed to load memories": "",
"Failed to move chat": "Chat konnte nicht verschoben werden",
"Failed to read clipboard contents": "Fehler beim Lesen des Inhalts der Zwischenablage.",
"Failed to render diagram": "Diagramm konnte nicht gerendert werden",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Keine Inferenz-Engine mit Management-Unterstützung gefunden",
"No knowledge found": "Kein Wissen gefunden",
"No memories to clear": "Keine Erinnerungen zum Entfernen",
"No memories yet": "",
"No model IDs": "Keine Modell-IDs",
"No models found": "Keine Modelle gefunden",
"No models selected": "Keine Modelle ausgewählt",
@ -1124,6 +1132,7 @@
"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 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 JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Nur Markdown-Dateien sind erlaubt",
"Only select users and groups with permission can access": "Nur ausgewählte Benutzer und Gruppen mit Berechtigung können darauf zugreifen",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppla! Es scheint, dass die URL ungültig ist. Bitte überprüfen Sie diese und versuchen Sie es erneut.",
@ -1139,10 +1148,6 @@
"Open new chat": "Neuen Chat öffnen",
"Open Sidebar": "Seitenleiste öffnen",
"Open User Profile Menu": "Benutzerprofilmenü öffnen",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover kann Werkzeuge verwenden, die von irgendeinem OpenAPI-Server bereitgestellt werden.",
"CyberLover uses faster-whisper internally.": "CyberLover verwendet intern faster-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover verwendet SpeechT5 und CMU Arctic Sprecher-Embeddings.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Die installierte Open-WebUI-Version (v{{OPEN_WEBUI_VERSION}}) ist niedriger als die erforderliche Version (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI-API",
"OpenAI API Config": "OpenAI-API-Konfiguration",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "Dark",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Failed to read clipboard borks",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Only wow characters and hyphens are allowed in the bork string.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"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.",
@ -1139,10 +1148,6 @@
"Open new chat": "Open new bark",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "",

View file

@ -63,6 +63,7 @@
"Add text content": "Προσθήκη κειμένου",
"Add User": "Προσθήκη Χρήστη",
"Add User Group": "Προσθήκη Ομάδας Χρηστών",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "Το CyberLover χρησιμοποιεί το faster-whisper εσωτερικά.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Το CyberLover χρησιμοποιεί τα SpeechT5 και CMU Arctic embeddings ομιλητών.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Η έκδοση CyberLover (v{{OPEN_WEBUI_VERSION}}) είναι χαμηλότερη από την απαιτούμενη έκδοση (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "Σκούρο",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Αποτυχία προσθήκης αρχείου.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Αποτυχία δημιουργίας Κλειδιού API.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Αποτυχία ανάγνωσης περιεχομένων πρόχειρου",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "Δεν βρέθηκε γνώση",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "Δεν υπάρχουν IDs μοντέλων",
"No models found": "Δεν βρέθηκαν μοντέλα",
"No models selected": "Δεν έχουν επιλεγεί μοντέλα",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Επιτρέπονται μόνο αλφαριθμητικοί χαρακτήρες και παύλες",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Επιτρέπονται μόνο αλφαριθμητικοί χαρακτήρες και παύλες στο string της εντολής.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Μόνο συλλογές μπορούν να επεξεργαστούν, δημιουργήστε μια νέα βάση γνώσης για επεξεργασία/προσθήκη εγγράφων.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Μόνο επιλεγμένοι χρήστες και ομάδες με άδεια μπορούν να έχουν πρόσβαση",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ωχ! Φαίνεται ότι το URL είναι μη έγκυρο. Παρακαλώ ελέγξτε ξανά και δοκιμάστε.",
@ -1139,10 +1148,6 @@
"Open new chat": "Άνοιγμα νέας συνομιλίας",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "Το CyberLover χρησιμοποιεί το faster-whisper εσωτερικά.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Το CyberLover χρησιμοποιεί τα SpeechT5 και CMU Arctic embeddings ομιλητών.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Η έκδοση CyberLover (v{{OPEN_WEBUI_VERSION}}) είναι χαμηλότερη από την απαιτούμενη έκδοση (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Διαμόρφωση API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "",
@ -1139,10 +1148,6 @@
"Open new chat": "",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "",
"OpenAI API": "",
"OpenAI API Config": "",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "",
@ -1139,10 +1148,6 @@
"Open new chat": "",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "",
"OpenAI API": "",
"OpenAI API Config": "",

View file

@ -63,6 +63,7 @@
"Add text content": "Añade contenido de texto",
"Add User": "Añadir Usuario",
"Add User Group": "Añadir grupo de usuarios",
"Add your first memory": "",
"Additional Config": "Config Adicional",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opciones de configuración adicionales para Marker. Debe ser una cadena JSON con pares clave-valor. Por ejemplo, '{\"key\": \"value\"}'. Las claves soportadas son: disabled_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
"Additional Parameters": "Parámetros Adicionales",
@ -365,6 +366,10 @@
"Custom description enabled": "Descripción personalizada activada",
"Custom Parameter Name": "Nombre del Parámetro Personalizado",
"Custom Parameter Value": "Valor del Parámetro Personalizado",
"CyberLover can use tools provided by any OpenAPI server.": "Open-WebUI puede usar herramientas proporcionadas por cualquier servidor OpenAPI",
"CyberLover uses faster-whisper internally.": "Open-WebUI usa faster-whisper internamente.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Open-WebUI usa SpeechT5 y la incrustración de locutores de CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La versión de Open-WebUI (v{{OPEN_WEBUI_VERSION}}) es inferior a la versión (v{{REQUIRED_VERSION}}) requerida",
"Danger Zone": "Zona Peligrosa",
"Dark": "Oscuro",
"Data Controls": "Controles de Datos",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Efecto de desvanecimiento para texto transmitido (streaming)",
"Failed to add file.": "Fallo al añadir el archivo.",
"Failed to connect to {{URL}} OpenAPI tool server": "Fallo al conectar al servidor de herramientas {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Fallo al copiar enlace",
"Failed to create API Key.": "Fallo al crear la Clave API.",
"Failed to delete note": "Fallo al eliminar nota",
@ -704,6 +710,7 @@
"Failed to import models": "Fallo al importar modelos",
"Failed to load chat preview": "Fallo al cargar la previsualización del chat",
"Failed to load file content.": "Fallo al cargar el contenido del archivo",
"Failed to load memories": "",
"Failed to move chat": "Fallo al mover el chat",
"Failed to read clipboard contents": "Fallo al leer el contenido del portapapeles",
"Failed to render diagram": "Fallo al renderizar el diagrama",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "No se encontró un motor de inferencia que soporte gestión",
"No knowledge found": "No se encontró ningún conocimiento",
"No memories to clear": "No hay memorias para borrar",
"No memories yet": "",
"No model IDs": "No hay IDs de modelo",
"No models found": "No se encontraron modelos",
"No models selected": "No se seleccionaron modelos",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Sólo están permitidos caracteres alfanuméricos y guiones",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo están permitidos en la cadena de comandos caracteres alfanuméricos y guiones.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar las colecciones, para añadir/editar documentos hay que crear una nueva base de conocimientos",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Solo están permitidos archivos markdown",
"Only select users and groups with permission can access": "Solo pueden acceder los usuarios y grupos con permiso",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "¡vaya! Parece que la URL es inválida. Por favor, revisala y reintenta de nuevo.",
@ -1139,10 +1148,6 @@
"Open new chat": "Abrir nuevo chat",
"Open Sidebar": "Abrir Barra Lateral",
"Open User Profile Menu": "Abrir Menu de Perfiles de Usuario",
"CyberLover can use tools provided by any OpenAPI server.": "Open-WebUI puede usar herramientas proporcionadas por cualquier servidor OpenAPI",
"CyberLover uses faster-whisper internally.": "Open-WebUI usa faster-whisper internamente.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Open-WebUI usa SpeechT5 y la incrustración de locutores de CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La versión de Open-WebUI (v{{OPEN_WEBUI_VERSION}}) es inferior a la versión (v{{REQUIRED_VERSION}}) requerida",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Config API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Lisa tekstisisu",
"Add User": "Lisa kasutaja",
"Add User Group": "Lisa kasutajagrupp",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover kasutab sisemiselt faster-whisper'it.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover kasutab SpeechT5 ja CMU Arctic kõneleja manustamisi.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover versioon (v{{OPEN_WEBUI_VERSION}}) on madalam kui nõutav versioon (v{{REQUIRED_VERSION}})",
"Danger Zone": "Ohutsoon",
"Dark": "Tume",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Faili lisamine ebaõnnestus.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "API võtme loomine ebaõnnestus.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Lõikelaua sisu lugemine ebaõnnestus",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Järeldusmootorit haldamise toega ei leitud",
"No knowledge found": "Teadmisi ei leitud",
"No memories to clear": "Pole mälestusi, mida kustutada",
"No memories yet": "",
"No model IDs": "Mudeli ID-d puuduvad",
"No models found": "Mudeleid ei leitud",
"No models selected": "Mudeleid pole valitud",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Lubatud on ainult tähtede-numbrite kombinatsioonid ja sidekriipsud",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Käsustringis on lubatud ainult tähtede-numbrite kombinatsioonid ja sidekriipsud.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Muuta saab ainult kogusid, dokumentide muutmiseks/lisamiseks looge uus teadmiste baas.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Juurdepääs on ainult valitud õigustega kasutajatel ja gruppidel",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oih! URL tundub olevat vigane. Palun kontrollige ja proovige uuesti.",
@ -1139,10 +1148,6 @@
"Open new chat": "Ava uus vestlus",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover kasutab sisemiselt faster-whisper'it.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover kasutab SpeechT5 ja CMU Arctic kõneleja manustamisi.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover versioon (v{{OPEN_WEBUI_VERSION}}) on madalam kui nõutav versioon (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API seadistus",

View file

@ -63,6 +63,7 @@
"Add text content": "Gehitu testu edukia",
"Add User": "Gehitu Erabiltzailea",
"Add User Group": "Gehitu Erabiltzaile Taldea",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover-k faster-whisper erabiltzen du barnean.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover-k SpeechT5 eta CMU Arctic hiztun txertaketak erabiltzen ditu.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover bertsioa (v{{OPEN_WEBUI_VERSION}}) beharrezko bertsioa (v{{REQUIRED_VERSION}}) baino baxuagoa da",
"Danger Zone": "",
"Dark": "Iluna",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Huts egin du fitxategia gehitzean.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Huts egin du API Gakoa sortzean.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Huts egin du arbelaren edukia irakurtzean",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "Ez da ezagutzarik aurkitu",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "Ez dago modelo IDrik",
"No models found": "Ez da modelorik aurkitu",
"No models selected": "Ez da modelorik hautatu",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Karaktere alfanumerikoak eta marratxoak soilik onartzen dira",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Karaktere alfanumerikoak eta marratxoak soilik onartzen dira komando katean.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Bildumak soilik edita daitezke, sortu ezagutza-base berri bat dokumentuak editatzeko/gehitzeko.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Baimena duten erabiltzaile eta talde hautatuek soilik sar daitezke",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! URLa ez da baliozkoa. Mesedez, egiaztatu eta saiatu berriro.",
@ -1139,10 +1148,6 @@
"Open new chat": "Ireki txat berria",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover-k faster-whisper erabiltzen du barnean.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover-k SpeechT5 eta CMU Arctic hiztun txertaketak erabiltzen ditu.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover bertsioa (v{{OPEN_WEBUI_VERSION}}) beharrezko bertsioa (v{{REQUIRED_VERSION}}) baino baxuagoa da",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API konfigurazioa",

View file

@ -63,6 +63,7 @@
"Add text content": "افزودن محتوای متنی",
"Add User": "افزودن کاربر",
"Add User Group": "افزودن گروه کاربری",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover می\u200cتواند از ابزارهای ارائه شده توسط هر سرور OpenAPI استفاده کند.",
"CyberLover uses faster-whisper internally.": "CyberLover به صورت داخلی از faster-whisper استفاده می\u200cکند.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover از SpeechT5 و جاسازی\u200cهای گوینده CMU Arctic استفاده می\u200cکند.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "نسخه CyberLover (v{{OPEN_WEBUI_VERSION}}) پایین\u200cتر از نسخه مورد نیاز (v{{REQUIRED_VERSION}}) است",
"Danger Zone": "منطقه خطر",
"Dark": "تیره",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "خطا در افزودن پرونده",
"Failed to connect to {{URL}} OpenAPI tool server": "خطا در اتصال به سرور ابزار OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "ایجاد کلید API با خطا مواجه شد.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "خواندن محتوای کلیپ بورد ناموفق بود",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "موتور استنتاج با پشتیبانی مدیریت یافت نشد",
"No knowledge found": "دانشی یافت نشد",
"No memories to clear": "حافظه\u200cای برای پاک کردن وجود ندارد",
"No memories yet": "",
"No model IDs": "شناسه مدلی وجود ندارد",
"No models found": "مدلی یافت نشد",
"No models selected": "مدلی انتخاب نشده است",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "فقط حروف الفبا، اعداد و خط تیره مجاز هستند",
"Only alphanumeric characters and hyphens are allowed in the command string.": "فقط کاراکترهای الفبایی و خط فاصله در رشته فرمان مجاز هستند.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "فقط مجموعه\u200cها قابل ویرایش هستند، برای ویرایش/افزودن اسناد یک پایگاه دانش جدید ایجاد کنید.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "فقط کاربران و گروه\u200cهای دارای مجوز می\u200cتوانند دسترسی داشته باشند",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "اوه! به نظر می رسد URL نامعتبر است. لطفاً دوباره بررسی کنید و دوباره امتحان کنید.",
@ -1139,10 +1148,6 @@
"Open new chat": "باز کردن گپ جدید",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover می\u200cتواند از ابزارهای ارائه شده توسط هر سرور OpenAPI استفاده کند.",
"CyberLover uses faster-whisper internally.": "CyberLover به صورت داخلی از faster-whisper استفاده می\u200cکند.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover از SpeechT5 و جاسازی\u200cهای گوینده CMU Arctic استفاده می\u200cکند.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "نسخه CyberLover (v{{OPEN_WEBUI_VERSION}}) پایین\u200cتر از نسخه مورد نیاز (v{{REQUIRED_VERSION}}) است",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API تنظیمات",

View file

@ -63,6 +63,7 @@
"Add text content": "Lisää tekstisisältöä",
"Add User": "Lisää käyttäjä",
"Add User Group": "Lisää käyttäjäryhmä",
"Add your first memory": "",
"Additional Config": "Lisäasetukset",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "Lisäparametrit",
@ -365,6 +366,10 @@
"Custom description enabled": "Muokautetut kuvaukset käytössä",
"Custom Parameter Name": "Mukautetun parametrin nimi",
"Custom Parameter Value": "Mukautetun parametrin arvo",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover voi käyttää minkä tahansa OpenAPI-palvelimen tarjoamia työkaluja.",
"CyberLover uses faster-whisper internally.": "CyberLover käyttää faster-whisperia sisäisesti.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover käyttää SpeechT5:tä ja CMU Arctic -kaiuttimen upotuksia.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover -versio (v{{OPEN_WEBUI_VERSION}}) on alempi kuin vaadittu versio (v{{REQUIRED_VERSION}})",
"Danger Zone": "Vaara-alue",
"Dark": "Tumma",
"Data Controls": "Datan hallinta",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Häivytystehoste suoratoistetulle tekstille",
"Failed to add file.": "Tiedoston lisääminen epäonnistui.",
"Failed to connect to {{URL}} OpenAPI tool server": "Yhdistäminen {{URL}} OpenAPI työkalu palvelimeen epäonnistui",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Linkin kopiointi epäonnistui",
"Failed to create API Key.": "API-avaimen luonti epäonnistui.",
"Failed to delete note": "Muistiinpanon poistaminen epäonnistui",
@ -704,6 +710,7 @@
"Failed to import models": "Mallien tuonti epäonnistui",
"Failed to load chat preview": "Keskustelun esikatselun lataaminen epäonnistui",
"Failed to load file content.": "Tiedoston sisällön lataaminen epäonnistui.",
"Failed to load memories": "",
"Failed to move chat": "Keskustelun siirto epäonnistui",
"Failed to read clipboard contents": "Leikepöydän sisällön lukeminen epäonnistui",
"Failed to render diagram": "Diagrammin renderöinti epäonnistui",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "Tietoa ei löytynyt",
"No memories to clear": "Ei muistia tyhjennettäväksi",
"No memories yet": "",
"No model IDs": "Ei mallitunnuksia",
"No models found": "Malleja ei löytynyt",
"No models selected": "Malleja ei ole valittu",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Vain kirjaimet, numerot ja väliviivat ovat sallittuja",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Vain kirjaimet, numerot ja väliviivat ovat sallittuja komentosarjassa.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Vain kokoelmia voi muokata, luo uusi tietokanta muokataksesi/lisätäksesi asiakirjoja.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Vain markdown tiedostot ovat sallittuja",
"Only select users and groups with permission can access": "Vain valitut käyttäjät ja ryhmät, joilla on käyttöoikeus, pääsevät käyttämään",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hups! Näyttää siltä, että verkko-osoite on virheellinen. Tarkista se ja yritä uudelleen.",
@ -1139,10 +1148,6 @@
"Open new chat": "Avaa uusi keskustelu",
"Open Sidebar": "Avaa sivupalkki",
"Open User Profile Menu": "Avaa käyttäjäprofiili ikkuna",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover voi käyttää minkä tahansa OpenAPI-palvelimen tarjoamia työkaluja.",
"CyberLover uses faster-whisper internally.": "CyberLover käyttää faster-whisperia sisäisesti.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover käyttää SpeechT5:tä ja CMU Arctic -kaiuttimen upotuksia.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover -versio (v{{OPEN_WEBUI_VERSION}}) on alempi kuin vaadittu versio (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API -asetukset",

View file

@ -63,6 +63,7 @@
"Add text content": "Ajouter du contenu textuel",
"Add User": "Ajouter un utilisateur",
"Add User Group": "Ajouter un groupe d'utilisateurs",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "Description personnalisée activée",
"Custom Parameter Name": "Nom du réglage personnalisé",
"Custom Parameter Value": "Valeur du réglage personnalisé",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover peut utiliser les outils fournis par n'importe quel serveur OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover utilise faster-whisper en interne.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover utilise SpeechT5 et les embeddings de locuteur CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La version CyberLover (v{{OPEN_WEBUI_VERSION}}) est inférieure à la version requise (v{{REQUIRED_VERSION}})",
"Danger Zone": "Zone de danger",
"Dark": "Sombre",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Échec de l'ajout du fichier.",
"Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Échec de la copie du lien",
"Failed to create API Key.": "Échec de la création de la clé API.",
"Failed to delete note": "Échec de la délétion de la note",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "Échec du chargement du contenu du fichier",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Aucun moteur d'inférence avec support trouvé",
"No knowledge found": "Aucune connaissance trouvée",
"No memories to clear": "Aucun souvenir à effacer",
"No memories yet": "",
"No model IDs": "Aucun ID de modèle",
"No models found": "Aucun modèle trouvé",
"No models selected": "Aucun modèle sélectionné",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Seuls les caractères alphanumériques et les tirets sont autorisés",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Seules les collections peuvent être modifiées, créez une nouvelle base de connaissance pour modifier/ajouter des documents.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Seul les fichiers markdown sont autorisés",
"Only select users and groups with permission can access": "Seuls les utilisateurs et groupes autorisés peuvent accéder",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Veuillez vérifier à nouveau et réessayer.",
@ -1139,10 +1148,6 @@
"Open new chat": "Ouvrir une nouvelle conversation",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover peut utiliser les outils fournis par n'importe quel serveur OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover utilise faster-whisper en interne.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover utilise SpeechT5 et les embeddings de locuteur CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La version CyberLover (v{{OPEN_WEBUI_VERSION}}) est inférieure à la version requise (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API compatibles OpenAI",
"OpenAI API Config": "Configuration de l'API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Ajouter du contenu textuel",
"Add User": "Ajouter un utilisateur",
"Add User Group": "Ajouter un groupe d'utilisateurs",
"Add your first memory": "",
"Additional Config": "Configuration supplémentaire",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "Description personnalisée activée",
"Custom Parameter Name": "Nom du réglage personnalisé",
"Custom Parameter Value": "Valeur du réglage personnalisé",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover peut utiliser les outils fournis par n'importe quel serveur OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover utilise faster-whisper en interne.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover utilise SpeechT5 et les embeddings de locuteur CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La version CyberLover (v{{OPEN_WEBUI_VERSION}}) est inférieure à la version requise (v{{REQUIRED_VERSION}})",
"Danger Zone": "Zone de danger",
"Dark": "Sombre",
"Data Controls": "Contrôles des données",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Effet de fondu pour le texte en streaming",
"Failed to add file.": "Échec de l'ajout du fichier.",
"Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Échec de la copie du lien",
"Failed to create API Key.": "Échec de la création de la clé API.",
"Failed to delete note": "Échec de la délétion de la note",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "Échec du chargement de l'aperçu du chat",
"Failed to load file content.": "Échec du chargement du contenu du fichier",
"Failed to load memories": "",
"Failed to move chat": "Échec du déplacement du chat",
"Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Aucun moteur d'inférence avec support trouvé",
"No knowledge found": "Aucune connaissance trouvée",
"No memories to clear": "Aucun souvenir à effacer",
"No memories yet": "",
"No model IDs": "Aucun ID de modèle",
"No models found": "Aucun modèle trouvé",
"No models selected": "Aucun modèle sélectionné",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Seuls les caractères alphanumériques et les tirets sont autorisés",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Seules les collections peuvent être modifiées, créez une nouvelle base de connaissance pour modifier/ajouter des documents.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Seul les fichiers markdown sont autorisés",
"Only select users and groups with permission can access": "Seuls les utilisateurs et groupes autorisés peuvent accéder",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Veuillez vérifier à nouveau et réessayer.",
@ -1139,10 +1148,6 @@
"Open new chat": "Ouvrir une nouvelle conversation",
"Open Sidebar": "Ouvrir la barre latérale",
"Open User Profile Menu": "Ouvrir le menu du profil utilisateur",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover peut utiliser les outils fournis par n'importe quel serveur OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover utilise faster-whisper en interne.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover utilise SpeechT5 et les embeddings de locuteur CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La version CyberLover (v{{OPEN_WEBUI_VERSION}}) est inférieure à la version requise (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API compatibles OpenAI",
"OpenAI API Config": "Configuration de l'API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Añade contido de texto",
"Add User": "Agregar Usuario",
"Add User Group": "Agregar usuario al grupo",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover usa faster-whisper internamente.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover usa SpeechT5 y embeddings de locutores CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Aversión de CyberLover (v{{OPEN_WEBUI_VERSION}}) es inferior a aversión requerida (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "Oscuro",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Non pudo agregarse o Arquivo.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Non pudo xerarse a chave API.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Non pudo Lerse o contido do portapapeles",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "No se encontró un motor de inferencia con soporte de gestión",
"No knowledge found": "No se encontrou ningún coñecemento",
"No memories to clear": "Non hay memorias que limpar",
"No memories yet": "",
"No model IDs": "Non ten IDs de modelos",
"No models found": "No se encontraron modelos",
"No models selected": "No se seleccionaron modelos",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Sólo se permiten caracteres alfanuméricos y guiones",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo se permiten caracteres alfanuméricos y guiones en a cadena de comando.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar as coleccions, xerar unha nova base de coñecementos para editar / añadir documentos",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Solo os usuarios y grupos con permiso pueden acceder",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "¡Ups! Parece que a URL no es válida. Vuelva a verificar e inténtelo novamente.",
@ -1139,10 +1148,6 @@
"Open new chat": "Abrir novo chat",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover usa faster-whisper internamente.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover usa SpeechT5 y embeddings de locutores CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Aversión de CyberLover (v{{OPEN_WEBUI_VERSION}}) es inferior a aversión requerida (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "Configuración de OpenAI API",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "הוסף משתמש",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "כהה",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "יצירת מפתח API נכשלה.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "קריאת תוכן הלוח נכשלה",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "רק תווים אלפאנומריים ומקפים מותרים במחרוזת הפקודה.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "אופס! נראה שהכתובת URL אינה תקינה. אנא בדוק שוב ונסה שנית.",
@ -1139,10 +1148,6 @@
"Open new chat": "פתח צ'אט חדש",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "API של OpenAI",
"OpenAI API Config": "תצורת API של OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "उपयोगकर्ता जोड़ें",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "डार्क",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "एपीआई कुंजी बनाने में विफल.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "क्लिपबोर्ड सामग्री पढ़ने में विफल",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "कमांड स्ट्रिंग में केवल अल्फ़ान्यूमेरिक वर्ण और हाइफ़न की अनुमति है।",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "उफ़! ऐसा लगता है कि यूआरएल अमान्य है. कृपया दोबारा जांचें और पुनः प्रयास करें।",
@ -1139,10 +1148,6 @@
"Open new chat": "नई चैट खोलें",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API कॉन्फिग",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "Dodaj korisnika",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "Tamno",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Neuspješno stvaranje API ključa.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.",
@ -1139,10 +1148,6 @@
"Open new chat": "Otvorite novi razgovor",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API konfiguracija",

View file

@ -63,6 +63,7 @@
"Add text content": "Szöveges tartalom hozzáadása",
"Add User": "Felhasználó hozzáadása",
"Add User Group": "Felhasználói csoport hozzáadása",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "Az CyberLover bármely OpenAPI szerver által biztosított eszközöket használhat.",
"CyberLover uses faster-whisper internally.": "Az CyberLover belsőleg a faster-whispert használja.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Az CyberLover a SpeechT5-öt és a CMU Arctic hangszóró beágyazásokat használja.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Az CyberLover verzió (v{{OPEN_WEBUI_VERSION}}) alacsonyabb, mint a szükséges verzió (v{{REQUIRED_VERSION}})",
"Danger Zone": "Veszélyzóna",
"Dark": "Sötét",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Nem sikerült hozzáadni a fájlt.",
"Failed to connect to {{URL}} OpenAPI tool server": "Nem sikerült csatlakozni a {{URL}} OpenAPI eszköszerverhez",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Nem sikerült létrehozni az API kulcsot.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Nem sikerült olvasni a vágólap tartalmát",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Nem található kezelést támogató következtetési motor",
"No knowledge found": "Nem található tudásbázis",
"No memories to clear": "Nincs törlendő memória",
"No memories yet": "",
"No model IDs": "Nincs modell azonosító",
"No models found": "Nem található modell",
"No models selected": "Nincs kiválasztott modell",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Csak alfanumerikus karakterek és kötőjelek engedélyezettek",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Csak alfanumerikus karakterek és kötőjelek engedélyezettek a parancssorban.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Csak gyűjtemények szerkeszthetők, hozzon létre új tudásbázist dokumentumok szerkesztéséhez/hozzáadásához.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Csak a kiválasztott, engedéllyel rendelkező felhasználók és csoportok férhetnek hozzá",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppá! Úgy tűnik, az URL érvénytelen. Kérjük, ellenőrizze és próbálja újra.",
@ -1139,10 +1148,6 @@
"Open new chat": "Új beszélgetés megnyitása",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "Az CyberLover bármely OpenAPI szerver által biztosított eszközöket használhat.",
"CyberLover uses faster-whisper internally.": "Az CyberLover belsőleg a faster-whispert használja.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Az CyberLover a SpeechT5-öt és a CMU Arctic hangszóró beágyazásokat használja.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Az CyberLover verzió (v{{OPEN_WEBUI_VERSION}}) alacsonyabb, mint a szükséges verzió (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API konfiguráció",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "Tambah Pengguna",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "Gelap",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Gagal membuat API Key.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Gagal membaca konten papan klip",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Hanya karakter alfanumerik dan tanda hubung yang diizinkan dalam string perintah.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Sepertinya URL tidak valid. Mohon periksa ulang dan coba lagi.",
@ -1139,10 +1148,6 @@
"Open new chat": "Buka obrolan baru",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Konfigurasi API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Cuir ábhar téacs leis",
"Add User": "Cuir Úsáideoir leis",
"Add User Group": "Cuir Grúpa Úsáideoirí leis",
"Add your first memory": "",
"Additional Config": "Cumraíocht Bhreise",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Roghanna cumraíochta breise don mharcóir. Ba chóir gur teaghrán JSON é seo le péirí eochrach-luachanna. Mar shampla, '{\"key\": \"value\"}'. I measc na n-eochracha a dtacaítear leo tá: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "Cur síos saincheaptha cumasaithe",
"Custom Parameter Name": "Ainm Paraiméadair Saincheaptha",
"Custom Parameter Value": "Luach Paraiméadair Saincheaptha",
"CyberLover can use tools provided by any OpenAPI server.": "Is féidir le WebUI Oscailte uirlisí a úsáid a sholáthraíonn aon fhreastalaí OpenAPI.",
"CyberLover uses faster-whisper internally.": "Úsáideann CyberLover cogar níos tapúla go hinmheánach.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Úsáideann CyberLover úsáidí SpeechT5 agus CMU leabaithe cainteoir Artach.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Tá leagan WebUI oscailte (v{{OPEN_WEBUI_VERSION}}) níos ísle ná an leagan riachtanach (v{{REQUIRED_VERSION}})",
"Danger Zone": "Crios Contúirte",
"Dark": "Dorcha",
"Data Controls": "Rialuithe Sonraí",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Éifeacht Céimnithe le haghaidh Sruthú Téacs",
"Failed to add file.": "Theip ar an gcomhad a chur leis.",
"Failed to connect to {{URL}} OpenAPI tool server": "Theip ar nascadh le {{URL}} freastalaí uirlisí OpenAPI",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Theip ar an nasc a chóipeáil",
"Failed to create API Key.": "Theip ar an eochair API a chruthú.",
"Failed to delete note": "Theip ar an nóta a scriosadh",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "Theip ar réamhamharc comhrá a lódáil",
"Failed to load file content.": "Theip ar lódáil ábhar an chomhaid.",
"Failed to load memories": "",
"Failed to move chat": "Theip ar an gcomhrá a bhogadh",
"Failed to read clipboard contents": "Theip ar ábhar gearrthaisce a lé",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Níor aimsíodh aon inneall tátail le tacaíocht bhainistíochta",
"No knowledge found": "Níor aimsíodh aon eolas",
"No memories to clear": "Gan cuimhní cinn a ghlanadh",
"No memories yet": "",
"No model IDs": "Gan aon aitheantóirí samhail",
"No models found": "Níor aimsíodh samhlacha",
"No models selected": "Uimh samhlacha roghnaithe",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Ní cheadaítear ach carachtair alfa-uimhriúla agus fleiscíní",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Ní cheadaítear ach carachtair alfauméireacha agus braithíní sa sreangán ordaithe.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Ní féidir ach bailiúcháin a chur in eagar, bonn eolais nua a chruthú chun doiciméid a chur in eagar/a chur leis.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Ní cheadaítear ach comhaid marcála síos",
"Only select users and groups with permission can access": "Ní féidir ach le húsáideoirí roghnaithe agus le grúpaí a bhfuil cead acu rochtain a fháil",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Is cosúil go bhfuil an URL neamhbhailí. Seiceáil faoi dhó le do thoil agus iarracht arís.",
@ -1139,10 +1148,6 @@
"Open new chat": "Oscail comhrá nua",
"Open Sidebar": "Oscail an Barra Taoibh",
"Open User Profile Menu": "Oscail Roghchlár Próifíl Úsáideora",
"CyberLover can use tools provided by any OpenAPI server.": "Is féidir le WebUI Oscailte uirlisí a úsáid a sholáthraíonn aon fhreastalaí OpenAPI.",
"CyberLover uses faster-whisper internally.": "Úsáideann CyberLover cogar níos tapúla go hinmheánach.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Úsáideann CyberLover úsáidí SpeechT5 agus CMU leabaithe cainteoir Artach.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Tá leagan WebUI oscailte (v{{OPEN_WEBUI_VERSION}}) níos ísle ná an leagan riachtanach (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Cumraíocht API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Aggiungi contenuto di testo",
"Add User": "Aggiungi utente",
"Add User Group": "Aggiungi gruppo utente",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "Nome parametro personalizzato",
"Custom Parameter Value": "Valore parametro personalizzato",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover può utilizzare tool forniti da qualsiasi server OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover utilizza faster-whisper internamente.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover utilizza le incorporazioni vocali di SpeechT5 e CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La versione di CyberLover (v{{OPEN_WEBUI_VERSION}}) è inferiore alla versione richiesta (v{{REQUIRED_VERSION}})",
"Danger Zone": "Zona di pericolo",
"Dark": "Scuro",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Impossibile aggiungere il file.",
"Failed to connect to {{URL}} OpenAPI tool server": "Impossibile connettersi al server dello strumento OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Impossibile copiare il link",
"Failed to create API Key.": "Impossibile creare Chiave API.",
"Failed to delete note": "Impossibile eliminare la nota",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "Impossibile caricare il contenuto del file.",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Impossibile leggere il contenuto degli appunti",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Nessun motore di inferenza con supporto per la gestione trovato",
"No knowledge found": "Nessuna conoscenza trovata",
"No memories to clear": "Nessun ricordo da cancellare",
"No memories yet": "",
"No model IDs": "Nessun ID modello",
"No models found": "Nessun modello trovato",
"No models selected": "Nessun modello selezionato",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Nella stringa di comando sono consentiti solo caratteri alfanumerici e trattini",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Nella stringa di comando sono consentiti solo caratteri alfanumerici e trattini.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo le collezioni possono essere modificate, crea una nuova base di conoscenza per modificare/aggiungere documenti.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Sono consentiti solo file markdown",
"Only select users and groups with permission can access": "Solo gli utenti e i gruppi selezionati con autorizzazione possono accedere",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Sembra che l'URL non sia valido. Si prega di ricontrollare e riprovare.",
@ -1139,10 +1148,6 @@
"Open new chat": "Apri nuova chat",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover può utilizzare tool forniti da qualsiasi server OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover utilizza faster-whisper internamente.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover utilizza le incorporazioni vocali di SpeechT5 e CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La versione di CyberLover (v{{OPEN_WEBUI_VERSION}}) è inferiore alla versione richiesta (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Configurazione API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "コンテンツを追加",
"Add User": "ユーザーを追加",
"Add User Group": "ユーザーグループを追加",
"Add your first memory": "",
"Additional Config": "追加設定",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "markerの追加設定オプション。これはキーと値のペアを含むJSON文字列である必要があります(例: '{\"key\": \"value\"}')。次のキーに対応しています: disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count、default_level",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "カスタム説明が有効です",
"Custom Parameter Name": "カスタムパラメータ名",
"Custom Parameter Value": "カスタムパラメータ値",
"CyberLover can use tools provided by any OpenAPI server.": "OpenWebUI は任意のOpenAPI サーバーが提供するツールを使用できます。",
"CyberLover uses faster-whisper internally.": "OpenWebUI は内部でfaster-whisperを使用します。",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "OpenWebUI は SpeechT5とCMU Arctic スピーカー埋め込みを使用します。",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "OpenWebUI のバージョン (v{{OPEN_WEBUI_VERSION}}) は要求されたバージョン (v{{REQUIRED_VERSION}}) より低いです。",
"Danger Zone": "危険地帯",
"Dark": "ダーク",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "ストリームテキストのフェーディング効果",
"Failed to add file.": "ファイルの追加に失敗しました。",
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPIツールサーバーへの接続に失敗しました。",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "リンクのコピーに失敗しました。",
"Failed to create API Key.": "APIキーの作成に失敗しました。",
"Failed to delete note": "ノートの削除に失敗しました。",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "チャットプレビューを読み込めませんでした。",
"Failed to load file content.": "ファイルの内容を読み込めませんでした。",
"Failed to load memories": "",
"Failed to move chat": "チャットの移動に失敗しました。",
"Failed to read clipboard contents": "クリップボードの内容を読み取れませんでした。",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "管理サポートのある推論エンジンが見つかりません。",
"No knowledge found": "ナレッジベースが見つかりません",
"No memories to clear": "クリアするメモリがありません",
"No memories yet": "",
"No model IDs": "モデルIDがありません",
"No models found": "モデルが見つかりません",
"No models selected": "モデルが選択されていません",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "英数字とハイフンのみが使用できます",
"Only alphanumeric characters and hyphens are allowed in the command string.": "コマンド文字列には英数字とハイフンのみが使用できます。",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "コレクションのみ編集できます。新しいナレッジベースを作成してドキュメントを編集/追加してください。",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "マークダウンファイルのみが許可されています",
"Only select users and groups with permission can access": "許可されたユーザーとグループのみがアクセスできます",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "おっと! URL が無効なようです。もう一度確認してやり直してください。",
@ -1139,10 +1148,6 @@
"Open new chat": "新しいチャットを開く",
"Open Sidebar": "サイドバーを開く",
"Open User Profile Menu": "ユーザープロフィールメニューを開く",
"CyberLover can use tools provided by any OpenAPI server.": "OpenWebUI は任意のOpenAPI サーバーが提供するツールを使用できます。",
"CyberLover uses faster-whisper internally.": "OpenWebUI は内部でfaster-whisperを使用します。",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "OpenWebUI は SpeechT5とCMU Arctic スピーカー埋め込みを使用します。",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "OpenWebUI のバージョン (v{{OPEN_WEBUI_VERSION}}) は要求されたバージョン (v{{REQUIRED_VERSION}}) より低いです。",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API 設定",

View file

@ -63,6 +63,7 @@
"Add text content": "ტექსტური შემცველობის დამატება",
"Add User": "მომხმარებლის დამატება",
"Add User Group": "მომხმარებლის ჯგუფის დამატება",
"Add your first memory": "",
"Additional Config": "დამატებითი კონფიგურაცია",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "დამატებითი პარამეტრები",
@ -365,6 +366,10 @@
"Custom description enabled": "მომხმარებლის აღწერები ჩართულია",
"Custom Parameter Name": "მორგებული პარამეტრის სახელი",
"Custom Parameter Value": "მორგებული პარამეტრის მნიშვნელობა",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "საშიში ზონა",
"Dark": "მუქი",
"Data Controls": "მონაცემთა კონტროლი",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "ფაილის დამატების შეცდომა.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "ბმულის კოპირება ჩავარდა",
"Failed to create API Key.": "API-ის გასაღების შექმნა ჩავარდა.",
"Failed to delete note": "შენიშვნის წაშლა ჩავარდა",
@ -704,6 +710,7 @@
"Failed to import models": "მოდელების შემოტანა ჩავარდა",
"Failed to load chat preview": "ვიდეოს მინიატურის ჩატვირთვა ჩავარდა",
"Failed to load file content.": "ფაილის შემცველობის ჩატვირთვა ჩავარდა.",
"Failed to load memories": "",
"Failed to move chat": "ჩატის გადატანა ჩავარდა",
"Failed to read clipboard contents": "ბუფერის შემცველობის წაკითხვა ჩავარდა",
"Failed to render diagram": "დიაგრამის რენდერი ჩავარდა",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "ცოდნა აღმოჩენილი არაა",
"No memories to clear": "გასასუფთავებელი მოგონებების გარეშე",
"No memories yet": "",
"No model IDs": "მოდელის ID-ების გარეშე",
"No models found": "მოდელები აღმოჩენილი არაა",
"No models selected": "მოდელები არჩეული არაა",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "ბრძანების სტრიქონში დაშვებულია, მხოლოდ, ალფარიცხვითი სიმბოლოები და ტირეები.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "უი! როგორც ჩანს, მისამართი არასწორია. გთხოვთ, გადაამოწმოთ და ისევ სცადოთ.",
@ -1139,10 +1148,6 @@
"Open new chat": "ახალი ჩატის გახსნა",
"Open Sidebar": "გვერდითი ზოლის გახსნა",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API პარამეტრები",

View file

@ -63,6 +63,7 @@
"Add text content": "Rnu agbur aḍrisan",
"Add User": "Rnu aseqdac",
"Add User Group": "Rnu agraw n iseqdacen",
"Add your first memory": "",
"Additional Config": "Tawila tamernant",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "Iɣewwaren nniḍen",
@ -365,6 +366,10 @@
"Custom description enabled": "Aglam udmawan yettwarmed",
"Custom Parameter Name": "Isem n uɣewwar udmawan",
"Custom Parameter Value": "Azal n uɣewwar udmawan",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover yezmer ad yesseqdec ifecka i d-yettak yal aqeddac OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover yesseqdac faster-whisper sdaxel-is.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Ldi WebUI yesseqdac SpeechT5 akked CMU Arktik.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "Tamnaḍt i iweɛren",
"Dark": "Aberkan",
"Data Controls": "Isenqaden n isefka",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Tecceḍ tmerna n ufaylu.",
"Failed to connect to {{URL}} OpenAPI tool server": "Ur yessaweḍ ara ad yeqqen ɣer {{URL}} n uqeddac n yifecka OpenAPI",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Ur yessaweḍ ara ad yessukken aseɣwen",
"Failed to create API Key.": "Ur yessaweḍ ara ad d-yesnulfu tasarut API.",
"Failed to delete note": "Ur yessaweḍ ara ad yekkes tazmilt",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "Yecceḍ usali n teskant n udiwenni",
"Failed to load file content.": "Ur yessaweḍ ara ad d-yessali agbur n yifuyla.",
"Failed to load memories": "",
"Failed to move chat": "Tuccḍa deg unkaz n udiwenni",
"Failed to read clipboard contents": "Ur yessaweḍ ara ad iɣer agbur n tfelwit",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Ulac amsedday n unalkam s tallelt n usefrek i yettwafen",
"No knowledge found": "Ulac tamussni i yettwafen",
"No memories to clear": "Ulac aktayen ibanen",
"No memories yet": "",
"No model IDs": "Ulac asulay n tmudemt",
"No models found": "Ulac timudmiwin yettwafen",
"No models selected": "Ulac timudmin yettwafernen",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Ala iwudam ifenyanen d tfenṭazit i yettusirgen",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Ala iwudam ifenyanen d tfendiwin i yettusirgen deg uzrar n ukman.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Ala tigrummiwin i izemren ad ttwabeddlent, ad d-snulfunt azadur amaynut n tmussni i ubeddel/ad arraten.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Ala ifuyla n tuccar i yettusirgen",
"Only select users and groups with permission can access": "Ala iseqdacen akked yegrawen yesɛan tisirag i izemren ad kecmen",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ayhuh! Yettban-d dakken URL-nni ur tṣeḥḥa ara. Ttxil-k, ssefqed snat n tikkal yernu ɛreḍ tikkelt niḍen.",
@ -1139,10 +1148,6 @@
"Open new chat": "Ldi asqerdec amaynut",
"Open Sidebar": "Ldi agalis adisan",
"Open User Profile Menu": "Ldi umuɣ n umaɣnu n useqdac",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover yezmer ad yesseqdec ifecka i d-yettak yal aqeddac OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover yesseqdac faster-whisper sdaxel-is.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Ldi WebUI yesseqdac SpeechT5 akked CMU Arktik.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Tawila n API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "글 추가",
"Add User": "사용자 추가",
"Add User Group": "사용자 그룹 추가",
"Add your first memory": "",
"Additional Config": "추가 설정",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Marker에 대한 추가 설정 옵션입니다. 키-값 쌍으로 이루어진 JSON 문자열이어야 합니다. 예를 들어, '{\"key\": \"value\"}'와 같습니다. 지원되는 키는 다음과 같습니다: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
"Additional Parameters": "추가 매개변수",
@ -365,6 +366,10 @@
"Custom description enabled": "사용자 정의 설명 활성화됨",
"Custom Parameter Name": "사용자 정의 매개변수 이름",
"Custom Parameter Value": "사용자 정의 매개변수 값",
"CyberLover can use tools provided by any OpenAPI server.": "Open WebUI는 모든 OpenAPI 서버에서 제공하는 도구를 사용할 수 있습니다.",
"CyberLover uses faster-whisper internally.": "Open WebUI는 내부적으로 패스트 위스퍼를 사용합니다.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Open WebUI는 SpeechT5와 CMU Arctic 스피커 임베딩을 사용합니다.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "열린 WebUI 버젼(v{{OPEN_WEBUI_VERSION}})은 최소 버젼 (v{{REQUIRED_VERSION}})보다 낮습니다",
"Danger Zone": "위험 기능",
"Dark": "다크",
"Data Controls": "데이터 제어",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "스트리밍 텍스트에 대한 페이드 효과",
"Failed to add file.": "파일추가에 실패했습니다",
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI 도구 서버 연결 실패",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "링크 복사 실패",
"Failed to create API Key.": "API 키 생성에 실패했습니다.",
"Failed to delete note": "노트 삭제 실패",
@ -704,6 +710,7 @@
"Failed to import models": "모델 가져오기 실패",
"Failed to load chat preview": "채팅 미리보기 로드 실패",
"Failed to load file content.": "파일 내용 로드 실패.",
"Failed to load memories": "",
"Failed to move chat": "채팅 이동 실패",
"Failed to read clipboard contents": "클립보드 내용 가져오기를 실패하였습니다.",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "관리 지원이 포함된 추론 엔진을 찾을 수 없습니다",
"No knowledge found": "지식 기반을 찾을 수 없습니다",
"No memories to clear": "메모리를 정리할 수 없습니다",
"No memories yet": "",
"No model IDs": "모델 ID가 없습니다",
"No models found": "모델을 찾을 수 없습니다",
"No models selected": "모델이 선택되지 않았습니다",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "영문자, 숫자 및 하이픈(-)만 허용됩니다.",
"Only alphanumeric characters and hyphens are allowed in the command string.": "명령어 문자열에는 영문자, 숫자 및 하이픈(-)만 허용됩니다.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "가지고 있는 컬렉션만 수정 가능합니다, 새 지식 기반을 생성하여 문서를 수정 혹은 추가하십시오.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "마크다운 파일만 허용됩니다",
"Only select users and groups with permission can access": "권한이 있는 사용자와 그룹만 접근 가능합니다.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "이런! URL이 잘못된 것 같습니다. 다시 한번 확인하고 다시 시도해주세요.",
@ -1139,10 +1148,6 @@
"Open new chat": "새 채팅 열기",
"Open Sidebar": "사이드바 열기",
"Open User Profile Menu": "사용자 프로필 메뉴 열기",
"CyberLover can use tools provided by any OpenAPI server.": "Open WebUI는 모든 OpenAPI 서버에서 제공하는 도구를 사용할 수 있습니다.",
"CyberLover uses faster-whisper internally.": "Open WebUI는 내부적으로 패스트 위스퍼를 사용합니다.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Open WebUI는 SpeechT5와 CMU Arctic 스피커 임베딩을 사용합니다.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "열린 WebUI 버젼(v{{OPEN_WEBUI_VERSION}})은 최소 버젼 (v{{REQUIRED_VERSION}})보다 낮습니다",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API 설정",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "Pridėti naudotoją",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Tortue Chat versija per sena. Reikalinga (v{{REQUIRED_VERSION}}) versija.",
"Danger Zone": "",
"Dark": "Tamsus",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Nepavyko sukurti API rakto",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Nepavyko perskaityti kopijuoklės",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Leistinos tik raidės, skaičiai ir brūkšneliai.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Regis nuoroda nevalidi. Prašau patikrtinkite ir pabandykite iš naujo.",
@ -1139,10 +1148,6 @@
"Open new chat": "Atverti naują pokalbį",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Tortue Chat versija per sena. Reikalinga (v{{REQUIRED_VERSION}}) versija.",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "Open AI API nustatymai",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "Tambah Pengguna",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover version (v{{OPEN_WEBUI_VERSION}}) adalah lebih rendah daripada versi yang diperlukan iaitu (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "Gelap",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Gagal mencipta kekunci API",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Gagal membaca konten papan klip",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Hanya aksara alfanumerik dan sempang dibenarkan dalam rentetan arahan.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Maaf, didapati URL tidak sah. Sila semak semula dan cuba lagi.",
@ -1139,10 +1148,6 @@
"Open new chat": "Buka perbualan baru",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover version (v{{OPEN_WEBUI_VERSION}}) adalah lebih rendah daripada versi yang diperlukan iaitu (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Tetapan API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Legg til tekstinnhold",
"Add User": "Legg til bruker",
"Add User Group": "Legg til brukergruppe",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover bruker faster-whisper internt.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover bruker SpeechT5 og CMU Arctic-høytalerinnbygginger",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover-versjonen (v{{OPEN_WEBUI_VERSION}}) er lavere enn den påkrevde versjonen (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "Mørk",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Kan ikke legge til filen.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Kan ikke opprette en API-nøkkel.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Kan ikke lese utklippstavlens innhold",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Fant ingen konklusjonsmotor med støtte for administrasjon",
"No knowledge found": "Finner ingen kunnskaper",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "Ingen modell-ID-er",
"No models found": "Finner ingen modeller",
"No models selected": "Ingen modeller er valgt",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Bare alfanumeriske tegn og bindestreker er tillatt",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Bare alfanumeriske tegn og bindestreker er tillatt i kommandostrengen.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Bare samlinger kan redigeres, eller lag en ny kunnskapsbase for å kunne redigere / legge til dokumenter.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Bare utvalgte brukere og grupper med tillatelse kan få tilgang",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oi! Det ser ut som URL-en er ugyldig. Dobbeltsjekk, og prøv på nytt.",
@ -1139,10 +1148,6 @@
"Open new chat": "Åpne ny chat",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover bruker faster-whisper internt.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover bruker SpeechT5 og CMU Arctic-høytalerinnbygginger",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover-versjonen (v{{OPEN_WEBUI_VERSION}}) er lavere enn den påkrevde versjonen (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI-API",
"OpenAI API Config": "API-konfigurasjon for OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Voeg tekstinhoud toe",
"Add User": "Voeg gebruiker toe",
"Add User Group": "Voeg gebruikersgroep toe",
"Add your first memory": "",
"Additional Config": "Extra configuratie",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover gebruikt faster-whisper intern",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover gebruikt SpeechT5 en CMU Arctic spreker-embeddings",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover versie (v{{OPEN_WEBUI_VERSION}}) is kleiner dan de benodigde versie (v{{REQUIRED_VERSION}})",
"Danger Zone": "Gevarenzone",
"Dark": "Donker",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Het is niet gelukt om het bestand toe te voegen.",
"Failed to connect to {{URL}} OpenAPI tool server": "Kan geen verbinding maken met {{URL}} OpenAPI gereedschapserver",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Kan API Key niet aanmaken.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Kan klembord inhoud niet lezen",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Geen inferentie-engine met beheerondersteuning gevonden",
"No knowledge found": "Geen kennis gevonden",
"No memories to clear": "Geen herinneringen om op te ruimen",
"No memories yet": "",
"No model IDs": "Geen model-ID's",
"No models found": "Geen modellen gevonden",
"No models selected": "Geen modellen geselecteerd",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Alleen alfanumerieke tekens en koppeltekens zijn toegestaan",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Alleen alfanumerieke karakters en streepjes zijn toegestaan in de commando string.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Alleen verzamelinge kunnen gewijzigd worden, maak een nieuwe kennisbank aan om bestanden aan te passen/toe te voegen",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Alleen geselecteerde gebruikers en groepen met toestemming hebben toegang",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oeps! Het lijkt erop dat de URL ongeldig is. Controleer het nogmaals en probeer opnieuw.",
@ -1139,10 +1148,6 @@
"Open new chat": "Open nieuwe chat",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover gebruikt faster-whisper intern",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover gebruikt SpeechT5 en CMU Arctic spreker-embeddings",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover versie (v{{OPEN_WEBUI_VERSION}}) is kleiner dan de benodigde versie (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API-configuratie",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "ਉਪਭੋਗਤਾ ਸ਼ਾਮਲ ਕਰੋ",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "ਗੂੜ੍ਹਾ",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "API ਕੁੰਜੀ ਬਣਾਉਣ ਵਿੱਚ ਅਸਫਲ।",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਪੜ੍ਹਣ ਵਿੱਚ ਅਸਫਲ",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "ਕਮਾਂਡ ਸਤਰ ਵਿੱਚ ਸਿਰਫ਼ ਅਲਫ਼ਾਨਯੂਮੈਰਿਕ ਅੱਖਰ ਅਤੇ ਹਾਈਫਨ ਦੀ ਆਗਿਆ ਹੈ।",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "ਓਹੋ! ਲੱਗਦਾ ਹੈ ਕਿ URL ਗਲਤ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ ਦੁਬਾਰਾ ਜਾਂਚ ਕਰੋ ਅਤੇ ਮੁੜ ਕੋਸ਼ਿਸ਼ ਕਰੋ।",
@ -1139,10 +1148,6 @@
"Open new chat": "ਨਵੀਂ ਗੱਲਬਾਤ ਖੋਲ੍ਹੋ",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "ਓਪਨਏਆਈ",
"OpenAI API": "ਓਪਨਏਆਈ API",
"OpenAI API Config": "ਓਪਨਏਆਈ API ਕਨਫਿਗ",

View file

@ -63,6 +63,7 @@
"Add text content": "Dodaj zawartość tekstową",
"Add User": "Dodaj użytkownika",
"Add User Group": "Dodaj grupę użytkowników",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover może używać narzędzi dostarczanych przez serwery OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover korzysta wewnętrznie z szybszego faster-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Otwarta WebUI wykorzystuje SpeechT5 i wbudowane zbiory danych mówcy CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Wersja CyberLover (v{{OPEN_WEBUI_VERSION}}) jest niższa niż wymagana wersja (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "Ciemny",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Nie udało się dodać pliku.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Nie udało się skopiować linku",
"Failed to create API Key.": "Nie udało się wygenerować klucza API.",
"Failed to delete note": "Nie udało się usunąć notatki",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "Nie udało się załadować zawartości pliku.",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Nie udało się odczytać zawartości schowka",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Nie znaleziono silnika wnioskującego z obsługą zarządzania",
"No knowledge found": "Brak znalezionej wiedzy",
"No memories to clear": "Brak wspomnień do wyczyszczenia",
"No memories yet": "",
"No model IDs": "Brak identyfikatorów modeli",
"No models found": "Nie znaleziono modeli",
"No models selected": "Brak wybranych modeli",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Dozwolone są tylko znaki alfanumeryczne i myślniki",
"Only alphanumeric characters and hyphens are allowed in the command string.": "W komendzie dozwolone są wyłącznie znaki alfanumeryczne i myślniki.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Tylko kolekcje można edytować, utwórz nową bazę wiedzy, aby edytować/dodawać dokumenty.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Tylko wybrani użytkownicy i grupy z uprawnieniami mogą uzyskać dostęp.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Wygląda na to, że podany URL jest nieprawidłowy. Proszę sprawdzić go ponownie i spróbować jeszcze raz.",
@ -1139,10 +1148,6 @@
"Open new chat": "Otwórz nową rozmowę",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover może używać narzędzi dostarczanych przez serwery OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover korzysta wewnętrznie z szybszego faster-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Otwarta WebUI wykorzystuje SpeechT5 i wbudowane zbiory danych mówcy CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Wersja CyberLover (v{{OPEN_WEBUI_VERSION}}) jest niższa niż wymagana wersja (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "Interfejs API OpenAI",
"OpenAI API Config": "Konfiguracja interfejsu API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Adicionar conteúdo de texto",
"Add User": "Adicionar Usuário",
"Add User Group": "Adicionar grupo de usuários",
"Add your first memory": "",
"Additional Config": "Configuração adicional",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opções de configuração adicionais para o marcador. Deve ser uma string JSON com pares chave-valor. Por exemplo, '{\"key\": \"value\"}'. As chaves suportadas incluem: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
"Additional Parameters": "Parâmetros adicionais",
@ -365,6 +366,10 @@
"Custom description enabled": "Descrição personalizada habilitada",
"Custom Parameter Name": "Nome do parâmetro personalizado",
"Custom Parameter Value": "Valor do parâmetro personalizado",
"CyberLover can use tools provided by any OpenAPI server.": "O CyberLover pode usar ferramentas fornecidas por qualquer servidor OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover usa faster-whisper internamente.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "A CyberLover usa os embeddings de voz do SpeechT5 e do CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "A versão do CyberLover (v{{OPEN_WEBUI_VERSION}}) é inferior à versão necessária (v{{REQUIRED_VERSION}})",
"Danger Zone": "Zona de perigo",
"Dark": "Escuro",
"Data Controls": "Controle de Dados",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Efeito de desbotamento para texto em streaming",
"Failed to add file.": "Falha ao adicionar arquivo.",
"Failed to connect to {{URL}} OpenAPI tool server": "Falha ao conectar ao servidor da ferramenta OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Falha ao copiar o link",
"Failed to create API Key.": "Falha ao criar a Chave API.",
"Failed to delete note": "Falha ao excluir a nota",
@ -704,6 +710,7 @@
"Failed to import models": "Falha ao importar modelos",
"Failed to load chat preview": "Falha ao carregar a pré-visualização do chat",
"Failed to load file content.": "Falha ao carregar o conteúdo do arquivo.",
"Failed to load memories": "",
"Failed to move chat": "Falha ao mover o chat",
"Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência",
"Failed to render diagram": "Falha ao renderizar o diagrama",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Nenhum mecanismo de inferência com suporte de gerenciamento encontrado",
"No knowledge found": "Nenhum conhecimento encontrado",
"No memories to clear": "Nenhuma memória para limpar",
"No memories yet": "",
"No model IDs": "Nenhum ID de modelo",
"No models found": "Nenhum modelo encontrado",
"No models selected": "Nenhum modelo selecionado",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Somente caracteres alfanuméricos e hífens são permitidos",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Somente coleções podem ser editadas. Crie uma nova base de conhecimento para editar/adicionar documentos.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Somente arquivos markdown são permitidos",
"Only select users and groups with permission can access": "Somente usuários e grupos selecionados com permissão podem acessar.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Parece que a URL é inválida. Por favor, verifique novamente e tente de novo.",
@ -1139,10 +1148,6 @@
"Open new chat": "Abrir novo chat",
"Open Sidebar": "Abrir barra lateral",
"Open User Profile Menu": "Abrir menu de perfil do usuário",
"CyberLover can use tools provided by any OpenAPI server.": "O CyberLover pode usar ferramentas fornecidas por qualquer servidor OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover usa faster-whisper internamente.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "A CyberLover usa os embeddings de voz do SpeechT5 e do CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "A versão do CyberLover (v{{OPEN_WEBUI_VERSION}}) é inferior à versão necessária (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Configuração da API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "Adicionar Utilizador",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "Escuro",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Falha ao criar a Chave da API.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Epá! Parece que o URL é inválido. Verifique novamente e tente outra vez.",
@ -1139,10 +1148,6 @@
"Open new chat": "Abrir nova conversa",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Configuração da API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Adăugați conținut textual",
"Add User": "Adaugă utilizator",
"Add User Group": "Adaugă grup de utilizatori",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover folosește faster-whisper intern.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Versiunea CyberLover (v{{OPEN_WEBUI_VERSION}}) este mai mică decât versiunea necesară (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "Întunecat",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Eșec la adăugarea fișierului.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Crearea cheii API a eșuat.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Citirea conținutului clipboard-ului a eșuat",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "Nu au fost găsite informații.",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "Nu s-au găsit modele",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Doar caracterele alfanumerice și cratimele sunt permise în șirul de comandă.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Doar colecțiile pot fi editate, creați o nouă bază de cunoștințe pentru a edita/adăuga documente.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Se pare că URL-ul este invalid. Vă rugăm să verificați din nou și să încercați din nou.",
@ -1139,10 +1148,6 @@
"Open new chat": "Deschide conversație nouă",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover folosește faster-whisper intern.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Versiunea CyberLover (v{{OPEN_WEBUI_VERSION}}) este mai mică decât versiunea necesară (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Configurația API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Добавить текстовый контент",
"Add User": "Добавить пользователя",
"Add User Group": "Добавить группу пользователей",
"Add your first memory": "",
"Additional Config": "Дополнительные настройки",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Дополнительные настройки для marker. Это должна быть строка JSON с ключами и значениями. Например, '{\"key\": \"value\"}'. Поддерживаемые ключи включают: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "Пользовательское описание включено",
"Custom Parameter Name": "Название пользовательского параметра",
"Custom Parameter Value": "Значение пользовательского параметра",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover может использовать инструменты, предоставляемые любым сервером OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover использует более быстрый внутренний интерфейс whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "В CyberLover используются встраиваемые движки генерации речи SpeechT5 и CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Версия CyberLover (v{{OPEN_WEBUI_VERSION}}) ниже требуемой версии (v{{REQUIRED_VERSION}})",
"Danger Zone": "Опасная зона",
"Dark": "Темная",
"Data Controls": "Управление данными",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "Эффект затухания для потокового текста",
"Failed to add file.": "Не удалось добавить файл.",
"Failed to connect to {{URL}} OpenAPI tool server": "Не удалось подключиться к серверу инструмента OpenAI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Не удалось скопировать ссылку",
"Failed to create API Key.": "Не удалось создать ключ API.",
"Failed to delete note": "Не удалось удалить заметку",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "Не удалось загрузить предпросмотр чата",
"Failed to load file content.": "Не удалось загрузить содержимое файла.",
"Failed to load memories": "",
"Failed to move chat": "Не удалось переместить чат",
"Failed to read clipboard contents": "Не удалось прочитать содержимое буфера обмена",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Механизм логического вывода с поддержкой управления не найден",
"No knowledge found": "Знания не найдены",
"No memories to clear": "Нет воспоминаний, которые нужно было бы очистить",
"No memories yet": "",
"No model IDs": "Нет ID модели",
"No models found": "Модели не найдены",
"No models selected": "Модели не выбраны",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Разрешены только буквенно-цифровые символы и дефисы.",
"Only alphanumeric characters and hyphens are allowed in the command string.": "В строке команды разрешено использовать только буквенно-цифровые символы и дефисы.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Редактировать можно только коллекции, создайте новую базу знаний для редактирования/добавления документов.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Разрешены только файлы markdown",
"Only select users and groups with permission can access": "Доступ имеют только избранные пользователи и группы, имеющие разрешение.",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Похоже, что URL-адрес недействителен. Пожалуйста, перепроверьте и попробуйте еще раз.",
@ -1139,10 +1148,6 @@
"Open new chat": "Открыть новый чат",
"Open Sidebar": "Открыть боковую панель",
"Open User Profile Menu": "Открыть меню профиля пользователя",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover может использовать инструменты, предоставляемые любым сервером OpenAPI.",
"CyberLover uses faster-whisper internally.": "CyberLover использует более быстрый внутренний интерфейс whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "В CyberLover используются встраиваемые движки генерации речи SpeechT5 и CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Версия CyberLover (v{{OPEN_WEBUI_VERSION}}) ниже требуемой версии (v{{REQUIRED_VERSION}})",
"OpenAI": "Open AI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Конфигурация API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Pridajte textový obsah",
"Add User": "Pridať užívateľa",
"Add User Group": "Pridať skupinu užívateľov",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover interne používa faster-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Verzia CyberLover (v{{OPEN_WEBUI_VERSION}}) je nižšia ako požadovaná verzia (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "Tmavý",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Nepodarilo sa pridať súbor.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Nepodarilo sa vytvoriť API kľúč.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Nepodarilo sa prečítať obsah schránky",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "Neboli nájdené žiadne znalosti",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "Neboli nájdené žiadne modely",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Príkazový reťazec môže obsahovať iba alfanumerické znaky a pomlčky.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Iba kolekcie môžu byť upravované, na úpravu/pridanie dokumentov vytvorte novú znalostnú databázu.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Jejda! Vyzerá to, že URL adresa je neplatná. Prosím, skontrolujte ju a skúste to znova.",
@ -1139,10 +1148,6 @@
"Open new chat": "Otvoriť nový chat",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover interne používa faster-whisper.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Verzia CyberLover (v{{OPEN_WEBUI_VERSION}}) je nižšia ako požadovaná verzia (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI je výskumná organizácia zameraná na umelú inteligenciu, ktorá je známa vývojom pokročilých jazykových modelov, ako je napríklad GPT. Tieto modely sa využívajú v rôznych aplikáciách, vrátane konverzačných agentov a jazykových nástrojov.",
"OpenAI API": "OpenAI API je rozhranie aplikačného programovania, ktoré umožňuje vývojárom integrovať pokročilé jazykové modely do svojich aplikácií.",
"OpenAI API Config": "Konfigurácia API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "Додај садржај текста",
"Add User": "Додај корисника",
"Add User Group": "Додај корисничку групу",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "Тамна",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Неуспешно стварање API кључа.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Неуспешно читање садржаја оставе",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерички знакови и цртице су дозвољени у низу наредби.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изгледа да је адреса неважећа. Молимо вас да проверите и покушате поново.",
@ -1139,10 +1148,6 @@
"Open new chat": "Покрени ново ћаскање",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "Подешавање OpenAI API-ја",

View file

@ -63,6 +63,7 @@
"Add text content": "Lägg till textinnehåll",
"Add User": "Lägg till användare",
"Add User Group": "Lägg till användargrupp",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "Anpassat parameternamn",
"Custom Parameter Value": "Anpassat parametervärde",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover kan använda verktyg från alla OpenAPI-servrar.",
"CyberLover uses faster-whisper internally.": "CyberLover använder faster-whisper internt.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover använder SpeechT5 och CMU Arctic högtalarinbäddningar.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover-versionen (v{{OPEN_WEBUI_VERSION}}) är lägre än den version som krävs (v{{REQUIRED_VERSION}})",
"Danger Zone": "Fara",
"Dark": "Mörk",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Misslyckades med att lägga till fil.",
"Failed to connect to {{URL}} OpenAPI tool server": "Misslyckades med att ansluta till {{URL}} OpenAPI-verktygsserver",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Misslyckades med att kopiera länk",
"Failed to create API Key.": "Misslyckades med att skapa API-nyckel.",
"Failed to delete note": "Misslyckades med att ta bort anteckning",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "Misslyckades med att läsa in filinnehåll.",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Misslyckades med att läsa urklippsinnehåll",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Ingen inferensmotor med stöd för hantering hittades",
"No knowledge found": "Ingen kunskap hittades",
"No memories to clear": "Inga minnen att rensa",
"No memories yet": "",
"No model IDs": "Inga modell-ID:n",
"No models found": "Inga modeller hittades",
"No models selected": "Inga modeller valda",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Endast alfanumeriska tecken och bindestreck är tillåtna",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Endast alfanumeriska tecken och bindestreck är tillåtna i kommandosträngen.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Endast samlingar kan redigeras, skapa en ny kunskapsbas för att redigera/lägga till dokument.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Endast markdown-filer är tillåtna",
"Only select users and groups with permission can access": "Endast valda användare och grupper med behörighet kan komma åt",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppsan! Det ser ut som om URL:en är ogiltig. Dubbelkolla gärna och försök igen.",
@ -1139,10 +1148,6 @@
"Open new chat": "Öppna ny chatt",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover kan använda verktyg från alla OpenAPI-servrar.",
"CyberLover uses faster-whisper internally.": "CyberLover använder faster-whisper internt.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover använder SpeechT5 och CMU Arctic högtalarinbäddningar.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover-versionen (v{{OPEN_WEBUI_VERSION}}) är lägre än den version som krävs (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API-konfig",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "เพิ่มผู้ใช้",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "เวอร์ชั่น CyberLover (v{{OPEN_WEBUI_VERSION}}) ต่ำกว่าเวอร์ชั่นที่ต้องการ (v{{REQUIRED_VERSION}})",
"Danger Zone": "",
"Dark": "มืด",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "สร้างคีย์ API ล้มเหลว",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "อ่านเนื้อหาคลิปบอร์ดล้มเหลว",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "อนุญาตให้ใช้เฉพาะอักขระตัวอักษรและตัวเลข รวมถึงเครื่องหมายขีดกลางในสตริงคำสั่งเท่านั้น",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "อุ๊บส์! ดูเหมือนว่า URL ไม่ถูกต้อง กรุณาตรวจสอบและลองใหม่อีกครั้ง",
@ -1139,10 +1148,6 @@
"Open new chat": "เปิดแชทใหม่",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "เวอร์ชั่น CyberLover (v{{OPEN_WEBUI_VERSION}}) ต่ำกว่าเวอร์ชั่นที่ต้องการ (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "การตั้งค่า OpenAI API",

View file

@ -63,6 +63,7 @@
"Add text content": "",
"Add User": "Ulanyjy goş",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"Danger Zone": "",
"Dark": "Garaňky",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "",
@ -1139,10 +1148,6 @@
"Open new chat": "",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "",
"OpenAI": "",
"OpenAI API": "",
"OpenAI API Config": "",

View file

@ -63,6 +63,7 @@
"Add text content": "Metin içeriği ekleme",
"Add User": "Kullanıcı Ekle",
"Add User Group": "Kullanıcı Grubu Ekle",
"Add your first memory": "",
"Additional Config": "Ek Yapılandırma",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "Ek Parametreler",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover OpenAPI tarafından sağlanan araçları kullanabilir",
"CyberLover uses faster-whisper internally.": "CyberLover, dahili olarak daha hızlı-fısıltı kullanır.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover, SpeechT5 ve CMU Arctic konuşmacı gömme kullanır.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Open-WebUI sürümü (v{{OPEN_WEBUI_VERSION}}) gerekli sürümden (v{{REQUIRED_VERSION}}) düşük",
"Danger Zone": "Tehlikeli Bölge",
"Dark": "Koyu",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Dosya eklenemedi.",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "API Anahtarı oluşturulamadı.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Pano içeriği okunamadı",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "Bilgi bulunamadı",
"No memories to clear": "Temizlenecek bellek yok",
"No memories yet": "",
"No model IDs": "Model ID yok",
"No models found": "Model bulunamadı",
"No models selected": "Model seçilmedi",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Yalnızca alfasayısal karakterler ve tireler kabul edilir",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Komut dizisinde yalnızca alfasayısal karakterler ve tireler kabul edilir.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Yalnızca koleksiyonlar düzenlenebilir, belgeleri düzenlemek/eklemek için yeni bir bilgi tabanı oluşturun.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Yalnızca markdown biçimli dosyalar kullanılabilir",
"Only select users and groups with permission can access": "İzinli kullanıcılar ve gruplar yalnızca erişebilir",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Hop! URL geçersiz gibi görünüyor. Lütfen tekrar kontrol edin ve yeniden deneyin.",
@ -1139,10 +1148,6 @@
"Open new chat": "Yeni sohbet aç",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover OpenAPI tarafından sağlanan araçları kullanabilir",
"CyberLover uses faster-whisper internally.": "CyberLover, dahili olarak daha hızlı-fısıltı kullanır.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover, SpeechT5 ve CMU Arctic konuşmacı gömme kullanır.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Open-WebUI sürümü (v{{OPEN_WEBUI_VERSION}}) gerekli sürümden (v{{REQUIRED_VERSION}}) düşük",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API Konfigürasyonu",

View file

@ -63,6 +63,7 @@
"Add text content": "تېكست مەزمۇن قوشۇش",
"Add User": "ئىشلەتكۈچى قوشۇش",
"Add User Group": "ئىشلەتكۈچى گۇرۇپپىسى قوشۇش",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "ئۆزلۈك پارامېتىر نامى",
"Custom Parameter Value": "ئۆزلۈك پارامېتىر قىممىتى",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover ھەر قانداق OpenAPI مۇلازىمېتىرلىرىدىكى قوراللارنى ئىشلىتەلىدۇ.",
"CyberLover uses faster-whisper internally.": "CyberLover ئىچىدە faster-whisper ئىشلىتىدۇ.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover SpeechT5 ۋە CMU Arctic ئاۋاز سىڭدۈرۈش ئىشلىتىدۇ.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover نەشرى (v{{OPEN_WEBUI_VERSION}}) تەلەپ قىلىنغان نەشردىن (v{{REQUIRED_VERSION}}) تۆۋەن.",
"Danger Zone": "خەۋپلىك رايون",
"Dark": "قاراڭغۇ",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "ھۆججەت قوشۇش مەغلۇپ بولدى.",
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI قورال مۇلازىمېتىرىغا ئۇلىنىش مەغلۇپ بولدى",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "ئۇلانما كۆچۈرۈش مەغلۇپ بولدى",
"Failed to create API Key.": "API ئاچقۇچى قۇرۇش مەغلۇپ بولدى.",
"Failed to delete note": "خاتىرە ئۆچۈرۈش مەغلۇپ بولدى",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "ھۆججەت مەزمۇنى يۈكلەش مەغلۇپ بولدى.",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "چاپلاش تاختىسى مەزمۇنىنى ئوقۇش مەغلۇپ بولدى",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "باشقۇرۇشنى قوللايدىغان يەكۈن ماتورى تېپىلمىدى",
"No knowledge found": "بىلىم تېپىلمىدى",
"No memories to clear": "تازلاشقا ئەسلەتمە يوق",
"No memories yet": "",
"No model IDs": "مودېل ID يوق",
"No models found": "مودېل تېپىلمىدى",
"No models selected": "مودېل تاللانمىدى",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "پەقەت ھەرپ، سان ۋە چەكىت ئىشلىتىشكە بولىدۇ",
"Only alphanumeric characters and hyphens are allowed in the command string.": "بۇيرۇق تىزىقىدا پەقەت ھەرپ، سان ۋە چەكىت ئىشلىتىشكە بولىدۇ.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "پەقەت توپلام تەھرىرلەشكە بولىدۇ، ھۆججەت قوشۇش/تەھرىرلەش ئۈچۈن يېڭى بىلىم ئاساسى قۇرۇڭ.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "پەقەت markdown ھۆججىتى ئىشلىتىشكە بولىدۇ",
"Only select users and groups with permission can access": "پەقەت ھوقۇقى بار تاللانغان ئىشلەتكۈچى ۋە گۇرۇپپىلارلا زىيارەت قىلالايدۇ",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "URL خاتا بولۇشى مۇمكىن. قايتا تەكشۈرۈپ سىناڭ.",
@ -1139,10 +1148,6 @@
"Open new chat": "يېڭى سۆھبەت ئېچىش",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover ھەر قانداق OpenAPI مۇلازىمېتىرلىرىدىكى قوراللارنى ئىشلىتەلىدۇ.",
"CyberLover uses faster-whisper internally.": "CyberLover ئىچىدە faster-whisper ئىشلىتىدۇ.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover SpeechT5 ۋە CMU Arctic ئاۋاز سىڭدۈرۈش ئىشلىتىدۇ.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover نەشرى (v{{OPEN_WEBUI_VERSION}}) تەلەپ قىلىنغان نەشردىن (v{{REQUIRED_VERSION}}) تۆۋەن.",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API تەڭشىكى",

View file

@ -63,6 +63,7 @@
"Add text content": "Додати текстовий вміст",
"Add User": "Додати користувача",
"Add User Group": "Додати групу користувачів",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover використовує faster-whisper внутрішньо.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover використовує вбудовування голосів SpeechT5 та CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover версія (v{{OPEN_WEBUI_VERSION}}) нижча за необхідну версію (v{{REQUIRED_VERSION}})",
"Danger Zone": "Зона небезпеки",
"Dark": "Темна",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Не вдалося додати файл.",
"Failed to connect to {{URL}} OpenAPI tool server": "Не вдалося підключитися до серверу інструментів OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Не вдалося створити API ключ.",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Не вдалося прочитати вміст буфера обміну",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Не знайдено двигуна висновків з підтримкою керування",
"No knowledge found": "Знання не знайдено.",
"No memories to clear": "Немає спогадів для очищення",
"No memories yet": "",
"No model IDs": "Немає ID моделей",
"No models found": "Моделей не знайдено",
"No models selected": "Моделі не вибрано",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Дозволені тільки алфавітно-цифрові символи та дефіси",
"Only alphanumeric characters and hyphens are allowed in the command string.": "У рядку команди дозволено використовувати лише алфавітно-цифрові символи та дефіси.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Редагувати можна лише колекції, створіть нову базу знань, щоб редагувати або додавати документи.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Тільки вибрані користувачі та групи з дозволом можуть отримати доступ",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Схоже, що URL-адреса невірна. Будь ласка, перевірте ще раз та спробуйте ще раз.",
@ -1139,10 +1148,6 @@
"Open new chat": "Відкрити новий чат",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover використовує faster-whisper внутрішньо.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover використовує вбудовування голосів SpeechT5 та CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover версія (v{{OPEN_WEBUI_VERSION}}) нижча за необхідну версію (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "Конфігурація OpenAI API",

View file

@ -63,6 +63,7 @@
"Add text content": "متن کا مواد شامل کریں",
"Add User": "صارف شامل کریں",
"Add User Group": "",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "اوپن ویب یو آئی اندرونی طور پر فاسٹر وِسپر استعمال کرتا ہے",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "اوپن WebUI ورژن (v{{OPEN_WEBUI_VERSION}}) مطلوبہ ورژن (v{{REQUIRED_VERSION}}) سے کم ہے",
"Danger Zone": "",
"Dark": "ڈارک",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "فائل شامل کرنے میں ناکام",
"Failed to connect to {{URL}} OpenAPI tool server": "",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "API کلید بنانے میں ناکام",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "کلپ بورڈ مواد کو پڑھنے میں ناکام",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "",
"No knowledge found": "کوئی معلومات نہیں ملی",
"No memories to clear": "",
"No memories yet": "",
"No model IDs": "",
"No models found": "کوئی ماڈل نہیں ملا",
"No models selected": "",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "",
"Only alphanumeric characters and hyphens are allowed in the command string.": "کمانڈ سٹرنگ میں صرف حروفی، عددی کردار اور ہائفن کی اجازت ہے",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "صرف مجموعے ترمیم کیے جا سکتے ہیں، دستاویزات کو ترمیم یا شامل کرنے کے لیے نیا علمی بنیاد بنائیں",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "اوہ! لگتا ہے کہ یو آر ایل غلط ہے براۂ کرم دوبارہ چیک کریں اور دوبارہ کوشش کریں",
@ -1139,10 +1148,6 @@
"Open new chat": "نیا چیٹ کھولیں",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "اوپن ویب یو آئی اندرونی طور پر فاسٹر وِسپر استعمال کرتا ہے",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "اوپن WebUI ورژن (v{{OPEN_WEBUI_VERSION}}) مطلوبہ ورژن (v{{REQUIRED_VERSION}}) سے کم ہے",
"OpenAI": "اوپن اے آئی",
"OpenAI API": "اوپن اے آئی اے پی آئی\n",
"OpenAI API Config": "اوپن اے آئی API ترتیب",

View file

@ -63,6 +63,7 @@
"Add text content": "Матн таркибини қўшинг",
"Add User": "Фойдаланувчи қўшиш",
"Add User Group": "Фойдаланувчилар гуруҳини қўшиш",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "Махсус параметр номи",
"Custom Parameter Value": "Махсус параметр қиймати",
"CyberLover can use tools provided by any OpenAPI server.": "Опен WебУИ ҳар қандай ОпенАПИ сервери томонидан тақдим этилган воситалардан фойдаланиши мумкин.",
"CyberLover uses faster-whisper internally.": "Опен WебУИ ички тез шивирлашдан фойдаланади.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Опен WебУИ СпеэчТ5 ва CМУ Арcтиc динамик ўрнатишларидан фойдаланади.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Очиқ WебУИ версияси (в{{ОПЕН_WЕБУИ_ВЕРСИОН}}) талаб қилинган версиядан (в{{РЕҚУИРЕД_ВЕРСИОН}}) пастроқ",
"Danger Zone": "Хавфли зона",
"Dark": "Қоронғи",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Файл қўшиб бўлмади.",
"Failed to connect to {{URL}} OpenAPI tool server": "{{УРЛ}} ОпенАПИ асбоб серверига уланиб бўлмади",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Ҳаволани нусхалаб бўлмади",
"Failed to create API Key.": "АПИ калитини яратиб бўлмади.",
"Failed to delete note": "Қайдни ўчириб бўлмади",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "Файл таркибини юклаб бўлмади.",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Буфер таркибини ўқиб бўлмади",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Бошқарув ёрдами билан хулоса чиқариш механизми топилмади",
"No knowledge found": "Ҳеч қандай билим топилмади",
"No memories to clear": "Тозалаш учун хотиралар йўқ",
"No memories yet": "",
"No model IDs": "Модел идентификаторлари йўқ",
"No models found": "Ҳеч қандай модел топилмади",
"No models selected": "Ҳеч қандай модел танланмаган",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Фақат ҳарф-рақамли белгилар ва дефисларга рухсат берилади",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Буйруқлар қаторида фақат ҳарф-рақамли белгилар ва дефисларга рухсат берилади.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Фақат тўпламларни таҳрирлаш мумкин, ҳужжатларни таҳрирлаш/қўшиш учун янги билимлар базасини яратинг.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Фақат маркдоwн файлларига рухсат берилади",
"Only select users and groups with permission can access": "Фақат рухсати бор танланган фойдаланувчилар ва гуруҳларга кириш мумкин",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Вой! УРЛ нотўғри кўринади. Илтимос, икки марта текширинг ва қайта уриниб кўринг.",
@ -1139,10 +1148,6 @@
"Open new chat": "Янги чат очинг",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "Опен WебУИ ҳар қандай ОпенАПИ сервери томонидан тақдим этилган воситалардан фойдаланиши мумкин.",
"CyberLover uses faster-whisper internally.": "Опен WебУИ ички тез шивирлашдан фойдаланади.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "Опен WебУИ СпеэчТ5 ва CМУ Арcтиc динамик ўрнатишларидан фойдаланади.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Очиқ WебУИ версияси (в{{ОПЕН_WЕБУИ_ВЕРСИОН}}) талаб қилинган версиядан (в{{РЕҚУИРЕД_ВЕРСИОН}}) пастроқ",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI АПИ",
"OpenAI API Config": "OpenAI АПИ конфигурацияси",

View file

@ -63,6 +63,7 @@
"Add text content": "Matn tarkibini qo'shing",
"Add User": "Foydalanuvchi qo'shish",
"Add User Group": "Foydalanuvchilar guruhini qo'shish",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "Maxsus parametr nomi",
"Custom Parameter Value": "Maxsus parametr qiymati",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover har qanday OpenAPI serveri tomonidan taqdim etilgan vositalardan foydalanishi mumkin.",
"CyberLover uses faster-whisper internally.": "CyberLover ichki tez shivirlashdan foydalanadi.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover SpeechT5 va CMU Arctic dinamik oʻrnatishlaridan foydalanadi.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Ochiq WebUI versiyasi (v{{OPEN_WEBUI_VERSION}}) talab qilingan versiyadan (v{{REQUIRED_VERSION}}) pastroq",
"Danger Zone": "Xavfli zona",
"Dark": "Qorong'i",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Fayl qoshib bolmadi.",
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI asbob serveriga ulanib boʻlmadi",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "Havolani nusxalab bolmadi",
"Failed to create API Key.": "API kalitini yaratib bolmadi.",
"Failed to delete note": "Qaydni ochirib bolmadi",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "Fayl tarkibini yuklab bolmadi.",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Bufer tarkibini oqib bolmadi",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Boshqaruv yordami bilan xulosa chiqarish mexanizmi topilmadi",
"No knowledge found": "Hech qanday bilim topilmadi",
"No memories to clear": "Tozalash uchun xotiralar yo'q",
"No memories yet": "",
"No model IDs": "Model identifikatorlari yo'q",
"No models found": "Hech qanday model topilmadi",
"No models selected": "Hech qanday model tanlanmagan",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Faqat harf-raqamli belgilar va defislarga ruxsat beriladi",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Buyruqlar qatorida faqat harf-raqamli belgilar va defislarga ruxsat beriladi.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Faqat to'plamlarni tahrirlash mumkin, hujjatlarni tahrirlash/qo'shish uchun yangi bilimlar bazasini yarating.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "Faqat markdown fayllariga ruxsat beriladi",
"Only select users and groups with permission can access": "Faqat ruxsati bor tanlangan foydalanuvchilar va guruhlarga kirish mumkin",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Voy! URL notogri korinadi. Iltimos, ikki marta tekshiring va qayta urinib ko'ring.",
@ -1139,10 +1148,6 @@
"Open new chat": "Yangi chat oching",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover har qanday OpenAPI serveri tomonidan taqdim etilgan vositalardan foydalanishi mumkin.",
"CyberLover uses faster-whisper internally.": "CyberLover ichki tez shivirlashdan foydalanadi.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover SpeechT5 va CMU Arctic dinamik oʻrnatishlaridan foydalanadi.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Ochiq WebUI versiyasi (v{{OPEN_WEBUI_VERSION}}) talab qilingan versiyadan (v{{REQUIRED_VERSION}}) pastroq",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API konfiguratsiyasi",

View file

@ -63,6 +63,7 @@
"Add text content": "Thêm nội dung văn bản",
"Add User": "Thêm người dùng",
"Add User Group": "Thêm Nhóm Người dùng",
"Add your first memory": "",
"Additional Config": "",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
"Additional Parameters": "",
@ -365,6 +366,10 @@
"Custom description enabled": "",
"Custom Parameter Name": "",
"Custom Parameter Value": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover sử dụng faster-whisper bên trong.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover sử dụng SpeechT5 và các embedding giọng nói CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Phiên bản CyberLover (v{{OPEN_WEBUI_VERSION}}) hiện thấp hơn phiên bản bắt buộc (v{{REQUIRED_VERSION}})",
"Danger Zone": "Vùng Nguy hiểm",
"Dark": "Tối",
"Data Controls": "",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "",
"Failed to add file.": "Không thể thêm tệp.",
"Failed to connect to {{URL}} OpenAPI tool server": "Không thể kết nối đến máy chủ công cụ OpenAPI {{URL}}",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "",
"Failed to create API Key.": "Lỗi khởi tạo API Key",
"Failed to delete note": "",
@ -704,6 +710,7 @@
"Failed to import models": "",
"Failed to load chat preview": "",
"Failed to load file content.": "",
"Failed to load memories": "",
"Failed to move chat": "",
"Failed to read clipboard contents": "Không thể đọc nội dung clipboard",
"Failed to render diagram": "",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "Không tìm thấy engine suy luận nào có hỗ trợ quản lý",
"No knowledge found": "Không tìm thấy kiến thức",
"No memories to clear": "Không có bộ nhớ nào để xóa",
"No memories yet": "",
"No model IDs": "Không có ID mô hình",
"No models found": "Không tìm thấy mô hình nào",
"No models selected": "Chưa chọn mô hình nào",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "Chỉ cho phép các ký tự chữ và số và dấu gạch nối",
"Only alphanumeric characters and hyphens are allowed in the command string.": "Chỉ ký tự số và gạch nối được phép trong chuỗi lệnh.",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Chỉ có thể chỉnh sửa bộ sưu tập, tạo cơ sở kiến thức mới để chỉnh sửa/thêm tài liệu.",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "",
"Only select users and groups with permission can access": "Chỉ người dùng và nhóm được chọn có quyền mới có thể truy cập",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Rất tiếc! URL dường như không hợp lệ. Vui lòng kiểm tra lại và thử lại.",
@ -1139,10 +1148,6 @@
"Open new chat": "Mở nội dung chat mới",
"Open Sidebar": "",
"Open User Profile Menu": "",
"CyberLover can use tools provided by any OpenAPI server.": "",
"CyberLover uses faster-whisper internally.": "CyberLover sử dụng faster-whisper bên trong.",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover sử dụng SpeechT5 và các embedding giọng nói CMU Arctic.",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Phiên bản CyberLover (v{{OPEN_WEBUI_VERSION}}) hiện thấp hơn phiên bản bắt buộc (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "API OpenAI",
"OpenAI API Config": "Cấu hình API OpenAI",

View file

@ -63,6 +63,7 @@
"Add text content": "添加文本内容",
"Add User": "添加用户",
"Add User Group": "添加权限组",
"Add your first memory": "",
"Additional Config": "额外配置项",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Datalab Marker 的额外配置项,可以填写一个包含键值对的 JSON 字符串。例如:{\"key\": \"value\"}。支持的键包括disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count 和 default_level。",
"Additional Parameters": "额外参数",
@ -365,6 +366,10 @@
"Custom description enabled": "自定义描述已启用",
"Custom Parameter Name": "自定义参数名称",
"Custom Parameter Value": "自定义参数值",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover 可使用任何 OpenAPI 服务器提供的工具。",
"CyberLover uses faster-whisper internally.": "CyberLover 使用内置 faster-whisper",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover 使用 SpeechT5 和 CMU Arctic speaker embedding。",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "当前 CyberLover 版本 (v{{OPEN_WEBUI_VERSION}}) 低于所需的版本 (v{{REQUIRED_VERSION}})",
"Danger Zone": "危险区域",
"Dark": "暗色",
"Data Controls": "数据",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "流式输出内容时启用动态渐显效果",
"Failed to add file.": "添加文件失败",
"Failed to connect to {{URL}} OpenAPI tool server": "连接到 {{URL}} OpenAPI 工具服务器失败",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "复制链接失败",
"Failed to create API Key.": "创建 API 密钥失败",
"Failed to delete note": "删除笔记失败",
@ -704,6 +710,7 @@
"Failed to import models": "导入模型配置失败",
"Failed to load chat preview": "对话预览加载失败",
"Failed to load file content.": "文件内容加载失败",
"Failed to load memories": "",
"Failed to move chat": "移动对话失败",
"Failed to read clipboard contents": "读取剪贴板内容失败",
"Failed to render diagram": "渲染图表失败",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "未找到支持管理的推理引擎",
"No knowledge found": "未找到知识",
"No memories to clear": "记忆为空,无须清理",
"No memories yet": "",
"No model IDs": "没有模型 ID",
"No models found": "未找到任何模型",
"No models selected": "未选择任何模型",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "只允许使用英文字母,数字 (0-9) 以及连字符 (-)",
"Only alphanumeric characters and hyphens are allowed in the command string.": "命令字符串中只允许使用英文字母,数字 (0-9) 以及连字符 (-)。",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "只能编辑文件集,创建一个新的知识库来编辑/添加文件。",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "仅允许使用 markdown 文件",
"Only select users and groups with permission can access": "只有具有权限的用户和组才能访问",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "糟糕!此链接似乎为无效链接。请检查后重试。",
@ -1139,10 +1148,6 @@
"Open new chat": "打开新对话",
"Open Sidebar": "展开侧边栏",
"Open User Profile Menu": "打开个人资料菜单",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover 可使用任何 OpenAPI 服务器提供的工具。",
"CyberLover uses faster-whisper internally.": "CyberLover 使用内置 faster-whisper",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover 使用 SpeechT5 和 CMU Arctic speaker embedding。",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "当前 CyberLover 版本 (v{{OPEN_WEBUI_VERSION}}) 低于所需的版本 (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API 配置",

View file

@ -63,6 +63,7 @@
"Add text content": "新增文字內容",
"Add User": "新增使用者",
"Add User Group": "新增使用者群組",
"Add your first memory": "",
"Additional Config": "額外設定",
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Datalab Marker 的額外設定選項,可以填寫一個包含鍵值對的 JSON 字串。例如:{\"key\": \"value\"}。支援的鍵包括disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count 和 default_level。",
"Additional Parameters": "額外參數",
@ -365,6 +366,10 @@
"Custom description enabled": "自訂描述已啟用",
"Custom Parameter Name": "自訂參數名稱",
"Custom Parameter Value": "自訂參數值",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover 可使用任何 OpenAPI 伺服器提供的工具。",
"CyberLover uses faster-whisper internally.": "CyberLover 使用內部 faster-whisper。",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover 使用 SpeechT5 和 CMU Arctic 說話者嵌入。",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover 版本 (v{{OPEN_WEBUI_VERSION}}) 低於所需版本 (v{{REQUIRED_VERSION}})",
"Danger Zone": "危險區域",
"Dark": "深色",
"Data Controls": "資料",
@ -694,6 +699,7 @@
"Fade Effect for Streaming Text": "串流文字淡入效果",
"Failed to add file.": "新增檔案失敗。",
"Failed to connect to {{URL}} OpenAPI tool server": "無法連線至 {{URL}} OpenAPI 工具伺服器",
"Failed to convert OpenAI chats": "",
"Failed to copy link": "複製連結失敗",
"Failed to create API Key.": "建立 API 金鑰失敗。",
"Failed to delete note": "刪除筆記失敗",
@ -704,6 +710,7 @@
"Failed to import models": "匯入模型失敗",
"Failed to load chat preview": "對話預覽載入失敗",
"Failed to load file content.": "載入檔案內容失敗。",
"Failed to load memories": "",
"Failed to move chat": "移動對話失敗",
"Failed to read clipboard contents": "讀取剪貼簿內容失敗",
"Failed to render diagram": "繪製圖表失敗",
@ -1075,6 +1082,7 @@
"No inference engine with management support found": "未找到支援管理功能的推理引擎",
"No knowledge found": "未找到知識",
"No memories to clear": "沒有記憶可清除",
"No memories yet": "",
"No model IDs": "沒有模型 ID",
"No models found": "未找到模型",
"No models selected": "未選取模型",
@ -1124,6 +1132,7 @@
"Only alphanumeric characters and hyphens are allowed": "只允許使用英文字母、數字和連字號",
"Only alphanumeric characters and hyphens are allowed in the command string.": "命令字串中只允許使用英文字母、數字和連字號。",
"Only collections can be edited, create a new knowledge base to edit/add documents.": "只能編輯集合,請建立新的知識以編輯或新增檔案。",
"Only JSON and ZIP file types are supported.": "",
"Only markdown files are allowed": "僅允許 Markdown 檔案",
"Only select users and groups with permission can access": "只有具有權限的選定使用者和群組可以存取",
"Oops! Looks like the URL is invalid. Please double-check and try again.": "哎呀!這個 URL 似乎無效。請仔細檢查並再試一次。",
@ -1139,10 +1148,6 @@
"Open new chat": "開啟新的對話",
"Open Sidebar": "展開側邊欄",
"Open User Profile Menu": "開啟個人資料選單",
"CyberLover can use tools provided by any OpenAPI server.": "CyberLover 可使用任何 OpenAPI 伺服器提供的工具。",
"CyberLover uses faster-whisper internally.": "CyberLover 使用內部 faster-whisper。",
"CyberLover uses SpeechT5 and CMU Arctic speaker embeddings.": "CyberLover 使用 SpeechT5 和 CMU Arctic 說話者嵌入。",
"CyberLover version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "CyberLover 版本 (v{{OPEN_WEBUI_VERSION}}) 低於所需版本 (v{{REQUIRED_VERSION}})",
"OpenAI": "OpenAI",
"OpenAI API": "OpenAI API",
"OpenAI API Config": "OpenAI API 設定",

View file

@ -60,6 +60,7 @@ export const prompts: Writable<null | Prompt[]> = writable(null);
export const knowledge: Writable<null | Document[]> = writable(null);
export const tools = writable(null);
export const functions = writable(null);
export const memories = writable([]);
export const toolServers = writable([]);
@ -73,6 +74,7 @@ export const showSettings = writable(false);
export const showShortcuts = writable(false);
export const showArchivedChats = writable(false);
export const showChangelog = writable(false);
export const showMemoryPanel = writable(false);
export const showControls = writable(false);
export const showEmbeds = writable(false);

View file

@ -0,0 +1,347 @@
<script lang="ts">
import { toast } from 'svelte-sonner';
import dayjs from 'dayjs';
import { getContext, onMount } from 'svelte';
import { memories, mobile, showArchivedChats, showSidebar, user } from '$lib/stores';
import {
deleteMemoriesByUserId,
deleteMemoryById,
getMemories
} from '$lib/apis/memories';
import Tooltip from '$lib/components/common/Tooltip.svelte';
import AddMemoryModal from '$lib/components/chat/Settings/Personalization/AddMemoryModal.svelte';
import EditMemoryModal from '$lib/components/chat/Settings/Personalization/EditMemoryModal.svelte';
import ConfirmDialog from '$lib/components/common/ConfirmDialog.svelte';
import localizedFormat from 'dayjs/plugin/localizedFormat';
import Sparkles from '$lib/components/icons/Sparkles.svelte';
import UserMenu from '$lib/components/layout/Sidebar/UserMenu.svelte';
import SidebarIcon from '$lib/components/icons/Sidebar.svelte';
const i18n = getContext('i18n');
dayjs.extend(localizedFormat);
let loading = false;
let showAddMemoryModal = false;
let showEditMemoryModal = false;
let selectedMemory = null;
let showClearConfirmDialog = false;
const loadMemories = async () => {
loading = true;
try {
const data = await getMemories(localStorage.token);
memories.set(data || []);
} catch (error) {
toast.error($i18n.t('Failed to load memories'));
console.error(error);
} finally {
loading = false;
}
};
const onClearConfirmed = async () => {
const res = await deleteMemoriesByUserId(localStorage.token).catch((error) => {
toast.error(`${error}`);
return null;
});
if (res && $memories.length > 0) {
toast.success($i18n.t('Memory cleared successfully'));
memories.set([]);
}
showClearConfirmDialog = false;
};
const handleDeleteMemory = async (memoryId: string) => {
const res = await deleteMemoryById(localStorage.token, memoryId).catch((error) => {
toast.error(`${error}`);
return null;
});
if (res) {
toast.success($i18n.t('Memory deleted successfully'));
await loadMemories();
}
};
onMount(() => {
loadMemories();
});
</script>
<div
class="flex flex-col w-full h-screen max-h-[100dvh] transition-width duration-200 ease-in-out {$showSidebar
? 'md:max-w-[calc(100%-260px)]'
: ''} max-w-full"
>
<!-- Navbar -->
<nav class="px-2 pt-1.5 backdrop-blur-xl w-full drag-region">
<div class="flex items-center">
{#if $mobile}
<div class="{$showSidebar ? 'md:hidden' : ''} flex flex-none items-center">
<Tooltip
content={$showSidebar ? $i18n.t('Close Sidebar') : $i18n.t('Open Sidebar')}
interactive={true}
>
<button
id="sidebar-toggle-button"
class="cursor-pointer flex rounded-lg hover:bg-gray-100 dark:hover:bg-gray-850 transition"
on:click={() => {
showSidebar.set(!$showSidebar);
}}
>
<div class="self-center p-1.5">
<SidebarIcon />
</div>
</button>
</Tooltip>
</div>
{/if}
<div class="ml-2 py-0.5 self-center flex items-center justify-between w-full">
<div class="flex items-center gap-3">
<div class="p-1.5 bg-gray-100 dark:bg-gray-800 rounded-xl">
<Sparkles className="size-5" strokeWidth="2" />
</div>
<div>
<h1 class="text-lg font-semibold text-gray-900 dark:text-gray-100">
{$i18n.t('Memory')}
</h1>
</div>
</div>
<div class="self-center flex items-center gap-1">
{#if $user !== undefined && $user !== null}
<UserMenu
className="max-w-[240px]"
role={$user?.role}
help={true}
on:show={(e) => {
if (e.detail === 'archived-chat') {
showArchivedChats.set(true);
}
}}
>
<button
class="select-none flex rounded-xl p-1.5 w-full hover:bg-gray-50 dark:hover:bg-gray-850 transition"
aria-label="User Menu"
>
<div class="self-center">
<img
src={$user?.profile_image_url}
class="size-6 object-cover rounded-full"
alt="User profile"
draggable="false"
/>
</div>
</button>
</UserMenu>
{/if}
</div>
</div>
</div>
</nav>
<!-- Content -->
<div class="pb-1 flex-1 max-h-full overflow-y-auto">
<div class="max-w-6xl mx-auto px-4 sm:px-6 lg:px-8 py-4">
<!-- Action Buttons -->
<div class="flex items-center justify-between mb-6">
<p class="text-sm text-gray-500 dark:text-gray-400">
{$i18n.t('Memories accessible by LLMs will be shown here.')}
</p>
<div class="flex items-center gap-2">
<button
class="px-4 py-2 text-sm font-medium text-gray-700 dark:text-gray-300 hover:bg-gray-100 dark:hover:bg-gray-800 rounded-xl transition"
on:click={() => {
showAddMemoryModal = true;
}}
>
<div class="flex items-center gap-2">
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="2"
stroke="currentColor"
class="w-4 h-4"
>
<path stroke-linecap="round" stroke-linejoin="round" d="M12 4.5v15m7.5-7.5h-15" />
</svg>
{$i18n.t('Add Memory')}
</div>
</button>
<button
class="px-4 py-2 text-sm font-medium text-red-600 dark:text-red-400 hover:bg-red-50 dark:hover:bg-red-900/20 rounded-xl transition"
on:click={() => {
if ($memories.length > 0) {
showClearConfirmDialog = true;
} else {
toast.error($i18n.t('No memories to clear'));
}
}}
>
<div class="flex items-center gap-2">
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="2"
stroke="currentColor"
class="w-4 h-4"
>
<path
stroke-linecap="round"
stroke-linejoin="round"
d="m14.74 9-.346 9m-4.788 0L9.26 9m9.968-3.21c.342.052.682.107 1.022.166m-1.022-.165L18.16 19.673a2.25 2.25 0 0 1-2.244 2.077H8.084a2.25 2.25 0 0 1-2.244-2.077L4.772 5.79m14.456 0a48.108 48.108 0 0 0-3.478-.397m-12 .562c.34-.059.68-.114 1.022-.165m0 0a48.11 48.11 0 0 1 3.478-.397m7.5 0v-.916c0-1.18-.91-2.164-2.09-2.201a51.964 51.964 0 0 0-3.32 0c-1.18.037-2.09 1.022-2.09 2.201v.916m7.5 0a48.667 48.667 0 0 0-7.5 0"
/>
</svg>
{$i18n.t('Clear memory')}
</div>
</button>
</div>
</div>
<!-- Memory List -->
{#if loading}
<div class="flex items-center justify-center py-20">
<div class="text-center">
<div
class="inline-block h-8 w-8 animate-spin rounded-full border-4 border-solid border-current border-r-transparent align-[-0.125em] motion-reduce:animate-[spin_1.5s_linear_infinite]"
></div>
<div class="mt-4 text-sm text-gray-500">{$i18n.t('Loading...')}</div>
</div>
</div>
{:else if $memories.length === 0}
<div class="flex items-center justify-center py-20">
<div class="text-center max-w-md">
<div
class="mx-auto w-16 h-16 bg-gray-100 dark:bg-gray-800 rounded-full flex items-center justify-center mb-4"
>
<Sparkles className="size-8 text-gray-400" strokeWidth="2" />
</div>
<h3 class="text-lg font-medium text-gray-900 dark:text-gray-100 mb-2">
{$i18n.t('No memories yet')}
</h3>
<p class="text-sm text-gray-500 dark:text-gray-400 mb-6">
{$i18n.t('Memories accessible by LLMs will be shown here.')}
</p>
<button
class="px-4 py-2 text-sm font-medium text-white bg-gray-900 dark:bg-white dark:text-gray-900 hover:bg-gray-800 dark:hover:bg-gray-100 rounded-xl transition"
on:click={() => {
showAddMemoryModal = true;
}}
>
{$i18n.t('Add your first memory')}
</button>
</div>
</div>
{:else}
<div class="grid gap-4 grid-cols-1 md:grid-cols-2 lg:grid-cols-3">
{#each $memories as memory}
<div
class="group relative bg-white dark:bg-gray-850 border border-gray-200 dark:border-gray-800 rounded-xl p-4 hover:shadow-md transition"
>
<div class="flex items-start justify-between gap-3">
<div class="flex-1 min-w-0">
<p class="text-sm text-gray-800 dark:text-gray-200 break-words whitespace-pre-wrap">
{memory.content}
</p>
<div class="flex items-center gap-2 mt-3 text-xs text-gray-500 dark:text-gray-500">
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="1.5"
stroke="currentColor"
class="w-3.5 h-3.5"
>
<path
stroke-linecap="round"
stroke-linejoin="round"
d="M12 6v6h4.5m4.5 0a9 9 0 1 1-18 0 9 9 0 0 1 18 0Z"
/>
</svg>
{dayjs(memory.updated_at * 1000).format('ll')}
</div>
</div>
<div class="flex items-center gap-1 opacity-0 group-hover:opacity-100 transition">
<Tooltip content={$i18n.t('Edit')}>
<button
class="p-2 hover:bg-gray-100 dark:hover:bg-gray-800 rounded-lg transition"
on:click={() => {
selectedMemory = memory;
showEditMemoryModal = true;
}}
>
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="1.5"
stroke="currentColor"
class="w-4 h-4"
>
<path
stroke-linecap="round"
stroke-linejoin="round"
d="m16.862 4.487 1.687-1.688a1.875 1.875 0 1 1 2.652 2.652L6.832 19.82a4.5 4.5 0 0 1-1.897 1.13l-2.685.8.8-2.685a4.5 4.5 0 0 1 1.13-1.897L16.863 4.487Zm0 0L19.5 7.125"
/>
</svg>
</button>
</Tooltip>
<Tooltip content={$i18n.t('Delete')}>
<button
class="p-2 hover:bg-red-50 dark:hover:bg-red-900/20 text-red-500 rounded-lg transition"
on:click={() => handleDeleteMemory(memory.id)}
>
<svg
xmlns="http://www.w3.org/2000/svg"
fill="none"
viewBox="0 0 24 24"
stroke-width="1.5"
stroke="currentColor"
class="w-4 h-4"
>
<path
stroke-linecap="round"
stroke-linejoin="round"
d="m14.74 9-.346 9m-4.788 0L9.26 9m9.968-3.21c.342.052.682.107 1.022.166m-1.022-.165L18.16 19.673a2.25 2.25 0 0 1-2.244 2.077H8.084a2.25 2.25 0 0 1-2.244-2.077L4.772 5.79m14.456 0a48.108 48.108 0 0 0-3.478-.397m-12 .562c.34-.059.68-.114 1.022-.165m0 0a48.11 48.11 0 0 1 3.478-.397m7.5 0v-.916c0-1.18-.91-2.164-2.09-2.201a51.964 51.964 0 0 0-3.32 0c-1.18.037-2.09 1.022-2.09 2.201v.916m7.5 0a48.667 48.667 0 0 0-7.5 0"
/>
</svg>
</button>
</Tooltip>
</div>
</div>
</div>
{/each}
</div>
{/if}
</div>
</div>
</div>
<ConfirmDialog
title={$i18n.t('Clear Memory')}
message={$i18n.t('Are you sure you want to clear all memories? This action cannot be undone.')}
show={showClearConfirmDialog}
on:confirm={onClearConfirmed}
on:cancel={() => {
showClearConfirmDialog = false;
}}
/>
<AddMemoryModal
bind:show={showAddMemoryModal}
on:save={async () => {
await loadMemories();
}}
/>
<EditMemoryModal
bind:show={showEditMemoryModal}
memory={selectedMemory}
on:save={async () => {
await loadMemories();
}}
/>