Commit 064d307d authored by Robin Kroonen's avatar Robin Kroonen
Browse files

Merge branch 'dev' of https://github.com/open-webui/open-webui into dev

parents dc6db5e8 ab271c82
<script lang="ts">
import { toast } from 'svelte-sonner';
import dayjs from 'dayjs';
import { getContext, createEventDispatcher } from 'svelte';
const dispatch = createEventDispatcher();
import Modal from '$lib/components/common/Modal.svelte';
import AddMemoryModal from './AddMemoryModal.svelte';
import { deleteMemoriesByUserId, deleteMemoryById, getMemories } from '$lib/apis/memories';
import Tooltip from '$lib/components/common/Tooltip.svelte';
import { error } from '@sveltejs/kit';
const i18n = getContext('i18n');
export let show = false;
let memories = [];
let showAddMemoryModal = false;
$: if (show) {
(async () => {
memories = await getMemories(localStorage.token);
})();
}
</script>
<Modal size="xl" bind:show>
<div>
<div class=" flex justify-between dark:text-gray-300 px-5 pt-4 pb-1">
<div class=" text-lg font-medium self-center">{$i18n.t('Memory')}</div>
<button
class="self-center"
on:click={() => {
show = false;
}}
>
<svg
xmlns="http://www.w3.org/2000/svg"
viewBox="0 0 20 20"
fill="currentColor"
class="w-5 h-5"
>
<path
d="M6.28 5.22a.75.75 0 00-1.06 1.06L8.94 10l-3.72 3.72a.75.75 0 101.06 1.06L10 11.06l3.72 3.72a.75.75 0 101.06-1.06L11.06 10l3.72-3.72a.75.75 0 00-1.06-1.06L10 8.94 6.28 5.22z"
/>
</svg>
</button>
</div>
<div class="flex flex-col w-full px-5 pb-5 dark:text-gray-200">
<div
class=" flex flex-col w-full sm:flex-row sm:justify-center sm:space-x-6 h-[28rem] max-h-screen outline outline-1 rounded-xl outline-gray-100 dark:outline-gray-800 mb-4 mt-1"
>
{#if memories.length > 0}
<div class="text-left text-sm w-full mb-4 max-h-[22rem] overflow-y-scroll">
<div class="relative overflow-x-auto">
<table class="w-full text-sm text-left text-gray-600 dark:text-gray-400 table-auto">
<thead
class="text-xs text-gray-700 uppercase bg-transparent dark:text-gray-200 border-b-2 dark:border-gray-800"
>
<tr>
<th scope="col" class="px-3 py-2"> {$i18n.t('Name')} </th>
<th scope="col" class="px-3 py-2 hidden md:flex"> {$i18n.t('Created At')} </th>
<th scope="col" class="px-3 py-2 text-right" />
</tr>
</thead>
<tbody>
{#each memories as memory}
<tr class="border-b dark:border-gray-800 items-center">
<td class="px-3 py-1">
<div class="line-clamp-1">
{memory.content}
</div>
</td>
<td class=" px-3 py-1 hidden md:flex h-[2.5rem]">
<div class="my-auto whitespace-nowrap">
{dayjs(memory.created_at * 1000).format($i18n.t('MMMM DD, YYYY'))}
</div>
</td>
<td class="px-3 py-1">
<div class="flex justify-end w-full">
<Tooltip content="Delete">
<button
class="self-center w-fit text-sm px-2 py-2 hover:bg-black/5 dark:hover:bg-white/5 rounded-xl"
on:click={async () => {
const res = await deleteMemoryById(
localStorage.token,
memory.id
).catch((error) => {
toast.error(error);
return null;
});
if (res) {
toast.success('Memory deleted successfully');
memories = await getMemories(localStorage.token);
}
}}
>
<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>
</td>
</tr>
{/each}
</tbody>
</table>
</div>
</div>
{:else}
<div class="text-center flex h-full text-sm w-full">
<div class=" my-auto pb-10 px-4 w-full text-gray-500">
{$i18n.t('Memories accessible by LLMs will be shown here.')}
</div>
</div>
{/if}
</div>
<div class="flex text-sm font-medium gap-1.5">
<button
class=" px-3.5 py-1.5 font-medium hover:bg-black/5 dark:hover:bg-white/5 outline outline-1 outline-gray-300 dark:outline-gray-800 rounded-3xl"
on:click={() => {
showAddMemoryModal = true;
}}>Add memory</button
>
<button
class=" px-3.5 py-1.5 font-medium text-red-500 hover:bg-black/5 dark:hover:bg-white/5 outline outline-1 outline-red-300 dark:outline-red-800 rounded-3xl"
on:click={async () => {
const res = await deleteMemoriesByUserId(localStorage.token).catch((error) => {
toast.error(error);
return null;
});
if (res) {
toast.success('Memory cleared successfully');
memories = [];
}
}}>Clear memory</button
>
</div>
</div>
</div>
</Modal>
<AddMemoryModal
bind:show={showAddMemoryModal}
on:save={async () => {
memories = await getMemories(localStorage.token);
}}
/>
...@@ -15,6 +15,8 @@ ...@@ -15,6 +15,8 @@
import Chats from './Settings/Chats.svelte'; import Chats from './Settings/Chats.svelte';
import Connections from './Settings/Connections.svelte'; import Connections from './Settings/Connections.svelte';
import Images from './Settings/Images.svelte'; import Images from './Settings/Images.svelte';
import User from '../icons/User.svelte';
import Personalization from './Settings/Personalization.svelte';
const i18n = getContext('i18n'); const i18n = getContext('i18n');
...@@ -167,28 +169,17 @@ ...@@ -167,28 +169,17 @@
<button <button
class="px-2.5 py-2.5 min-w-fit rounded-lg flex-1 md:flex-none flex text-right transition {selectedTab === class="px-2.5 py-2.5 min-w-fit rounded-lg flex-1 md:flex-none flex text-right transition {selectedTab ===
'interface' 'personalization'
? 'bg-gray-200 dark:bg-gray-700' ? 'bg-gray-200 dark:bg-gray-700'
: ' hover:bg-gray-300 dark:hover:bg-gray-800'}" : ' hover:bg-gray-300 dark:hover:bg-gray-800'}"
on:click={() => { on:click={() => {
selectedTab = 'interface'; selectedTab = 'personalization';
}} }}
> >
<div class=" self-center mr-2"> <div class=" self-center mr-2">
<svg <User />
xmlns="http://www.w3.org/2000/svg"
viewBox="0 0 16 16"
fill="currentColor"
class="w-4 h-4"
>
<path
fill-rule="evenodd"
d="M2 4.25A2.25 2.25 0 0 1 4.25 2h7.5A2.25 2.25 0 0 1 14 4.25v5.5A2.25 2.25 0 0 1 11.75 12h-1.312c.1.128.21.248.328.36a.75.75 0 0 1 .234.545v.345a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1-.75-.75v-.345a.75.75 0 0 1 .234-.545c.118-.111.228-.232.328-.36H4.25A2.25 2.25 0 0 1 2 9.75v-5.5Zm2.25-.75a.75.75 0 0 0-.75.75v4.5c0 .414.336.75.75.75h7.5a.75.75 0 0 0 .75-.75v-4.5a.75.75 0 0 0-.75-.75h-7.5Z"
clip-rule="evenodd"
/>
</svg>
</div> </div>
<div class=" self-center">{$i18n.t('Interface')}</div> <div class=" self-center">{$i18n.t('Personalization')}</div>
</button> </button>
<button <button
...@@ -349,6 +340,13 @@ ...@@ -349,6 +340,13 @@
toast.success($i18n.t('Settings saved successfully!')); toast.success($i18n.t('Settings saved successfully!'));
}} }}
/> />
{:else if selectedTab === 'personalization'}
<Personalization
{saveSettings}
on:save={() => {
toast.success($i18n.t('Settings saved successfully!'));
}}
/>
{:else if selectedTab === 'audio'} {:else if selectedTab === 'audio'}
<Audio <Audio
{saveSettings} {saveSettings}
......
...@@ -65,7 +65,7 @@ ...@@ -65,7 +65,7 @@
return false; return false;
} }
return chat.id !== _chat.id || chat.share_id !== _chat.share_id; return chat.id !== _chat.id || chat.share_id !== _chat.share_id;
} };
$: if (show) { $: if (show) {
(async () => { (async () => {
...@@ -128,7 +128,7 @@ ...@@ -128,7 +128,7 @@
{$i18n.t('and create a new shared link.')} {$i18n.t('and create a new shared link.')}
{:else} {:else}
{$i18n.t( {$i18n.t(
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat." "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat."
)} )}
{/if} {/if}
</div> </div>
......
...@@ -18,7 +18,7 @@ ...@@ -18,7 +18,7 @@
} else if (size === 'md') { } else if (size === 'md') {
return 'w-[48rem]'; return 'w-[48rem]';
} else { } else {
return 'w-[50rem]'; return 'w-[56rem]';
} }
}; };
......
...@@ -26,7 +26,7 @@ ...@@ -26,7 +26,7 @@
let searchValue = ''; let searchValue = '';
$: filteredItems = searchValue $: filteredItems = searchValue
? items.filter((item) => item.value.includes(searchValue.toLowerCase())) ? items.filter((item) => item.value.toLowerCase().includes(searchValue.toLowerCase()))
: items; : items;
</script> </script>
......
...@@ -14,7 +14,7 @@ ...@@ -14,7 +14,7 @@
}} }}
class="flex h-5 min-h-5 w-9 shrink-0 cursor-pointer items-center rounded-full px-[3px] transition {state class="flex h-5 min-h-5 w-9 shrink-0 cursor-pointer items-center rounded-full px-[3px] transition {state
? ' bg-emerald-600' ? ' bg-emerald-600'
: 'bg-gray-200 dark:bg-transparent'} outline outline-gray-100 dark:outline-gray-800" : 'bg-gray-200 dark:bg-transparent'} outline outline-1 outline-gray-100 dark:outline-gray-800"
> >
<Switch.Thumb <Switch.Thumb
class="pointer-events-none block size-4 shrink-0 rounded-full bg-white transition-transform data-[state=checked]:translate-x-3.5 data-[state=unchecked]:translate-x-0 data-[state=unchecked]:shadow-mini " class="pointer-events-none block size-4 shrink-0 rounded-full bg-white transition-transform data-[state=checked]:translate-x-3.5 data-[state=unchecked]:translate-x-0 data-[state=unchecked]:shadow-mini "
......
...@@ -254,6 +254,8 @@ ...@@ -254,6 +254,8 @@
embeddingModel = ''; embeddingModel = '';
} else if (e.target.value === 'openai') { } else if (e.target.value === 'openai') {
embeddingModel = 'text-embedding-3-small'; embeddingModel = 'text-embedding-3-small';
} else if (e.target.value === '') {
embeddingModel = 'sentence-transformers/all-MiniLM-L6-v2';
} }
}} }}
> >
......
...@@ -141,14 +141,15 @@ ...@@ -141,14 +141,15 @@
}} }}
> >
<button <button
class=" flex rounded-xl p-1.5 w-full hover:bg-gray-100 dark:hover:bg-gray-850 transition" class="select-none flex rounded-xl p-1.5 w-full hover:bg-gray-100 dark:hover:bg-gray-850 transition"
aria-label="User Menu" aria-label="User Menu"
> >
<div class=" self-center"> <div class=" self-center">
<img <img
src={$user.profile_image_url} src={$user.profile_image_url}
class=" size-6 object-cover rounded-full" class="size-6 object-cover rounded-full"
alt="User profile" alt="User profile"
draggable="false"
/> />
</div> </div>
</button> </button>
......
...@@ -248,6 +248,7 @@ ...@@ -248,6 +248,7 @@
> >
<div class="self-center mx-1.5"> <div class="self-center mx-1.5">
<img <img
crossorigin="anonymous"
src="{WEBUI_BASE_URL}/static/favicon.png" src="{WEBUI_BASE_URL}/static/favicon.png"
class=" size-6 -translate-x-1.5 rounded-full" class=" size-6 -translate-x-1.5 rounded-full"
alt="logo" alt="logo"
......
...@@ -329,7 +329,6 @@ ...@@ -329,7 +329,6 @@
info: model info: model
}))} }))}
bind:value={selectedModelId} bind:value={selectedModelId}
className="w-[42rem]"
/> />
</div> </div>
</div> </div>
......
...@@ -10,6 +10,7 @@ ...@@ -10,6 +10,7 @@
"About": "عن", "About": "عن",
"Account": "الحساب", "Account": "الحساب",
"Accurate information": "معلومات دقيقة", "Accurate information": "معلومات دقيقة",
"Add": "",
"Add a model": "أضافة موديل", "Add a model": "أضافة موديل",
"Add a model tag name": "ضع تاق للأسم الموديل", "Add a model tag name": "ضع تاق للأسم الموديل",
"Add a short description about what this modelfile does": "أضف وصفًا قصيرًا حول ما يفعله ملف الموديل هذا", "Add a short description about what this modelfile does": "أضف وصفًا قصيرًا حول ما يفعله ملف الموديل هذا",
...@@ -18,6 +19,7 @@ ...@@ -18,6 +19,7 @@
"Add custom prompt": "أضافة مطالبة مخصصه", "Add custom prompt": "أضافة مطالبة مخصصه",
"Add Docs": "إضافة المستندات", "Add Docs": "إضافة المستندات",
"Add Files": "إضافة ملفات", "Add Files": "إضافة ملفات",
"Add Memory": "",
"Add message": "اضافة رسالة", "Add message": "اضافة رسالة",
"Add Model": "اضافة موديل", "Add Model": "اضافة موديل",
"Add Tags": "اضافة تاق", "Add Tags": "اضافة تاق",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "التصنيفات", "Categories": "التصنيفات",
"Change Password": "تغير الباسورد", "Change Password": "تغير الباسورد",
"Chat": "المحادثة", "Chat": "المحادثة",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "تاريخ المحادثة", "Chat History": "تاريخ المحادثة",
"Chat History is off for this browser.": "سجل الدردشة معطل لهذا المتصفح", "Chat History is off for this browser.": "سجل الدردشة معطل لهذا المتصفح",
"Chats": "المحادثات", "Chats": "المحادثات",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "تفعيل", "Enabled": "تفعيل",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "تأكد من أن ملف CSV الخاص بك يتضمن 4 أعمدة بهذا الترتيب: Name, Email, Password, Role.", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "تأكد من أن ملف CSV الخاص بك يتضمن 4 أعمدة بهذا الترتيب: Name, Email, Password, Role.",
"Enter {{role}} message here": "أدخل رسالة {{role}} هنا", "Enter {{role}} message here": "أدخل رسالة {{role}} هنا",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "أدخل Chunk المتداخل", "Enter Chunk Overlap": "أدخل Chunk المتداخل",
"Enter Chunk Size": "أدخل Chunk الحجم", "Enter Chunk Size": "أدخل Chunk الحجم",
"Enter Image Size (e.g. 512x512)": "(e.g. 512x512) أدخل حجم الصورة ", "Enter Image Size (e.g. 512x512)": "(e.g. 512x512) أدخل حجم الصورة ",
...@@ -227,7 +232,7 @@ ...@@ -227,7 +232,7 @@
"Import Modelfiles": "استيراد ملفات النماذج", "Import Modelfiles": "استيراد ملفات النماذج",
"Import Prompts": "مطالبات الاستيراد", "Import Prompts": "مطالبات الاستيراد",
"Include `--api` flag when running stable-diffusion-webui": "قم بتضمين علامة `-api` عند تشغيل Stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "قم بتضمين علامة `-api` عند تشغيل Stable-diffusion-webui",
"Input commands": "", "Input commands": "إدخال الأوامر",
"Interface": "واجهه المستخدم", "Interface": "واجهه المستخدم",
"Invalid Tag": "تاق غير صالحة", "Invalid Tag": "تاق غير صالحة",
"January": "يناير", "January": "يناير",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "فاتح", "Light": "فاتح",
"Listening...": "جاري الاستماع", "Listening...": "جاري الاستماع",
"LLMs can make mistakes. Verify important information.": "يمكن أن تصدر بعض الأخطاء. لذلك يجب التحقق من المعلومات المهمة", "LLMs can make mistakes. Verify important information.": "يمكن أن تصدر بعض الأخطاء. لذلك يجب التحقق من المعلومات المهمة",
"LTR": "",
"Made by OpenWebUI Community": "OpenWebUI تم إنشاؤه بواسطة مجتمع ", "Made by OpenWebUI Community": "OpenWebUI تم إنشاؤه بواسطة مجتمع ",
"Make sure to enclose them with": "تأكد من إرفاقها", "Make sure to enclose them with": "تأكد من إرفاقها",
"Manage LiteLLM Models": "LiteLLM إدارة نماذج ", "Manage LiteLLM Models": "LiteLLM إدارة نماذج ",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "Max Tokens", "Max Tokens": "Max Tokens",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "يمكن تنزيل 3 نماذج كحد أقصى في وقت واحد. الرجاء معاودة المحاولة في وقت لاحق.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "يمكن تنزيل 3 نماذج كحد أقصى في وقت واحد. الرجاء معاودة المحاولة في وقت لاحق.",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "لن تتم مشاركة الرسائل التي ترسلها بعد إنشاء الرابط الخاص بك. سيتمكن المستخدمون الذين لديهم عنوان URL من عرض الدردشة المشتركة.", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "الحد الأدنى من النقاط", "Minimum Score": "الحد الأدنى من النقاط",
"Mirostat": "Mirostat", "Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta", "Mirostat Eta": "Mirostat Eta",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "PDF أستخرج الصور (OCR)", "PDF Extract Images (OCR)": "PDF أستخرج الصور (OCR)",
"pending": "قيد الانتظار", "pending": "قيد الانتظار",
"Permission denied when accessing microphone: {{error}}": "{{error}} تم رفض الإذن عند الوصول إلى الميكروفون ", "Permission denied when accessing microphone: {{error}}": "{{error}} تم رفض الإذن عند الوصول إلى الميكروفون ",
"Personalization": "",
"Plain text (.txt)": "نص عادي (.txt)", "Plain text (.txt)": "نص عادي (.txt)",
"Playground": "مكان التجربة", "Playground": "مكان التجربة",
"Positive attitude": "موقف ايجابي", "Positive attitude": "موقف ايجابي",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "منصب", "Role": "منصب",
"Rosé Pine": "Rosé Pine", "Rosé Pine": "Rosé Pine",
"Rosé Pine Dawn": "Rosé Pine Dawn", "Rosé Pine Dawn": "Rosé Pine Dawn",
"RTL": "",
"Save": "حفظ", "Save": "حفظ",
"Save & Create": "حفظ وإنشاء", "Save & Create": "حفظ وإنشاء",
"Save & Update": "حفظ وتحديث", "Save & Update": "حفظ وتحديث",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "اكتب اقتراحًا سريعًا (على سبيل المثال، من أنت؟)", "Write a prompt suggestion (e.g. Who are you?)": "اكتب اقتراحًا سريعًا (على سبيل المثال، من أنت؟)",
"Write a summary in 50 words that summarizes [topic or keyword].": "اكتب ملخصًا في 50 كلمة يلخص [الموضوع أو الكلمة الرئيسية]", "Write a summary in 50 words that summarizes [topic or keyword].": "اكتب ملخصًا في 50 كلمة يلخص [الموضوع أو الكلمة الرئيسية]",
"Yesterday": "أمس", "Yesterday": "أمس",
"You": "",
"You have no archived conversations.": "لا تملك محادثات محفوظه", "You have no archived conversations.": "لا تملك محادثات محفوظه",
"You have shared this chat": "تم مشاركة هذه المحادثة", "You have shared this chat": "تم مشاركة هذه المحادثة",
"You're a helpful assistant.": "مساعدك المفيد هنا", "You're a helpful assistant.": "مساعدك المفيد هنا",
......
...@@ -10,14 +10,16 @@ ...@@ -10,14 +10,16 @@
"About": "Относно", "About": "Относно",
"Account": "Акаунт", "Account": "Акаунт",
"Accurate information": "", "Accurate information": "",
"Add": "",
"Add a model": "Добавяне на модел", "Add a model": "Добавяне на модел",
"Add a model tag name": "Добавяне на име на таг за модел", "Add a model tag name": "Добавяне на име на таг за модел",
"Add a short description about what this modelfile does": "Добавяне на кратко описание за това какво прави този модфайл", "Add a short description about what this modelfile does": "Добавяне на кратко описание за това какво прави този модфайл",
"Add a short title for this prompt": "Добавяне на кратко заглавие за този промпт", "Add a short title for this prompt": "Добавяне на кратко заглавие за този промпт",
"Add a tag": "Добавяне на таг", "Add a tag": "Добавяне на таг",
"Add custom prompt": "", "Add custom prompt": "Добавяне на собствен промпт",
"Add Docs": "Добавяне на Документи", "Add Docs": "Добавяне на Документи",
"Add Files": "Добавяне на Файлове", "Add Files": "Добавяне на Файлове",
"Add Memory": "",
"Add message": "Добавяне на съобщение", "Add message": "Добавяне на съобщение",
"Add Model": "", "Add Model": "",
"Add Tags": "добавяне на тагове", "Add Tags": "добавяне на тагове",
...@@ -47,7 +49,7 @@ ...@@ -47,7 +49,7 @@
"Archived Chats": "", "Archived Chats": "",
"are allowed - Activate this command by typing": "са разрешени - Активирайте тази команда чрез въвеждане", "are allowed - Activate this command by typing": "са разрешени - Активирайте тази команда чрез въвеждане",
"Are you sure?": "Сигурни ли сте?", "Are you sure?": "Сигурни ли сте?",
"Attach file": "", "Attach file": "Прикачване на файл",
"Attention to detail": "", "Attention to detail": "",
"Audio": "Аудио", "Audio": "Аудио",
"August": "", "August": "",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "Категории", "Categories": "Категории",
"Change Password": "Промяна на Парола", "Change Password": "Промяна на Парола",
"Chat": "Чат", "Chat": "Чат",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "Чат История", "Chat History": "Чат История",
"Chat History is off for this browser.": "Чат История е изключен за този браузър.", "Chat History is off for this browser.": "Чат История е изключен за този браузър.",
"Chats": "Чатове", "Chats": "Чатове",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "Включено", "Enabled": "Включено",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "Въведете съобщение за {{role}} тук", "Enter {{role}} message here": "Въведете съобщение за {{role}} тук",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "Въведете Chunk Overlap", "Enter Chunk Overlap": "Въведете Chunk Overlap",
"Enter Chunk Size": "Въведете Chunk Size", "Enter Chunk Size": "Въведете Chunk Size",
"Enter Image Size (e.g. 512x512)": "Въведете размер на изображението (напр. 512x512)", "Enter Image Size (e.g. 512x512)": "Въведете размер на изображението (напр. 512x512)",
...@@ -227,7 +232,7 @@ ...@@ -227,7 +232,7 @@
"Import Modelfiles": "Импортване на модфайлове", "Import Modelfiles": "Импортване на модфайлове",
"Import Prompts": "Импортване на промптове", "Import Prompts": "Импортване на промптове",
"Include `--api` flag when running stable-diffusion-webui": "Включете флага `--api`, когато стартирате stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Включете флага `--api`, когато стартирате stable-diffusion-webui",
"Input commands": "", "Input commands": "Въведете команди",
"Interface": "Интерфейс", "Interface": "Интерфейс",
"Invalid Tag": "", "Invalid Tag": "",
"January": "", "January": "",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "Светъл", "Light": "Светъл",
"Listening...": "Слушам...", "Listening...": "Слушам...",
"LLMs can make mistakes. Verify important information.": "LLMs могат да правят грешки. Проверете важните данни.", "LLMs can make mistakes. Verify important information.": "LLMs могат да правят грешки. Проверете важните данни.",
"LTR": "",
"Made by OpenWebUI Community": "Направено от OpenWebUI общността", "Made by OpenWebUI Community": "Направено от OpenWebUI общността",
"Make sure to enclose them with": "Уверете се, че са заключени с", "Make sure to enclose them with": "Уверете се, че са заключени с",
"Manage LiteLLM Models": "Управление на LiteLLM Моделите", "Manage LiteLLM Models": "Управление на LiteLLM Моделите",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "Max Tokens", "Max Tokens": "Max Tokens",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 модели могат да бъдат сваляни едновременно. Моля, опитайте отново по-късно.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 модели могат да бъдат сваляни едновременно. Моля, опитайте отново по-късно.",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "", "Minimum Score": "",
"Mirostat": "Mirostat", "Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta", "Mirostat Eta": "Mirostat Eta",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "PDF Extract Images (OCR)", "PDF Extract Images (OCR)": "PDF Extract Images (OCR)",
"pending": "в очакване", "pending": "в очакване",
"Permission denied when accessing microphone: {{error}}": "Permission denied when accessing microphone: {{error}}", "Permission denied when accessing microphone: {{error}}": "Permission denied when accessing microphone: {{error}}",
"Personalization": "",
"Plain text (.txt)": "", "Plain text (.txt)": "",
"Playground": "Плейграунд", "Playground": "Плейграунд",
"Positive attitude": "", "Positive attitude": "",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "Роля", "Role": "Роля",
"Rosé Pine": "Rosé Pine", "Rosé Pine": "Rosé Pine",
"Rosé Pine Dawn": "Rosé Pine Dawn", "Rosé Pine Dawn": "Rosé Pine Dawn",
"RTL": "",
"Save": "Запис", "Save": "Запис",
"Save & Create": "Запис & Създаване", "Save & Create": "Запис & Създаване",
"Save & Update": "Запис & Актуализиране", "Save & Update": "Запис & Актуализиране",
...@@ -374,7 +384,7 @@ ...@@ -374,7 +384,7 @@
"Select a mode": "Изберете режим", "Select a mode": "Изберете режим",
"Select a model": "Изберете модел", "Select a model": "Изберете модел",
"Select an Ollama instance": "Изберете Ollama инстанция", "Select an Ollama instance": "Изберете Ollama инстанция",
"Select model": "", "Select model": "Изберете модел",
"Send": "", "Send": "",
"Send a Message": "Изпращане на Съобщение", "Send a Message": "Изпращане на Съобщение",
"Send message": "Изпращане на съобщение", "Send message": "Изпращане на съобщение",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "Напиши предложение за промпт (напр. Кой сте вие?)", "Write a prompt suggestion (e.g. Who are you?)": "Напиши предложение за промпт (напр. Кой сте вие?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Напиши описание в 50 знака, което описва [тема или ключова дума].", "Write a summary in 50 words that summarizes [topic or keyword].": "Напиши описание в 50 знака, което описва [тема или ключова дума].",
"Yesterday": "", "Yesterday": "",
"You": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",
"You have shared this chat": "", "You have shared this chat": "",
"You're a helpful assistant.": "Вие сте полезен асистент.", "You're a helpful assistant.": "Вие сте полезен асистент.",
......
...@@ -10,14 +10,16 @@ ...@@ -10,14 +10,16 @@
"About": "সম্পর্কে", "About": "সম্পর্কে",
"Account": "একাউন্ট", "Account": "একাউন্ট",
"Accurate information": "", "Accurate information": "",
"Add": "",
"Add a model": "একটি মডেল যোগ করুন", "Add a model": "একটি মডেল যোগ করুন",
"Add a model tag name": "একটি মডেল ট্যাগ যোগ করুন", "Add a model tag name": "একটি মডেল ট্যাগ যোগ করুন",
"Add a short description about what this modelfile does": "এই মডেলফাইলটির সম্পর্কে সংক্ষিপ্ত বিবরণ যোগ করুন", "Add a short description about what this modelfile does": "এই মডেলফাইলটির সম্পর্কে সংক্ষিপ্ত বিবরণ যোগ করুন",
"Add a short title for this prompt": "এই প্রম্পটের জন্য একটি সংক্ষিপ্ত টাইটেল যোগ করুন", "Add a short title for this prompt": "এই প্রম্পটের জন্য একটি সংক্ষিপ্ত টাইটেল যোগ করুন",
"Add a tag": "একটি ট্যাগ যোগ করুন", "Add a tag": "একটি ট্যাগ যোগ করুন",
"Add custom prompt": "", "Add custom prompt": "একটি কাস্টম প্রম্পট যোগ করুন",
"Add Docs": "ডকুমেন্ট যোগ করুন", "Add Docs": "ডকুমেন্ট যোগ করুন",
"Add Files": "ফাইল যোগ করুন", "Add Files": "ফাইল যোগ করুন",
"Add Memory": "",
"Add message": "মেসেজ যোগ করুন", "Add message": "মেসেজ যোগ করুন",
"Add Model": "", "Add Model": "",
"Add Tags": "ট্যাগ যোগ করুন", "Add Tags": "ট্যাগ যোগ করুন",
...@@ -47,8 +49,8 @@ ...@@ -47,8 +49,8 @@
"Archived Chats": "চ্যাট ইতিহাস সংরক্ষণাগার", "Archived Chats": "চ্যাট ইতিহাস সংরক্ষণাগার",
"are allowed - Activate this command by typing": "অনুমোদিত - কমান্ডটি চালু করার জন্য লিখুন", "are allowed - Activate this command by typing": "অনুমোদিত - কমান্ডটি চালু করার জন্য লিখুন",
"Are you sure?": "আপনি নিশ্চিত?", "Are you sure?": "আপনি নিশ্চিত?",
"Attach file": "", "Attach file": "ফাইল যুক্ত করুন",
"Attention to detail": "", "Attention to detail": "বিস্তারিত বিশেষতা",
"Audio": "অডিও", "Audio": "অডিও",
"August": "", "August": "",
"Auto-playback response": "রেসপন্স অটো-প্লেব্যাক", "Auto-playback response": "রেসপন্স অটো-প্লেব্যাক",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "ক্যাটাগরিসমূহ", "Categories": "ক্যাটাগরিসমূহ",
"Change Password": "পাসওয়ার্ড পরিবর্তন করুন", "Change Password": "পাসওয়ার্ড পরিবর্তন করুন",
"Chat": "চ্যাট", "Chat": "চ্যাট",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "চ্যাট হিস্টোরি", "Chat History": "চ্যাট হিস্টোরি",
"Chat History is off for this browser.": "এই ব্রাউজারের জন্য চ্যাট হিস্টোরি বন্ধ আছে", "Chat History is off for this browser.": "এই ব্রাউজারের জন্য চ্যাট হিস্টোরি বন্ধ আছে",
"Chats": "চ্যাটসমূহ", "Chats": "চ্যাটসমূহ",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "চালু করা হয়েছে", "Enabled": "চালু করা হয়েছে",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "{{role}} মেসেজ এখানে লিখুন", "Enter {{role}} message here": "{{role}} মেসেজ এখানে লিখুন",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "চাঙ্ক ওভারল্যাপ লিখুন", "Enter Chunk Overlap": "চাঙ্ক ওভারল্যাপ লিখুন",
"Enter Chunk Size": "চাংক সাইজ লিখুন", "Enter Chunk Size": "চাংক সাইজ লিখুন",
"Enter Image Size (e.g. 512x512)": "ছবির মাপ লিখুন (যেমন 512x512)", "Enter Image Size (e.g. 512x512)": "ছবির মাপ লিখুন (যেমন 512x512)",
...@@ -227,7 +232,7 @@ ...@@ -227,7 +232,7 @@
"Import Modelfiles": "মডেলফাইলগুলো ইমপোর্ট করুন", "Import Modelfiles": "মডেলফাইলগুলো ইমপোর্ট করুন",
"Import Prompts": "প্রম্পটগুলো ইমপোর্ট করুন", "Import Prompts": "প্রম্পটগুলো ইমপোর্ট করুন",
"Include `--api` flag when running stable-diffusion-webui": "stable-diffusion-webui চালু করার সময় `--api` ফ্ল্যাগ সংযুক্ত করুন", "Include `--api` flag when running stable-diffusion-webui": "stable-diffusion-webui চালু করার সময় `--api` ফ্ল্যাগ সংযুক্ত করুন",
"Input commands": "", "Input commands": "ইনপুট কমান্ডস",
"Interface": "ইন্টারফেস", "Interface": "ইন্টারফেস",
"Invalid Tag": "", "Invalid Tag": "",
"January": "", "January": "",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "লাইট", "Light": "লাইট",
"Listening...": "শুনছে...", "Listening...": "শুনছে...",
"LLMs can make mistakes. Verify important information.": "LLM ভুল করতে পারে। গুরুত্বপূর্ণ তথ্য যাচাই করে নিন।", "LLMs can make mistakes. Verify important information.": "LLM ভুল করতে পারে। গুরুত্বপূর্ণ তথ্য যাচাই করে নিন।",
"LTR": "",
"Made by OpenWebUI Community": "OpenWebUI কমিউনিটিকর্তৃক নির্মিত", "Made by OpenWebUI Community": "OpenWebUI কমিউনিটিকর্তৃক নির্মিত",
"Make sure to enclose them with": "এটা দিয়ে বন্ধনী দিতে ভুলবেন না", "Make sure to enclose them with": "এটা দিয়ে বন্ধনী দিতে ভুলবেন না",
"Manage LiteLLM Models": "LiteLLM মডেল ব্যবস্থাপনা করুন", "Manage LiteLLM Models": "LiteLLM মডেল ব্যবস্থাপনা করুন",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "সর্বোচ্চ টোকন", "Max Tokens": "সর্বোচ্চ টোকন",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "একসঙ্গে সর্বোচ্চ তিনটি মডেল ডাউনলোড করা যায়। দয়া করে পরে আবার চেষ্টা করুন।", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "একসঙ্গে সর্বোচ্চ তিনটি মডেল ডাউনলোড করা যায়। দয়া করে পরে আবার চেষ্টা করুন।",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "", "Minimum Score": "",
"Mirostat": "Mirostat", "Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta", "Mirostat Eta": "Mirostat Eta",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "পিডিএফ এর ছবি থেকে লেখা বের করুন (OCR)", "PDF Extract Images (OCR)": "পিডিএফ এর ছবি থেকে লেখা বের করুন (OCR)",
"pending": "অপেক্ষমান", "pending": "অপেক্ষমান",
"Permission denied when accessing microphone: {{error}}": "মাইক্রোফোন ব্যবহারের অনুমতি পাওয়া যায়নি: {{error}}", "Permission denied when accessing microphone: {{error}}": "মাইক্রোফোন ব্যবহারের অনুমতি পাওয়া যায়নি: {{error}}",
"Personalization": "",
"Plain text (.txt)": "", "Plain text (.txt)": "",
"Playground": "খেলাঘর", "Playground": "খেলাঘর",
"Positive attitude": "", "Positive attitude": "",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "পদবি", "Role": "পদবি",
"Rosé Pine": "রোজ পাইন", "Rosé Pine": "রোজ পাইন",
"Rosé Pine Dawn": "ভোরের রোজ পাইন", "Rosé Pine Dawn": "ভোরের রোজ পাইন",
"RTL": "",
"Save": "সংরক্ষণ", "Save": "সংরক্ষণ",
"Save & Create": "সংরক্ষণ এবং তৈরি করুন", "Save & Create": "সংরক্ষণ এবং তৈরি করুন",
"Save & Update": "সংরক্ষণ এবং আপডেট করুন", "Save & Update": "সংরক্ষণ এবং আপডেট করুন",
...@@ -374,7 +384,7 @@ ...@@ -374,7 +384,7 @@
"Select a mode": "একটি মডেল নির্বাচন করুন", "Select a mode": "একটি মডেল নির্বাচন করুন",
"Select a model": "একটি মডেল নির্বাচন করুন", "Select a model": "একটি মডেল নির্বাচন করুন",
"Select an Ollama instance": "একটি Ollama ইন্সট্যান্স নির্বাচন করুন", "Select an Ollama instance": "একটি Ollama ইন্সট্যান্স নির্বাচন করুন",
"Select model": "", "Select model": "মডেল নির্বাচন করুন",
"Send": "", "Send": "",
"Send a Message": "একটি মেসেজ পাঠান", "Send a Message": "একটি মেসেজ পাঠান",
"Send message": "মেসেজ পাঠান", "Send message": "মেসেজ পাঠান",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "একটি প্রম্পট সাজেশন লিখুন (যেমন Who are you?)", "Write a prompt suggestion (e.g. Who are you?)": "একটি প্রম্পট সাজেশন লিখুন (যেমন Who are you?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "৫০ শব্দের মধ্যে [topic or keyword] এর একটি সারসংক্ষেপ লিখুন।", "Write a summary in 50 words that summarizes [topic or keyword].": "৫০ শব্দের মধ্যে [topic or keyword] এর একটি সারসংক্ষেপ লিখুন।",
"Yesterday": "", "Yesterday": "",
"You": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",
"You have shared this chat": "", "You have shared this chat": "",
"You're a helpful assistant.": "আপনি একজন উপকারী এসিস্ট্যান্ট", "You're a helpful assistant.": "আপনি একজন উপকারী এসিস্ট্যান্ট",
......
...@@ -10,14 +10,16 @@ ...@@ -10,14 +10,16 @@
"About": "Sobre", "About": "Sobre",
"Account": "Compte", "Account": "Compte",
"Accurate information": "", "Accurate information": "",
"Add": "",
"Add a model": "Afegeix un model", "Add a model": "Afegeix un model",
"Add a model tag name": "Afegeix un nom d'etiqueta de model", "Add a model tag name": "Afegeix un nom d'etiqueta de model",
"Add a short description about what this modelfile does": "Afegeix una descripció curta del que fa aquest arxiu de model", "Add a short description about what this modelfile does": "Afegeix una descripció curta del que fa aquest arxiu de model",
"Add a short title for this prompt": "Afegeix un títol curt per aquest prompt", "Add a short title for this prompt": "Afegeix un títol curt per aquest prompt",
"Add a tag": "Afegeix una etiqueta", "Add a tag": "Afegeix una etiqueta",
"Add custom prompt": "", "Add custom prompt": "Afegir un prompt personalitzat",
"Add Docs": "Afegeix Documents", "Add Docs": "Afegeix Documents",
"Add Files": "Afegeix Arxius", "Add Files": "Afegeix Arxius",
"Add Memory": "",
"Add message": "Afegeix missatge", "Add message": "Afegeix missatge",
"Add Model": "", "Add Model": "",
"Add Tags": "afegeix etiquetes", "Add Tags": "afegeix etiquetes",
...@@ -47,8 +49,8 @@ ...@@ -47,8 +49,8 @@
"Archived Chats": "Arxiu d'historial de xat", "Archived Chats": "Arxiu d'historial de xat",
"are allowed - Activate this command by typing": "estan permesos - Activa aquesta comanda escrivint", "are allowed - Activate this command by typing": "estan permesos - Activa aquesta comanda escrivint",
"Are you sure?": "Estàs segur?", "Are you sure?": "Estàs segur?",
"Attach file": "", "Attach file": "Adjuntar arxiu",
"Attention to detail": "", "Attention to detail": "Detall atent",
"Audio": "Àudio", "Audio": "Àudio",
"August": "", "August": "",
"Auto-playback response": "Resposta de reproducció automàtica", "Auto-playback response": "Resposta de reproducció automàtica",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "Categories", "Categories": "Categories",
"Change Password": "Canvia la Contrasenya", "Change Password": "Canvia la Contrasenya",
"Chat": "Xat", "Chat": "Xat",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "Històric del Xat", "Chat History": "Històric del Xat",
"Chat History is off for this browser.": "L'historial de xat està desactivat per a aquest navegador.", "Chat History is off for this browser.": "L'historial de xat està desactivat per a aquest navegador.",
"Chats": "Xats", "Chats": "Xats",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "Activat", "Enabled": "Activat",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "Introdueix aquí el missatge de {{role}}", "Enter {{role}} message here": "Introdueix aquí el missatge de {{role}}",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "Introdueix el Solapament de Blocs", "Enter Chunk Overlap": "Introdueix el Solapament de Blocs",
"Enter Chunk Size": "Introdueix la Mida del Bloc", "Enter Chunk Size": "Introdueix la Mida del Bloc",
"Enter Image Size (e.g. 512x512)": "Introdueix la Mida de la Imatge (p. ex. 512x512)", "Enter Image Size (e.g. 512x512)": "Introdueix la Mida de la Imatge (p. ex. 512x512)",
...@@ -227,7 +232,7 @@ ...@@ -227,7 +232,7 @@
"Import Modelfiles": "Importa Fitxers de Model", "Import Modelfiles": "Importa Fitxers de Model",
"Import Prompts": "Importa Prompts", "Import Prompts": "Importa Prompts",
"Include `--api` flag when running stable-diffusion-webui": "Inclou la bandera `--api` quan executis stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Inclou la bandera `--api` quan executis stable-diffusion-webui",
"Input commands": "", "Input commands": "Entra ordres",
"Interface": "Interfície", "Interface": "Interfície",
"Invalid Tag": "", "Invalid Tag": "",
"January": "", "January": "",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "Clar", "Light": "Clar",
"Listening...": "Escoltant...", "Listening...": "Escoltant...",
"LLMs can make mistakes. Verify important information.": "Els LLMs poden cometre errors. Verifica la informació important.", "LLMs can make mistakes. Verify important information.": "Els LLMs poden cometre errors. Verifica la informació important.",
"LTR": "",
"Made by OpenWebUI Community": "Creat per la Comunitat OpenWebUI", "Made by OpenWebUI Community": "Creat per la Comunitat OpenWebUI",
"Make sure to enclose them with": "Assegura't d'envoltar-los amb", "Make sure to enclose them with": "Assegura't d'envoltar-los amb",
"Manage LiteLLM Models": "Gestiona Models LiteLLM", "Manage LiteLLM Models": "Gestiona Models LiteLLM",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "Màxim de Tokens", "Max Tokens": "Màxim de Tokens",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es poden descarregar un màxim de 3 models simultàniament. Si us plau, prova-ho més tard.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es poden descarregar un màxim de 3 models simultàniament. Si us plau, prova-ho més tard.",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "", "Minimum Score": "",
"Mirostat": "Mirostat", "Mirostat": "Mirostat",
"Mirostat Eta": "Eta de Mirostat", "Mirostat Eta": "Eta de Mirostat",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "Extreu Imatges de PDF (OCR)", "PDF Extract Images (OCR)": "Extreu Imatges de PDF (OCR)",
"pending": "pendent", "pending": "pendent",
"Permission denied when accessing microphone: {{error}}": "Permís denegat en accedir al micròfon: {{error}}", "Permission denied when accessing microphone: {{error}}": "Permís denegat en accedir al micròfon: {{error}}",
"Personalization": "",
"Plain text (.txt)": "", "Plain text (.txt)": "",
"Playground": "Zona de Jocs", "Playground": "Zona de Jocs",
"Positive attitude": "", "Positive attitude": "",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "Rol", "Role": "Rol",
"Rosé Pine": "Rosé Pine", "Rosé Pine": "Rosé Pine",
"Rosé Pine Dawn": "Albada Rosé Pine", "Rosé Pine Dawn": "Albada Rosé Pine",
"RTL": "",
"Save": "Guarda", "Save": "Guarda",
"Save & Create": "Guarda i Crea", "Save & Create": "Guarda i Crea",
"Save & Update": "Guarda i Actualitza", "Save & Update": "Guarda i Actualitza",
...@@ -374,7 +384,7 @@ ...@@ -374,7 +384,7 @@
"Select a mode": "Selecciona un mode", "Select a mode": "Selecciona un mode",
"Select a model": "Selecciona un model", "Select a model": "Selecciona un model",
"Select an Ollama instance": "Selecciona una instància d'Ollama", "Select an Ollama instance": "Selecciona una instància d'Ollama",
"Select model": "", "Select model": "Selecciona un model",
"Send": "", "Send": "",
"Send a Message": "Envia un Missatge", "Send a Message": "Envia un Missatge",
"Send message": "Envia missatge", "Send message": "Envia missatge",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "Escriu una suggerència de prompt (p. ex. Qui ets tu?)", "Write a prompt suggestion (e.g. Who are you?)": "Escriu una suggerència de prompt (p. ex. Qui ets tu?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Escriu un resum en 50 paraules que resumeixi [tema o paraula clau].", "Write a summary in 50 words that summarizes [topic or keyword].": "Escriu un resum en 50 paraules que resumeixi [tema o paraula clau].",
"Yesterday": "", "Yesterday": "",
"You": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",
"You have shared this chat": "", "You have shared this chat": "",
"You're a helpful assistant.": "Ets un assistent útil.", "You're a helpful assistant.": "Ets un assistent útil.",
......
...@@ -10,6 +10,7 @@ ...@@ -10,6 +10,7 @@
"About": "Über", "About": "Über",
"Account": "Account", "Account": "Account",
"Accurate information": "Genaue Information", "Accurate information": "Genaue Information",
"Add": "",
"Add a model": "Füge ein Modell hinzu", "Add a model": "Füge ein Modell hinzu",
"Add a model tag name": "Benenne deinen Modell-Tag", "Add a model tag name": "Benenne deinen Modell-Tag",
"Add a short description about what this modelfile does": "Füge eine kurze Beschreibung hinzu, was dieses Modelfile kann", "Add a short description about what this modelfile does": "Füge eine kurze Beschreibung hinzu, was dieses Modelfile kann",
...@@ -18,6 +19,7 @@ ...@@ -18,6 +19,7 @@
"Add custom prompt": "Eigenen Prompt hinzufügen", "Add custom prompt": "Eigenen Prompt hinzufügen",
"Add Docs": "Dokumente hinzufügen", "Add Docs": "Dokumente hinzufügen",
"Add Files": "Dateien hinzufügen", "Add Files": "Dateien hinzufügen",
"Add Memory": "",
"Add message": "Nachricht eingeben", "Add message": "Nachricht eingeben",
"Add Model": "Modell hinzufügen", "Add Model": "Modell hinzufügen",
"Add Tags": "Tags hinzufügen", "Add Tags": "Tags hinzufügen",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "Kategorien", "Categories": "Kategorien",
"Change Password": "Passwort ändern", "Change Password": "Passwort ändern",
"Chat": "Chat", "Chat": "Chat",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "Chat Verlauf", "Chat History": "Chat Verlauf",
"Chat History is off for this browser.": "Chat Verlauf ist für diesen Browser ausgeschaltet.", "Chat History is off for this browser.": "Chat Verlauf ist für diesen Browser ausgeschaltet.",
"Chats": "Chats", "Chats": "Chats",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "Aktiviert", "Enabled": "Aktiviert",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "Gib die {{role}} Nachricht hier ein", "Enter {{role}} message here": "Gib die {{role}} Nachricht hier ein",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "Gib den Chunk Overlap ein", "Enter Chunk Overlap": "Gib den Chunk Overlap ein",
"Enter Chunk Size": "Gib die Chunk Size ein", "Enter Chunk Size": "Gib die Chunk Size ein",
"Enter Image Size (e.g. 512x512)": "Gib die Bildgröße ein (z.B. 512x512)", "Enter Image Size (e.g. 512x512)": "Gib die Bildgröße ein (z.B. 512x512)",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "Hell", "Light": "Hell",
"Listening...": "Hören...", "Listening...": "Hören...",
"LLMs can make mistakes. Verify important information.": "LLMs können Fehler machen. Überprüfe wichtige Informationen.", "LLMs can make mistakes. Verify important information.": "LLMs können Fehler machen. Überprüfe wichtige Informationen.",
"LTR": "",
"Made by OpenWebUI Community": "Von der OpenWebUI-Community", "Made by OpenWebUI Community": "Von der OpenWebUI-Community",
"Make sure to enclose them with": "Formatiere deine Variablen mit:", "Make sure to enclose them with": "Formatiere deine Variablen mit:",
"Manage LiteLLM Models": "LiteLLM-Modelle verwalten", "Manage LiteLLM Models": "LiteLLM-Modelle verwalten",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "Maximale Tokens", "Max Tokens": "Maximale Tokens",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es können maximal 3 Modelle gleichzeitig heruntergeladen werden. Bitte versuche es später erneut.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es können maximal 3 Modelle gleichzeitig heruntergeladen werden. Bitte versuche es später erneut.",
"May": "Mai", "May": "Mai",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "Fortlaudende Nachrichten in diesem Chat werden nicht automatisch geteilt. Benutzer mit dem Link können den Chat einsehen.", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "Mindestscore", "Minimum Score": "Mindestscore",
"Mirostat": "Mirostat", "Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta", "Mirostat Eta": "Mirostat Eta",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "Text von Bildern aus PDFs extrahieren (OCR)", "PDF Extract Images (OCR)": "Text von Bildern aus PDFs extrahieren (OCR)",
"pending": "ausstehend", "pending": "ausstehend",
"Permission denied when accessing microphone: {{error}}": "Zugriff auf das Mikrofon verweigert: {{error}}", "Permission denied when accessing microphone: {{error}}": "Zugriff auf das Mikrofon verweigert: {{error}}",
"Personalization": "",
"Plain text (.txt)": "Nur Text (.txt)", "Plain text (.txt)": "Nur Text (.txt)",
"Playground": "Testumgebung", "Playground": "Testumgebung",
"Positive attitude": "Positive Einstellung", "Positive attitude": "Positive Einstellung",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "Rolle", "Role": "Rolle",
"Rosé Pine": "Rosé Pine", "Rosé Pine": "Rosé Pine",
"Rosé Pine Dawn": "Rosé Pine Dawn", "Rosé Pine Dawn": "Rosé Pine Dawn",
"RTL": "",
"Save": "Speichern", "Save": "Speichern",
"Save & Create": "Speichern und erstellen", "Save & Create": "Speichern und erstellen",
"Save & Update": "Speichern und aktualisieren", "Save & Update": "Speichern und aktualisieren",
...@@ -374,7 +384,7 @@ ...@@ -374,7 +384,7 @@
"Select a mode": "Einen Modus auswählen", "Select a mode": "Einen Modus auswählen",
"Select a model": "Ein Modell auswählen", "Select a model": "Ein Modell auswählen",
"Select an Ollama instance": "Eine Ollama Instanz auswählen", "Select an Ollama instance": "Eine Ollama Instanz auswählen",
"Select model": "", "Select model": "Modell auswählen",
"Send": "", "Send": "",
"Send a Message": "Eine Nachricht senden", "Send a Message": "Eine Nachricht senden",
"Send message": "Nachricht senden", "Send message": "Nachricht senden",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "Gebe einen Prompt-Vorschlag ein (z.B. Wer bist du?)", "Write a prompt suggestion (e.g. Who are you?)": "Gebe einen Prompt-Vorschlag ein (z.B. Wer bist du?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Schreibe eine kurze Zusammenfassung in 50 Wörtern, die [Thema oder Schlüsselwort] zusammenfasst.", "Write a summary in 50 words that summarizes [topic or keyword].": "Schreibe eine kurze Zusammenfassung in 50 Wörtern, die [Thema oder Schlüsselwort] zusammenfasst.",
"Yesterday": "Gestern", "Yesterday": "Gestern",
"You": "",
"You have no archived conversations.": "Du hast keine archivierten Unterhaltungen.", "You have no archived conversations.": "Du hast keine archivierten Unterhaltungen.",
"You have shared this chat": "Du hast diesen Chat", "You have shared this chat": "Du hast diesen Chat",
"You're a helpful assistant.": "Du bist ein hilfreicher Assistent.", "You're a helpful assistant.": "Du bist ein hilfreicher Assistent.",
......
...@@ -10,6 +10,7 @@ ...@@ -10,6 +10,7 @@
"About": "Much About", "About": "Much About",
"Account": "Account", "Account": "Account",
"Accurate information": "", "Accurate information": "",
"Add": "",
"Add a model": "Add a model", "Add a model": "Add a model",
"Add a model tag name": "Add a model tag name", "Add a model tag name": "Add a model tag name",
"Add a short description about what this modelfile does": "Add short description about what this modelfile does", "Add a short description about what this modelfile does": "Add short description about what this modelfile does",
...@@ -18,6 +19,7 @@ ...@@ -18,6 +19,7 @@
"Add custom prompt": "", "Add custom prompt": "",
"Add Docs": "Add Docs", "Add Docs": "Add Docs",
"Add Files": "Add Files", "Add Files": "Add Files",
"Add Memory": "",
"Add message": "Add Prompt", "Add message": "Add Prompt",
"Add Model": "", "Add Model": "",
"Add Tags": "", "Add Tags": "",
...@@ -47,7 +49,7 @@ ...@@ -47,7 +49,7 @@
"Archived Chats": "", "Archived Chats": "",
"are allowed - Activate this command by typing": "are allowed. Activate typing", "are allowed - Activate this command by typing": "are allowed. Activate typing",
"Are you sure?": "Such certainty?", "Are you sure?": "Such certainty?",
"Attach file": "", "Attach file": "Attach file",
"Attention to detail": "", "Attention to detail": "",
"Audio": "Audio", "Audio": "Audio",
"August": "", "August": "",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "Categories", "Categories": "Categories",
"Change Password": "Change Password", "Change Password": "Change Password",
"Chat": "Chat", "Chat": "Chat",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "Chat History", "Chat History": "Chat History",
"Chat History is off for this browser.": "Chat History off for this browser. Such sadness.", "Chat History is off for this browser.": "Chat History off for this browser. Such sadness.",
"Chats": "Chats", "Chats": "Chats",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "So Activated", "Enabled": "So Activated",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "Enter {{role}} bork here", "Enter {{role}} message here": "Enter {{role}} bork here",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "Enter Overlap of Chunks", "Enter Chunk Overlap": "Enter Overlap of Chunks",
"Enter Chunk Size": "Enter Size of Chunk", "Enter Chunk Size": "Enter Size of Chunk",
"Enter Image Size (e.g. 512x512)": "Enter Size of Wow (e.g. 512x512)", "Enter Image Size (e.g. 512x512)": "Enter Size of Wow (e.g. 512x512)",
...@@ -227,7 +232,7 @@ ...@@ -227,7 +232,7 @@
"Import Modelfiles": "Import Modelfiles", "Import Modelfiles": "Import Modelfiles",
"Import Prompts": "Import Promptos", "Import Prompts": "Import Promptos",
"Include `--api` flag when running stable-diffusion-webui": "Include `--api` flag when running stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Include `--api` flag when running stable-diffusion-webui",
"Input commands": "", "Input commands": "Input commands",
"Interface": "Interface", "Interface": "Interface",
"Invalid Tag": "", "Invalid Tag": "",
"January": "", "January": "",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "Light", "Light": "Light",
"Listening...": "Listening...", "Listening...": "Listening...",
"LLMs can make mistakes. Verify important information.": "LLMs can make borks. Verify important info.", "LLMs can make mistakes. Verify important information.": "LLMs can make borks. Verify important info.",
"LTR": "",
"Made by OpenWebUI Community": "Made by OpenWebUI Community", "Made by OpenWebUI Community": "Made by OpenWebUI Community",
"Make sure to enclose them with": "Make sure to enclose them with", "Make sure to enclose them with": "Make sure to enclose them with",
"Manage LiteLLM Models": "Manage LiteLLM Models", "Manage LiteLLM Models": "Manage LiteLLM Models",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "Max Tokens", "Max Tokens": "Max Tokens",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum of 3 models can be downloaded simultaneously. Please try again later.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum of 3 models can be downloaded simultaneously. Please try again later.",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "", "Minimum Score": "",
"Mirostat": "Mirostat", "Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta", "Mirostat Eta": "Mirostat Eta",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "PDF Extract Wowmages (OCR)", "PDF Extract Images (OCR)": "PDF Extract Wowmages (OCR)",
"pending": "pending", "pending": "pending",
"Permission denied when accessing microphone: {{error}}": "Permission denied when accessing microphone: {{error}}", "Permission denied when accessing microphone: {{error}}": "Permission denied when accessing microphone: {{error}}",
"Personalization": "",
"Plain text (.txt)": "", "Plain text (.txt)": "",
"Playground": "Playground", "Playground": "Playground",
"Positive attitude": "", "Positive attitude": "",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "Role", "Role": "Role",
"Rosé Pine": "Rosé Pine", "Rosé Pine": "Rosé Pine",
"Rosé Pine Dawn": "Rosé Pine Dawn", "Rosé Pine Dawn": "Rosé Pine Dawn",
"RTL": "",
"Save": "Save much wow", "Save": "Save much wow",
"Save & Create": "Save & Create much create", "Save & Create": "Save & Create much create",
"Save & Update": "Save & Update much update", "Save & Update": "Save & Update much update",
...@@ -374,7 +384,7 @@ ...@@ -374,7 +384,7 @@
"Select a mode": "Select a mode very choose", "Select a mode": "Select a mode very choose",
"Select a model": "Select a model much choice", "Select a model": "Select a model much choice",
"Select an Ollama instance": "Select an Ollama instance very choose", "Select an Ollama instance": "Select an Ollama instance very choose",
"Select model": "", "Select model": "Select model much choice",
"Send": "", "Send": "",
"Send a Message": "Send a Message much message", "Send a Message": "Send a Message much message",
"Send message": "Send message very send", "Send message": "Send message very send",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "Write a prompt suggestion (e.g. Who are you?) much suggest", "Write a prompt suggestion (e.g. Who are you?)": "Write a prompt suggestion (e.g. Who are you?) much suggest",
"Write a summary in 50 words that summarizes [topic or keyword].": "Write a summary in 50 words that summarizes [topic or keyword]. Much summarize.", "Write a summary in 50 words that summarizes [topic or keyword].": "Write a summary in 50 words that summarizes [topic or keyword]. Much summarize.",
"Yesterday": "", "Yesterday": "",
"You": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",
"You have shared this chat": "", "You have shared this chat": "",
"You're a helpful assistant.": "You're a helpful assistant. Much helpful.", "You're a helpful assistant.": "You're a helpful assistant. Much helpful.",
......
...@@ -10,6 +10,7 @@ ...@@ -10,6 +10,7 @@
"About": "", "About": "",
"Account": "", "Account": "",
"Accurate information": "", "Accurate information": "",
"Add": "",
"Add a model": "", "Add a model": "",
"Add a model tag name": "", "Add a model tag name": "",
"Add a short description about what this modelfile does": "", "Add a short description about what this modelfile does": "",
...@@ -18,6 +19,7 @@ ...@@ -18,6 +19,7 @@
"Add custom prompt": "", "Add custom prompt": "",
"Add Docs": "", "Add Docs": "",
"Add Files": "", "Add Files": "",
"Add Memory": "",
"Add message": "", "Add message": "",
"Add Model": "", "Add Model": "",
"Add Tags": "", "Add Tags": "",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "", "Categories": "",
"Change Password": "", "Change Password": "",
"Chat": "", "Chat": "",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "", "Chat History": "",
"Chat History is off for this browser.": "", "Chat History is off for this browser.": "",
"Chats": "", "Chats": "",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "", "Enabled": "",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "", "Enter {{role}} message here": "",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "", "Enter Chunk Overlap": "",
"Enter Chunk Size": "", "Enter Chunk Size": "",
"Enter Image Size (e.g. 512x512)": "", "Enter Image Size (e.g. 512x512)": "",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "", "Light": "",
"Listening...": "", "Listening...": "",
"LLMs can make mistakes. Verify important information.": "", "LLMs can make mistakes. Verify important information.": "",
"LTR": "",
"Made by OpenWebUI Community": "", "Made by OpenWebUI Community": "",
"Make sure to enclose them with": "", "Make sure to enclose them with": "",
"Manage LiteLLM Models": "", "Manage LiteLLM Models": "",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "", "Max Tokens": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "", "Minimum Score": "",
"Mirostat": "", "Mirostat": "",
"Mirostat Eta": "", "Mirostat Eta": "",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "", "PDF Extract Images (OCR)": "",
"pending": "", "pending": "",
"Permission denied when accessing microphone: {{error}}": "", "Permission denied when accessing microphone: {{error}}": "",
"Personalization": "",
"Plain text (.txt)": "", "Plain text (.txt)": "",
"Playground": "", "Playground": "",
"Positive attitude": "", "Positive attitude": "",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "", "Role": "",
"Rosé Pine": "", "Rosé Pine": "",
"Rosé Pine Dawn": "", "Rosé Pine Dawn": "",
"RTL": "",
"Save": "", "Save": "",
"Save & Create": "", "Save & Create": "",
"Save & Update": "", "Save & Update": "",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "", "Write a prompt suggestion (e.g. Who are you?)": "",
"Write a summary in 50 words that summarizes [topic or keyword].": "", "Write a summary in 50 words that summarizes [topic or keyword].": "",
"Yesterday": "", "Yesterday": "",
"You": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",
"You have shared this chat": "", "You have shared this chat": "",
"You're a helpful assistant.": "", "You're a helpful assistant.": "",
......
...@@ -10,6 +10,7 @@ ...@@ -10,6 +10,7 @@
"About": "", "About": "",
"Account": "", "Account": "",
"Accurate information": "", "Accurate information": "",
"Add": "",
"Add a model": "", "Add a model": "",
"Add a model tag name": "", "Add a model tag name": "",
"Add a short description about what this modelfile does": "", "Add a short description about what this modelfile does": "",
...@@ -18,6 +19,7 @@ ...@@ -18,6 +19,7 @@
"Add custom prompt": "", "Add custom prompt": "",
"Add Docs": "", "Add Docs": "",
"Add Files": "", "Add Files": "",
"Add Memory": "",
"Add message": "", "Add message": "",
"Add Model": "", "Add Model": "",
"Add Tags": "", "Add Tags": "",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "", "Categories": "",
"Change Password": "", "Change Password": "",
"Chat": "", "Chat": "",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "", "Chat History": "",
"Chat History is off for this browser.": "", "Chat History is off for this browser.": "",
"Chats": "", "Chats": "",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "", "Enabled": "",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "", "Enter {{role}} message here": "",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "", "Enter Chunk Overlap": "",
"Enter Chunk Size": "", "Enter Chunk Size": "",
"Enter Image Size (e.g. 512x512)": "", "Enter Image Size (e.g. 512x512)": "",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "", "Light": "",
"Listening...": "", "Listening...": "",
"LLMs can make mistakes. Verify important information.": "", "LLMs can make mistakes. Verify important information.": "",
"LTR": "",
"Made by OpenWebUI Community": "", "Made by OpenWebUI Community": "",
"Make sure to enclose them with": "", "Make sure to enclose them with": "",
"Manage LiteLLM Models": "", "Manage LiteLLM Models": "",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "", "Max Tokens": "",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "", "Minimum Score": "",
"Mirostat": "", "Mirostat": "",
"Mirostat Eta": "", "Mirostat Eta": "",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "", "PDF Extract Images (OCR)": "",
"pending": "", "pending": "",
"Permission denied when accessing microphone: {{error}}": "", "Permission denied when accessing microphone: {{error}}": "",
"Personalization": "",
"Plain text (.txt)": "", "Plain text (.txt)": "",
"Playground": "", "Playground": "",
"Positive attitude": "", "Positive attitude": "",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "", "Role": "",
"Rosé Pine": "", "Rosé Pine": "",
"Rosé Pine Dawn": "", "Rosé Pine Dawn": "",
"RTL": "",
"Save": "", "Save": "",
"Save & Create": "", "Save & Create": "",
"Save & Update": "", "Save & Update": "",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "", "Write a prompt suggestion (e.g. Who are you?)": "",
"Write a summary in 50 words that summarizes [topic or keyword].": "", "Write a summary in 50 words that summarizes [topic or keyword].": "",
"Yesterday": "", "Yesterday": "",
"You": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",
"You have shared this chat": "", "You have shared this chat": "",
"You're a helpful assistant.": "", "You're a helpful assistant.": "",
......
...@@ -10,14 +10,16 @@ ...@@ -10,14 +10,16 @@
"About": "Sobre nosotros", "About": "Sobre nosotros",
"Account": "Cuenta", "Account": "Cuenta",
"Accurate information": "", "Accurate information": "",
"Add": "",
"Add a model": "Agregar un modelo", "Add a model": "Agregar un modelo",
"Add a model tag name": "Agregar un nombre de etiqueta de modelo", "Add a model tag name": "Agregar un nombre de etiqueta de modelo",
"Add a short description about what this modelfile does": "Agregue una descripción corta de lo que este modelfile hace", "Add a short description about what this modelfile does": "Agregue una descripción corta de lo que este modelfile hace",
"Add a short title for this prompt": "Agregue un título corto para este Prompt", "Add a short title for this prompt": "Agregue un título corto para este Prompt",
"Add a tag": "Agregar una etiqueta", "Add a tag": "Agregar una etiqueta",
"Add custom prompt": "", "Add custom prompt": "Agregar un prompt personalizado",
"Add Docs": "Agregar Documentos", "Add Docs": "Agregar Documentos",
"Add Files": "Agregar Archivos", "Add Files": "Agregar Archivos",
"Add Memory": "",
"Add message": "Agregar Prompt", "Add message": "Agregar Prompt",
"Add Model": "", "Add Model": "",
"Add Tags": "agregar etiquetas", "Add Tags": "agregar etiquetas",
...@@ -47,8 +49,8 @@ ...@@ -47,8 +49,8 @@
"Archived Chats": "Chats archivados", "Archived Chats": "Chats archivados",
"are allowed - Activate this command by typing": "están permitidos - Active este comando escribiendo", "are allowed - Activate this command by typing": "están permitidos - Active este comando escribiendo",
"Are you sure?": "¿Está seguro?", "Are you sure?": "¿Está seguro?",
"Attach file": "", "Attach file": "Adjuntar archivo",
"Attention to detail": "", "Attention to detail": "Detalle preciso",
"Audio": "Audio", "Audio": "Audio",
"August": "", "August": "",
"Auto-playback response": "Respuesta de reproducción automática", "Auto-playback response": "Respuesta de reproducción automática",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "Categorías", "Categories": "Categorías",
"Change Password": "Cambia la Contraseña", "Change Password": "Cambia la Contraseña",
"Chat": "Chat", "Chat": "Chat",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "Historial del Chat", "Chat History": "Historial del Chat",
"Chat History is off for this browser.": "El Historial del Chat está apagado para este navegador.", "Chat History is off for this browser.": "El Historial del Chat está apagado para este navegador.",
"Chats": "Chats", "Chats": "Chats",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "Activado", "Enabled": "Activado",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "Ingrese el mensaje {{role}} aquí", "Enter {{role}} message here": "Ingrese el mensaje {{role}} aquí",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "Ingresar superposición de fragmentos", "Enter Chunk Overlap": "Ingresar superposición de fragmentos",
"Enter Chunk Size": "Ingrese el tamaño del fragmento", "Enter Chunk Size": "Ingrese el tamaño del fragmento",
"Enter Image Size (e.g. 512x512)": "Ingrese el tamaño de la imagen (p.ej. 512x512)", "Enter Image Size (e.g. 512x512)": "Ingrese el tamaño de la imagen (p.ej. 512x512)",
...@@ -227,7 +232,7 @@ ...@@ -227,7 +232,7 @@
"Import Modelfiles": "Importar Modelfiles", "Import Modelfiles": "Importar Modelfiles",
"Import Prompts": "Importar Prompts", "Import Prompts": "Importar Prompts",
"Include `--api` flag when running stable-diffusion-webui": "Incluir el indicador `--api` al ejecutar stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Incluir el indicador `--api` al ejecutar stable-diffusion-webui",
"Input commands": "", "Input commands": "Ingresar comandos",
"Interface": "Interfaz", "Interface": "Interfaz",
"Invalid Tag": "", "Invalid Tag": "",
"January": "", "January": "",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "Claro", "Light": "Claro",
"Listening...": "Escuchando...", "Listening...": "Escuchando...",
"LLMs can make mistakes. Verify important information.": "Los LLM pueden cometer errores. Verifica la información importante.", "LLMs can make mistakes. Verify important information.": "Los LLM pueden cometer errores. Verifica la información importante.",
"LTR": "",
"Made by OpenWebUI Community": "Hecho por la comunidad de OpenWebUI", "Made by OpenWebUI Community": "Hecho por la comunidad de OpenWebUI",
"Make sure to enclose them with": "Asegúrese de adjuntarlos con", "Make sure to enclose them with": "Asegúrese de adjuntarlos con",
"Manage LiteLLM Models": "Administrar Modelos LiteLLM", "Manage LiteLLM Models": "Administrar Modelos LiteLLM",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "Máximo de Tokens", "Max Tokens": "Máximo de Tokens",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Se pueden descargar un máximo de 3 modelos simultáneamente. Por favor, inténtelo de nuevo más tarde.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Se pueden descargar un máximo de 3 modelos simultáneamente. Por favor, inténtelo de nuevo más tarde.",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "", "Minimum Score": "",
"Mirostat": "Mirostat", "Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta", "Mirostat Eta": "Mirostat Eta",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "Extraer imágenes de PDF (OCR)", "PDF Extract Images (OCR)": "Extraer imágenes de PDF (OCR)",
"pending": "pendiente", "pending": "pendiente",
"Permission denied when accessing microphone: {{error}}": "Permiso denegado al acceder al micrófono: {{error}}", "Permission denied when accessing microphone: {{error}}": "Permiso denegado al acceder al micrófono: {{error}}",
"Personalization": "",
"Plain text (.txt)": "", "Plain text (.txt)": "",
"Playground": "Patio de juegos", "Playground": "Patio de juegos",
"Positive attitude": "", "Positive attitude": "",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "Rol", "Role": "Rol",
"Rosé Pine": "Rosé Pine", "Rosé Pine": "Rosé Pine",
"Rosé Pine Dawn": "Rosé Pine Dawn", "Rosé Pine Dawn": "Rosé Pine Dawn",
"RTL": "",
"Save": "Guardar", "Save": "Guardar",
"Save & Create": "Guardar y Crear", "Save & Create": "Guardar y Crear",
"Save & Update": "Guardar y Actualizar", "Save & Update": "Guardar y Actualizar",
...@@ -374,7 +384,7 @@ ...@@ -374,7 +384,7 @@
"Select a mode": "Selecciona un modo", "Select a mode": "Selecciona un modo",
"Select a model": "Selecciona un modelo", "Select a model": "Selecciona un modelo",
"Select an Ollama instance": "Seleccione una instancia de Ollama", "Select an Ollama instance": "Seleccione una instancia de Ollama",
"Select model": "", "Select model": "Selecciona un modelo",
"Send": "", "Send": "",
"Send a Message": "Enviar un Mensaje", "Send a Message": "Enviar un Mensaje",
"Send message": "Enviar Mensaje", "Send message": "Enviar Mensaje",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "Escribe una sugerencia para un prompt (por ejemplo, ¿quién eres?)", "Write a prompt suggestion (e.g. Who are you?)": "Escribe una sugerencia para un prompt (por ejemplo, ¿quién eres?)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Escribe un resumen en 50 palabras que resuma [tema o palabra clave].", "Write a summary in 50 words that summarizes [topic or keyword].": "Escribe un resumen en 50 palabras que resuma [tema o palabra clave].",
"Yesterday": "", "Yesterday": "",
"You": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",
"You have shared this chat": "", "You have shared this chat": "",
"You're a helpful assistant.": "Eres un asistente útil.", "You're a helpful assistant.": "Eres un asistente útil.",
......
...@@ -10,14 +10,16 @@ ...@@ -10,14 +10,16 @@
"About": "درباره", "About": "درباره",
"Account": "حساب کاربری", "Account": "حساب کاربری",
"Accurate information": "", "Accurate information": "",
"Add": "",
"Add a model": "اضافه کردن یک مدل", "Add a model": "اضافه کردن یک مدل",
"Add a model tag name": "اضافه کردن یک نام تگ برای مدل", "Add a model tag name": "اضافه کردن یک نام تگ برای مدل",
"Add a short description about what this modelfile does": "توضیح کوتاهی در مورد کاری که این فایل\u200cمدل انجام می دهد اضافه کنید", "Add a short description about what this modelfile does": "توضیح کوتاهی در مورد کاری که این فایل\u200cمدل انجام می دهد اضافه کنید",
"Add a short title for this prompt": "یک عنوان کوتاه برای این درخواست اضافه کنید", "Add a short title for this prompt": "یک عنوان کوتاه برای این درخواست اضافه کنید",
"Add a tag": "اضافه کردن یک تگ", "Add a tag": "اضافه کردن یک تگ",
"Add custom prompt": "", "Add custom prompt": "اضافه کردن یک درخواست سفارشی",
"Add Docs": "اضافه کردن اسناد", "Add Docs": "اضافه کردن اسناد",
"Add Files": "اضافه کردن فایل\u200cها", "Add Files": "اضافه کردن فایل\u200cها",
"Add Memory": "",
"Add message": "اضافه کردن پیغام", "Add message": "اضافه کردن پیغام",
"Add Model": "", "Add Model": "",
"Add Tags": "اضافه کردن تگ\u200cها", "Add Tags": "اضافه کردن تگ\u200cها",
...@@ -47,8 +49,8 @@ ...@@ -47,8 +49,8 @@
"Archived Chats": "آرشیو تاریخچه چت", "Archived Chats": "آرشیو تاریخچه چت",
"are allowed - Activate this command by typing": "مجاز هستند - این دستور را با تایپ کردن این فعال کنید:", "are allowed - Activate this command by typing": "مجاز هستند - این دستور را با تایپ کردن این فعال کنید:",
"Are you sure?": "آیا مطمئن هستید؟", "Are you sure?": "آیا مطمئن هستید؟",
"Attach file": "", "Attach file": "پیوست فایل",
"Attention to detail": "", "Attention to detail": "دقیق",
"Audio": "صدا", "Audio": "صدا",
"August": "", "August": "",
"Auto-playback response": "پخش خودکار پاسخ ", "Auto-playback response": "پخش خودکار پاسخ ",
...@@ -66,6 +68,8 @@ ...@@ -66,6 +68,8 @@
"Categories": "دسته\u200cبندی\u200cها", "Categories": "دسته\u200cبندی\u200cها",
"Change Password": "تغییر رمز عبور", "Change Password": "تغییر رمز عبور",
"Chat": "گپ", "Chat": "گپ",
"Chat Bubble UI": "",
"Chat direction": "",
"Chat History": "تاریخچه\u200cی گفتگو", "Chat History": "تاریخچه\u200cی گفتگو",
"Chat History is off for this browser.": "سابقه گپ برای این مرورگر خاموش است.", "Chat History is off for this browser.": "سابقه گپ برای این مرورگر خاموش است.",
"Chats": "گپ\u200cها", "Chats": "گپ\u200cها",
...@@ -167,6 +171,7 @@ ...@@ -167,6 +171,7 @@
"Enabled": "فعال", "Enabled": "فعال",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
"Enter {{role}} message here": "پیام {{role}} را اینجا وارد کنید", "Enter {{role}} message here": "پیام {{role}} را اینجا وارد کنید",
"Enter a detail about yourself for your LLMs to recall": "",
"Enter Chunk Overlap": "مقدار Chunk Overlap را وارد کنید", "Enter Chunk Overlap": "مقدار Chunk Overlap را وارد کنید",
"Enter Chunk Size": "مقدار Chunk Size را وارد کنید", "Enter Chunk Size": "مقدار Chunk Size را وارد کنید",
"Enter Image Size (e.g. 512x512)": "اندازه تصویر را وارد کنید (مثال: 512x512)", "Enter Image Size (e.g. 512x512)": "اندازه تصویر را وارد کنید (مثال: 512x512)",
...@@ -227,7 +232,7 @@ ...@@ -227,7 +232,7 @@
"Import Modelfiles": "ایمپورت فایل\u200cهای مدل", "Import Modelfiles": "ایمپورت فایل\u200cهای مدل",
"Import Prompts": "ایمپورت پرامپت\u200cها", "Import Prompts": "ایمپورت پرامپت\u200cها",
"Include `--api` flag when running stable-diffusion-webui": "فلگ `--api` را هنکام اجرای stable-diffusion-webui استفاده کنید.", "Include `--api` flag when running stable-diffusion-webui": "فلگ `--api` را هنکام اجرای stable-diffusion-webui استفاده کنید.",
"Input commands": "", "Input commands": "ورودی دستورات",
"Interface": "رابط", "Interface": "رابط",
"Invalid Tag": "", "Invalid Tag": "",
"January": "", "January": "",
...@@ -244,6 +249,7 @@ ...@@ -244,6 +249,7 @@
"Light": "روشن", "Light": "روشن",
"Listening...": "در حال گوش دادن...", "Listening...": "در حال گوش دادن...",
"LLMs can make mistakes. Verify important information.": "مدل\u200cهای زبانی بزرگ می\u200cتوانند اشتباه کنند. اطلاعات مهم را راستی\u200cآزمایی کنید.", "LLMs can make mistakes. Verify important information.": "مدل\u200cهای زبانی بزرگ می\u200cتوانند اشتباه کنند. اطلاعات مهم را راستی\u200cآزمایی کنید.",
"LTR": "",
"Made by OpenWebUI Community": "ساخته شده توسط OpenWebUI Community", "Made by OpenWebUI Community": "ساخته شده توسط OpenWebUI Community",
"Make sure to enclose them with": "مطمئن شوید که آنها را با این محصور کنید:", "Make sure to enclose them with": "مطمئن شوید که آنها را با این محصور کنید:",
"Manage LiteLLM Models": "Manage LiteLLM Models", "Manage LiteLLM Models": "Manage LiteLLM Models",
...@@ -253,7 +259,9 @@ ...@@ -253,7 +259,9 @@
"Max Tokens": "حداکثر توکن", "Max Tokens": "حداکثر توکن",
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "حداکثر 3 مدل را می توان به طور همزمان دانلود کرد. لطفاً بعداً دوباره امتحان کنید.", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "حداکثر 3 مدل را می توان به طور همزمان دانلود کرد. لطفاً بعداً دوباره امتحان کنید.",
"May": "", "May": "",
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "", "Memories accessible by LLMs will be shown here.": "",
"Memory": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
"Minimum Score": "", "Minimum Score": "",
"Mirostat": "Mirostat", "Mirostat": "Mirostat",
"Mirostat Eta": "Mirostat Eta", "Mirostat Eta": "Mirostat Eta",
...@@ -320,6 +328,7 @@ ...@@ -320,6 +328,7 @@
"PDF Extract Images (OCR)": "استخراج تصاویر از PDF (OCR)", "PDF Extract Images (OCR)": "استخراج تصاویر از PDF (OCR)",
"pending": "در انتظار", "pending": "در انتظار",
"Permission denied when accessing microphone: {{error}}": "هنگام دسترسی به میکروفون، اجازه داده نشد: {{error}}", "Permission denied when accessing microphone: {{error}}": "هنگام دسترسی به میکروفون، اجازه داده نشد: {{error}}",
"Personalization": "",
"Plain text (.txt)": "", "Plain text (.txt)": "",
"Playground": "زمین بازی", "Playground": "زمین بازی",
"Positive attitude": "", "Positive attitude": "",
...@@ -357,6 +366,7 @@ ...@@ -357,6 +366,7 @@
"Role": "نقش", "Role": "نقش",
"Rosé Pine": "Rosé Pine", "Rosé Pine": "Rosé Pine",
"Rosé Pine Dawn": "Rosé Pine Dawn", "Rosé Pine Dawn": "Rosé Pine Dawn",
"RTL": "",
"Save": "ذخیره", "Save": "ذخیره",
"Save & Create": "ذخیره و ایجاد", "Save & Create": "ذخیره و ایجاد",
"Save & Update": "ذخیره و به\u200cروزرسانی", "Save & Update": "ذخیره و به\u200cروزرسانی",
...@@ -374,7 +384,7 @@ ...@@ -374,7 +384,7 @@
"Select a mode": "یک حالت انتخاب کنید", "Select a mode": "یک حالت انتخاب کنید",
"Select a model": "انتخاب یک مدل", "Select a model": "انتخاب یک مدل",
"Select an Ollama instance": "انتخاب یک نمونه از اولاما", "Select an Ollama instance": "انتخاب یک نمونه از اولاما",
"Select model": "", "Select model": "انتخاب یک مدل",
"Send": "", "Send": "",
"Send a Message": "ارسال یک پیام", "Send a Message": "ارسال یک پیام",
"Send message": "ارسال پیام", "Send message": "ارسال پیام",
...@@ -483,6 +493,7 @@ ...@@ -483,6 +493,7 @@
"Write a prompt suggestion (e.g. Who are you?)": "یک پیشنهاد پرامپت بنویسید (مثلاً شما کی هستید؟)", "Write a prompt suggestion (e.g. Who are you?)": "یک پیشنهاد پرامپت بنویسید (مثلاً شما کی هستید؟)",
"Write a summary in 50 words that summarizes [topic or keyword].": "خلاصه ای در 50 کلمه بنویسید که [موضوع یا کلمه کلیدی] را خلاصه کند.", "Write a summary in 50 words that summarizes [topic or keyword].": "خلاصه ای در 50 کلمه بنویسید که [موضوع یا کلمه کلیدی] را خلاصه کند.",
"Yesterday": "", "Yesterday": "",
"You": "",
"You have no archived conversations.": "", "You have no archived conversations.": "",
"You have shared this chat": "", "You have shared this chat": "",
"You're a helpful assistant.": "تو یک دستیار سودمند هستی.", "You're a helpful assistant.": "تو یک دستیار سودمند هستی.",
......
Markdown is supported
0% or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment