# Conflicts:
#	src/lib/i18n/locales/sr-RS/translation.json
This commit is contained in:
Rory 2025-02-02 20:31:27 -06:00
commit f837d2cdbb
16 changed files with 464 additions and 353 deletions

View File

@ -1283,7 +1283,28 @@ TOOLS_FUNCTION_CALLING_PROMPT_TEMPLATE = PersistentConfig(
)
DEFAULT_TOOLS_FUNCTION_CALLING_PROMPT_TEMPLATE = """Available Tools: {{TOOLS}}\nReturn an empty string if no tools match the query. If a function tool matches, construct and return a JSON object in the format {\"name\": \"functionName\", \"parameters\": {\"requiredFunctionParamKey\": \"requiredFunctionParamValue\"}} using the appropriate tool and its parameters. Only return the object and limit the response to the JSON object without additional text."""
DEFAULT_TOOLS_FUNCTION_CALLING_PROMPT_TEMPLATE = """Available Tools: {{TOOLS}}
Your task is to choose and return the correct tool(s) from the list of available tools based on the query. Follow these guidelines:
- Return only the JSON object, without any additional text or explanation.
- If no tools match the query, return an empty array:
{
"tool_calls": []
}
- If one or more tools match the query, construct a JSON response containing a "tool_calls" array with objects that include:
- "name": The tool's name.
- "parameters": A dictionary of required parameters and their corresponding values.
The format for the JSON response is strictly:
{
"tool_calls": [
{"name": "toolName1", "parameters": {"key1": "value1"}},
{"name": "toolName2", "parameters": {"key2": "value2"}}
]
}"""
DEFAULT_EMOJI_GENERATION_PROMPT_TEMPLATE = """Your task is to reflect the speaker's likely facial expression through a fitting emoji. Interpret emotions from the message and reflect their facial expression using fitting, diverse emojis (e.g., 😊, 😢, 😡, 😱).
@ -1325,6 +1346,7 @@ CHROMA_HTTP_SSL = os.environ.get("CHROMA_HTTP_SSL", "false").lower() == "true"
MILVUS_URI = os.environ.get("MILVUS_URI", f"{DATA_DIR}/vector_db/milvus.db")
MILVUS_DB = os.environ.get("MILVUS_DB", "default")
MILVUS_TOKEN = os.environ.get("MILVUS_TOKEN", None)
# Qdrant
QDRANT_URI = os.environ.get("QDRANT_URI", None)

View File

@ -8,13 +8,17 @@ from open_webui.retrieval.vector.main import VectorItem, SearchResult, GetResult
from open_webui.config import (
MILVUS_URI,
MILVUS_DB,
MILVUS_TOKEN,
)
class MilvusClient:
def __init__(self):
self.collection_prefix = "open_webui"
self.client = Client(uri=MILVUS_URI, database=MILVUS_DB)
if MILVUS_TOKEN is None:
self.client = Client(uri=MILVUS_URI, database=MILVUS_DB)
else:
self.client = Client(uri=MILVUS_URI, database=MILVUS_DB, token=MILVUS_TOKEN)
def _result_to_get_result(self, result) -> GetResult:
ids = []

View File

@ -90,6 +90,10 @@ async def update_task_config(
form_data.TITLE_GENERATION_PROMPT_TEMPLATE
)
request.app.state.config.IMAGE_PROMPT_GENERATION_PROMPT_TEMPLATE = (
form_data.IMAGE_PROMPT_GENERATION_PROMPT_TEMPLATE
)
request.app.state.config.ENABLE_AUTOCOMPLETE_GENERATION = (
form_data.ENABLE_AUTOCOMPLETE_GENERATION
)

View File

@ -270,60 +270,70 @@ async def chat_completion_tools_handler(
result = json.loads(content)
tool_function_name = result.get("name", None)
if tool_function_name not in tools:
return body, {}
async def tool_call_handler(tool_call):
log.debug(f"{tool_call=}")
tool_function_params = result.get("parameters", {})
tool_function_name = tool_call.get("name", None)
if tool_function_name not in tools:
return body, {}
try:
required_params = (
tools[tool_function_name]
.get("spec", {})
.get("parameters", {})
.get("required", [])
)
tool_function = tools[tool_function_name]["callable"]
tool_function_params = {
k: v
for k, v in tool_function_params.items()
if k in required_params
}
tool_output = await tool_function(**tool_function_params)
tool_function_params = tool_call.get("parameters", {})
except Exception as e:
tool_output = str(e)
if isinstance(tool_output, str):
if tools[tool_function_name]["citation"]:
sources.append(
{
"source": {
"name": f"TOOL:{tools[tool_function_name]['toolkit_id']}/{tool_function_name}"
},
"document": [tool_output],
"metadata": [
{
"source": f"TOOL:{tools[tool_function_name]['toolkit_id']}/{tool_function_name}"
}
],
}
)
else:
sources.append(
{
"source": {},
"document": [tool_output],
"metadata": [
{
"source": f"TOOL:{tools[tool_function_name]['toolkit_id']}/{tool_function_name}"
}
],
}
try:
required_params = (
tools[tool_function_name]
.get("spec", {})
.get("parameters", {})
.get("required", [])
)
tool_function = tools[tool_function_name]["callable"]
tool_function_params = {
k: v
for k, v in tool_function_params.items()
if k in required_params
}
tool_output = await tool_function(**tool_function_params)
if tools[tool_function_name]["file_handler"]:
skip_files = True
except Exception as e:
tool_output = str(e)
if isinstance(tool_output, str):
if tools[tool_function_name]["citation"]:
sources.append(
{
"source": {
"name": f"TOOL:{tools[tool_function_name]['toolkit_id']}/{tool_function_name}"
},
"document": [tool_output],
"metadata": [
{
"source": f"TOOL:{tools[tool_function_name]['toolkit_id']}/{tool_function_name}"
}
],
}
)
else:
sources.append(
{
"source": {},
"document": [tool_output],
"metadata": [
{
"source": f"TOOL:{tools[tool_function_name]['toolkit_id']}/{tool_function_name}"
}
],
}
)
if tools[tool_function_name]["file_handler"]:
skip_files = True
# check if "tool_calls" in result
if result.get("tool_calls"):
for tool_call in result.get("tool_calls"):
await tool_call_handler(tool_call)
else:
await tool_call_handler(result)
except Exception as e:
log.exception(f"Error: {e}")

View File

@ -131,6 +131,25 @@ def add_or_update_system_message(content: str, messages: list[dict]):
return messages
def append_or_update_assistant_message(content: str, messages: list[dict]):
"""
Adds a new assistant message at the end of the messages list
or updates the existing assistant message at the end.
:param msg: The message to be added or appended.
:param messages: The list of message dictionaries.
:return: The updated list of message dictionaries.
"""
if messages and messages[-1].get("role") == "assistant":
messages[-1]["content"] = f"{messages[-1]['content']}\n{content}"
else:
# Insert at the end
messages.append({"role": "assistant", "content": content})
return messages
def openai_chat_message_template(model: str):
return {
"id": f"{model}-{str(uuid.uuid4())}",

View File

@ -82,7 +82,8 @@ class OAuthManager:
oauth_allowed_roles = auth_manager_config.OAUTH_ALLOWED_ROLES
oauth_admin_roles = auth_manager_config.OAUTH_ADMIN_ROLES
oauth_roles = None
role = "pending" # Default/fallback role if no matching roles are found
# Default/fallback role if no matching roles are found
role = auth_manager_config.DEFAULT_USER_ROLE
# Next block extracts the roles from the user data, accepting nested claims of any depth
if oauth_claim and oauth_allowed_roles and oauth_admin_roles:
@ -273,7 +274,7 @@ class OAuthManager:
log.error(
f"Error downloading profile image '{picture_url}': {e}"
)
picture_url = ""
picture_url = "/user.png"
if not picture_url:
picture_url = "/user.png"

View File

@ -11,7 +11,7 @@ python-jose==3.3.0
passlib[bcrypt]==1.7.4
requests==2.32.3
aiohttp==3.11.8
aiohttp==3.11.11
async-timeout
aiocache
aiofiles
@ -57,7 +57,7 @@ einops==0.8.0
ftfy==6.2.3
pypdf==4.3.1
fpdf2==2.8.2
pymdown-extensions==10.11.2
pymdown-extensions==10.14.2
docx2txt==0.8
python-pptx==1.0.0
unstructured==0.16.17
@ -71,16 +71,16 @@ xlrd==2.0.1
validators==0.34.0
psutil
sentencepiece
soundfile==0.12.1
soundfile==0.13.1
opencv-python-headless==4.10.0.84
opencv-python-headless==4.11.0.86
rapidocr-onnxruntime==1.3.24
rank-bm25==0.2.2
faster-whisper==1.0.3
PyJWT[crypto]==2.10.1
authlib==1.3.2
authlib==1.4.1
black==24.8.0
langfuse==2.44.0
@ -89,7 +89,7 @@ pytube==15.0.0
extract_msg
pydub
duckduckgo-search~=7.2.1
duckduckgo-search~=7.3.0
## Google Drive
google-api-python-client

View File

@ -19,7 +19,7 @@ dependencies = [
"passlib[bcrypt]==1.7.4",
"requests==2.32.3",
"aiohttp==3.11.8",
"aiohttp==3.11.11",
"async-timeout",
"aiocache",
"aiofiles",
@ -63,7 +63,7 @@ dependencies = [
"ftfy==6.2.3",
"pypdf==4.3.1",
"fpdf2==2.8.2",
"pymdown-extensions==10.11.2",
"pymdown-extensions==10.14.2",
"docx2txt==0.8",
"python-pptx==1.0.0",
"unstructured==0.16.17",
@ -77,16 +77,16 @@ dependencies = [
"validators==0.34.0",
"psutil",
"sentencepiece",
"soundfile==0.12.1",
"soundfile==0.13.1",
"opencv-python-headless==4.10.0.84",
"opencv-python-headless==4.11.0.86",
"rapidocr-onnxruntime==1.3.24",
"rank-bm25==0.2.2",
"faster-whisper==1.0.3",
"PyJWT[crypto]==2.10.1",
"authlib==1.3.2",
"authlib==1.4.1",
"black==24.8.0",
"langfuse==2.44.0",
@ -95,7 +95,7 @@ dependencies = [
"extract_msg",
"pydub",
"duckduckgo-search~=7.2.1",
"duckduckgo-search~=7.3.0",
"google-api-python-client",
"google-auth-httplib2",

View File

@ -31,7 +31,8 @@
ENABLE_TAGS_GENERATION: true,
ENABLE_SEARCH_QUERY_GENERATION: true,
ENABLE_RETRIEVAL_QUERY_GENERATION: true,
QUERY_GENERATION_PROMPT_TEMPLATE: ''
QUERY_GENERATION_PROMPT_TEMPLATE: '',
TOOLS_FUNCTION_CALLING_PROMPT_TEMPLATE: ''
};
let promptSuggestions = [];
@ -251,6 +252,20 @@
</div>
</div>
<div class="mt-3">
<div class=" mb-2.5 text-xs font-medium">{$i18n.t('Tools Function Calling Prompt')}</div>
<Tooltip
content={$i18n.t('Leave empty to use the default prompt, or enter a custom prompt')}
placement="top-start"
>
<Textarea
bind:value={taskConfig.TOOLS_FUNCTION_CALLING_PROMPT_TEMPLATE}
placeholder={$i18n.t('Leave empty to use the default prompt, or enter a custom prompt')}
/>
</Tooltip>
</div>
<hr class=" border-gray-50 dark:border-gray-850 my-3" />
<div class=" space-y-3 {banners.length > 0 ? ' mb-3' : ''}">

View File

@ -379,15 +379,27 @@ __builtins__.input = input`);
class="bg-[#202123] text-white max-w-full overflow-x-auto scrollbar-hidden"
/>
{#if executing}
<div class="bg-[#202123] text-white px-4 py-4 rounded-b-lg">
<div class=" text-gray-500 text-xs mb-1">STDOUT/STDERR</div>
<div class="text-sm">Running...</div>
</div>
{:else if stdout || stderr || result}
<div class="bg-[#202123] text-white px-4 py-4 rounded-b-lg">
<div class=" text-gray-500 text-xs mb-1">STDOUT/STDERR</div>
<div class="text-sm">{stdout || stderr || result}</div>
{#if executing || stdout || stderr || result}
<div class="bg-[#202123] text-white !rounded-b-lg py-4 px-4 flex flex-col gap-2">
{#if executing}
<div class=" ">
<div class=" text-gray-500 text-xs mb-1">STDOUT/STDERR</div>
<div class="text-sm">Running...</div>
</div>
{:else}
{#if stdout || stderr}
<div class=" ">
<div class=" text-gray-500 text-xs mb-1">STDOUT/STDERR</div>
<div class="text-sm">{stdout || stderr}</div>
</div>
{/if}
{#if result}
<div class=" ">
<div class=" text-gray-500 text-xs mb-1">RESULT</div>
<div class="text-sm">{`${result}`}</div>
</div>
{/if}
{/if}
</div>
{/if}
{/if}

View File

@ -78,6 +78,7 @@
{rateMessage}
{actionMessage}
{submitMessage}
{deleteMessage}
{continueResponse}
{regenerateResponse}
{addMessages}

View File

@ -114,6 +114,7 @@
export let saveMessage: Function;
export let rateMessage: Function;
export let actionMessage: Function;
export let deleteMessage: Function;
export let submitMessage: Function;
export let continueResponse: Function;
@ -461,6 +462,10 @@
feedbackLoading = false;
};
const deleteMessageHandler = async () => {
deleteMessage(message.id);
};
$: if (!edit) {
(async () => {
await tick();
@ -1177,6 +1182,36 @@
</button>
</Tooltip>
{#if siblings.length > 1}
<Tooltip content={$i18n.t('Delete')} placement="bottom">
<button
type="button"
id="continue-response-button"
class="{isLastMessage
? 'visible'
: 'invisible group-hover:visible'} p-1.5 hover:bg-black/5 dark:hover:bg-white/5 rounded-lg dark:hover:text-white hover:text-black transition regenerate-response-button"
on:click={() => {
deleteMessageHandler();
}}
>
<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>
</button>
</Tooltip>
{/if}
{#if isLastMessage}
{#each model?.actions ?? [] as action}
<Tooltip content={action.name} placement="bottom">

View File

@ -3,68 +3,49 @@
export let value = '';
export let placeholder = '';
export let rows = 1;
export let required = false;
export let className =
'w-full rounded-lg px-3 py-2 text-sm bg-gray-50 dark:text-gray-300 dark:bg-gray-850 outline-none resize-none h-full';
export let onKeydown: Function = () => {};
'w-full rounded-lg px-3 py-2 text-sm bg-gray-50 dark:text-gray-300 dark:bg-gray-850 outline-none h-full';
let textareaElement;
$: if (textareaElement) {
if (textareaElement.innerText !== value && value !== '') {
textareaElement.innerText = value ?? '';
}
}
// Adjust height on mount and after setting the element.
onMount(async () => {
await tick();
resize();
requestAnimationFrame(() => {
// setInterveal to cehck until textareaElement is set
const interval = setInterval(() => {
if (textareaElement) {
clearInterval(interval);
resize();
}
}, 100);
});
});
// Handle paste event to ensure only plaintext is pasted
function handlePaste(event: ClipboardEvent) {
event.preventDefault(); // Prevent the default paste action
const clipboardData = event.clipboardData?.getData('text/plain'); // Get plaintext from clipboard
// Insert plaintext into the textarea
document.execCommand('insertText', false, clipboardData);
}
const resize = () => {
if (textareaElement) {
textareaElement.style.height = '';
textareaElement.style.height = `${textareaElement.scrollHeight}px`;
}
};
</script>
<div
contenteditable="true"
<textarea
bind:this={textareaElement}
class="{className} whitespace-pre-wrap relative {value
? !value.trim()
? 'placeholder'
: ''
: 'placeholder'}"
style="field-sizing: content; -moz-user-select: text !important;"
on:input={() => {
const text = textareaElement.innerText;
if (text === '\n') {
value = '';
return;
}
value = text;
bind:value
{placeholder}
class={className}
style="field-sizing: content;"
{rows}
{required}
on:input={(e) => {
resize();
}}
on:focus={() => {
resize();
}}
on:paste={handlePaste}
on:keydown={onKeydown}
data-placeholder={placeholder}
/>
<style>
.placeholder::before {
/* absolute */
position: absolute;
content: attr(data-placeholder);
color: #adb5bd;
overflow: hidden;
display: -webkit-box;
-webkit-box-orient: vertical;
-webkit-line-clamp: 1;
pointer-events: none;
touch-action: none;
}
</style>

View File

@ -5,7 +5,7 @@
"(e.g. `sh webui.sh --api`)": "(нпр. `sh webui.sh --api`)",
"(latest)": "(најновије)",
"{{ models }}": "{{ модели }}",
"{{COUNT}} Replies": "",
"{{COUNT}} Replies": "{{COUNT}} одговора",
"{{user}}'s Chats": "Ћаскања корисника {{user}}",
"{{webUIName}} Backend Required": "Захтева се {{webUIName}} позадинац",
"*Prompt node ID(s) are required for image generation": "",
@ -33,7 +33,7 @@
"Add custom prompt": "Додај прилагођен упит",
"Add Files": "Додај датотеке",
"Add Group": "Додај групу",
"Add Memory": "Додај меморију",
"Add Memory": "Додај сећање",
"Add Model": "Додај модел",
"Add Reaction": "",
"Add Tag": "Додај ознаку",
@ -45,13 +45,13 @@
"admin": "админ",
"Admin": "Админ",
"Admin Panel": "Админ табла",
"Admin Settings": "Админ подешавања",
"Admin Settings": "Админ део",
"Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Админи имају приступ свим алатима у сваком тренутку, корисницима је потребно доделити алате по моделу у радном простору",
"Advanced Parameters": "Напредни параметри",
"Advanced Params": "Напредни парамови",
"All Documents": "Сви документи",
"All models deleted successfully": "Сви модели су успешно обрисани",
"Allow Chat Controls": "",
"Allow Chat Controls": "Дозволи контроле ћаскања",
"Allow Chat Delete": "Дозволи брисање ћаскања",
"Allow Chat Deletion": "Дозволи брисање ћаскања",
"Allow Chat Edit": "Дозволи измену ћаскања",
@ -80,10 +80,10 @@
"Archive": "Архивирај",
"Archive All Chats": "Архивирај сва ћаскања",
"Archived Chats": "Архиве",
"archived-chat-export": "",
"Are you sure you want to delete this channel?": "",
"Are you sure you want to delete this message?": "",
"Are you sure you want to unarchive all archived chats?": "",
"archived-chat-export": "izvezena-arhiva",
"Are you sure you want to delete this channel?": "Да ли сигурно желите обрисати овај канал?",
"Are you sure you want to delete this message?": "Да ли сигурно желите обрисати ову поруку?",
"Are you sure you want to unarchive all archived chats?": "Да ли сигурно желите деархивирати све архиве?",
"Are you sure?": "Да ли сте сигурни?",
"Arena Models": "Модели са Арене",
"Artifacts": "Артефакти",
@ -91,7 +91,7 @@
"Assistant": "Помоћник",
"Attach file": "Приложи датотеку",
"Attention to detail": "Пажња на детаље",
"Attribute for Mail": "",
"Attribute for Mail": "Особина е-поруке",
"Attribute for Username": "Особина корисника",
"Audio": "Звук",
"August": "Август",
@ -116,33 +116,33 @@
"Batch Size (num_batch)": "",
"before": "пре",
"Being lazy": "Бити лењ",
"Beta": "",
"Beta": "Бета",
"Bing Search V7 Endpoint": "",
"Bing Search V7 Subscription Key": "",
"Brave Search API Key": "Апи кључ за храбру претрагу",
"By {{name}}": "",
"By {{name}}": "Од {{name}}",
"Bypass SSL verification for Websites": "Заобиђи SSL потврђивање за веб странице",
"Call": "Позив",
"Call feature is not supported when using Web STT engine": "",
"Camera": "Камера",
"Cancel": "Откажи",
"Capabilities": "Могућности",
"Capture": "",
"Certificate Path": "",
"Capture": "Ухвати",
"Certificate Path": "Путања до сертификата",
"Change Password": "Промени лозинку",
"Channel Name": "",
"Channels": "",
"Channel Name": "Назив канала",
"Channels": "Канали",
"Character": "Знак",
"Character limit for autocomplete generation input": "",
"Chart new frontiers": "",
"Chart new frontiers": "Откриј нове границе",
"Chat": "Ћаскање",
"Chat Background Image": "",
"Chat Bubble UI": "Интерфејс балона ћаскања",
"Chat Controls": "",
"Chat Background Image": "Позадинска слика ћаскања",
"Chat Bubble UI": "Прочеље балона ћаскања",
"Chat Controls": "Контроле ћаскања",
"Chat direction": "Смер ћаскања",
"Chat Overview": "Преглед ћаскања",
"Chat Permissions": "Дозволе ћаскања",
"Chat Tags Auto-Generation": "",
"Chat Tags Auto-Generation": "Самостварање ознака ћаскања",
"Chats": "Ћаскања",
"Check Again": "Провери поново",
"Check for updates": "Потражи ажурирања",
@ -151,11 +151,11 @@
"Chunk Overlap": "Преклапање делова",
"Chunk Params": "Параметри делова",
"Chunk Size": "Величина дела",
"Ciphers": "",
"Ciphers": "Шифре",
"Citation": "Цитат",
"Clear memory": "",
"click here": "",
"Click here for filter guides.": "",
"Clear memory": "Очисти сећања",
"click here": "кликни овде",
"Click here for filter guides.": "Кликни овде за упутства филтера.",
"Click here for help.": "Кликните овде за помоћ.",
"Click here to": "Кликните овде да",
"Click here to download user import template file.": "",
@ -168,36 +168,36 @@
"Click on the user role button to change a user's role.": "Кликните на дугме за улогу корисника да промените улогу корисника.",
"Clipboard write permission denied. Please check your browser settings to grant the necessary access.": "",
"Clone": "Клонирај",
"Clone Chat": "",
"Clone Chat": "Клонирај ћаскање",
"Close": "Затвори",
"Code execution": "",
"Code formatted successfully": "",
"Code execution": "Извршавање кода",
"Code formatted successfully": "Код форматиран успешно",
"Collection": "Колекција",
"Color": "",
"Color": "Боја",
"ComfyUI": "ComfyUI",
"ComfyUI API Key": "",
"ComfyUI API Key": "ComfyUI API кључ",
"ComfyUI Base URL": "Основна адреса за ComfyUI",
"ComfyUI Base URL is required.": "Потребна је основна адреса за ComfyUI.",
"ComfyUI Workflow": "",
"ComfyUI Workflow Nodes": "",
"ComfyUI Workflow": "ComfyUI радни ток",
"ComfyUI Workflow Nodes": "ComfyUI чворови радног тока",
"Command": "Наредба",
"Completions": "",
"Completions": "Допуне",
"Concurrent Requests": "Упоредни захтеви",
"Configure": "",
"Confirm": "",
"Configure": "Подеси",
"Confirm": "Потврди",
"Confirm Password": "Потврди лозинку",
"Confirm your action": "",
"Confirm your new password": "",
"Confirm your action": "Потврди радњу",
"Confirm your new password": "Потврди нову лозинку",
"Connections": "Везе",
"Constrains effort on reasoning for reasoning models. Only applicable to reasoning models from specific providers that support reasoning effort. (Default: medium)": "",
"Contact Admin for WebUI Access": "",
"Contact Admin for WebUI Access": "Пишите админима за приступ на WebUI",
"Content": "Садржај",
"Content Extraction": "",
"Content Extraction": "Извлачење садржаја",
"Context Length": "Дужина контекста",
"Continue Response": "Настави одговор",
"Continue with {{provider}}": "",
"Continue with Email": "",
"Continue with LDAP": "",
"Continue with {{provider}}": "Настави са {{provider}}",
"Continue with Email": "Настави са е-адресом",
"Continue with LDAP": "Настави са ЛДАП-ом",
"Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "",
"Controls": "Контроле",
"Controls the balance between coherence and diversity of the output. A lower value will result in more focused and coherent text. (Default: 5.0)": "",
@ -208,14 +208,14 @@
"Copy last code block": "Копирај последњи блок кода",
"Copy last response": "Копирај последњи одговор",
"Copy Link": "Копирај везу",
"Copy to clipboard": "",
"Copy to clipboard": "Копирај у оставу",
"Copying to clipboard was successful!": "Успешно копирање у оставу!",
"Create": "Направи",
"Create a knowledge base": "Направи базу знања",
"Create a model": "Креирање модела",
"Create Account": "Направи налог",
"Create Admin Account": "Направи админ налог",
"Create Channel": "",
"Create Channel": "Направи канал",
"Create Group": "Направи групу",
"Create Knowledge": "Направи знање",
"Create new key": "Направи нови кључ",
@ -223,7 +223,7 @@
"Created at": "Направљено у",
"Created At": "Направљено у",
"Created by": "Направио/ла",
"CSV Import": "",
"CSV Import": "Увоз CSV-а",
"Current Model": "Тренутни модел",
"Current Password": "Тренутна лозинка",
"Custom": "Прилагођено",
@ -231,7 +231,7 @@
"Database": "База података",
"December": "Децембар",
"Default": "Подразумевано",
"Default (Open AI)": "",
"Default (Open AI)": "Подразумевано (Open AI)",
"Default (SentenceTransformers)": "Подразумевано (SentenceTransformers)",
"Default Model": "Подразумевани модел",
"Default model updated": "Подразумевани модел ажуриран",
@ -244,56 +244,56 @@
"Default User Role": "Подразумевана улога корисника",
"Delete": "Обриши",
"Delete a model": "Обриши модел",
"Delete All Chats": "Избриши сва ћаскања",
"Delete All Models": "",
"Delete All Chats": "Обриши сва ћаскања",
"Delete All Models": "Обриши све моделе",
"Delete chat": "Обриши ћаскање",
"Delete Chat": "Обриши ћаскање",
"Delete chat?": "",
"Delete folder?": "",
"Delete function?": "",
"Delete Message": "",
"Delete prompt?": "",
"Delete chat?": "Обрисати ћаскање?",
"Delete folder?": "Обрисати фасциклу?",
"Delete function?": "Обрисати функцију?",
"Delete Message": "Обриши поруку",
"Delete prompt?": "Обрисати упит?",
"delete this link": "обриши ову везу",
"Delete tool?": "",
"Delete tool?": "Обрисати алат?",
"Delete User": "Обриши корисника",
"Deleted {{deleteModelTag}}": "Обрисано {{deleteModelTag}}",
"Deleted {{name}}": "Избрисано {{наме}}",
"Deleted User": "",
"Describe your knowledge base and objectives": "",
"Deleted User": "Обрисани корисници",
"Describe your knowledge base and objectives": "Опишите вашу базу знања и циљеве",
"Description": "Опис",
"Didn't fully follow instructions": "Упутства нису праћена у потпуности",
"Disabled": "",
"Disabled": "Онемогућено",
"Discover a function": "Откријте функцију",
"Discover a model": "Откријте модел",
"Discover a prompt": "Откриј упит",
"Discover a tool": "Откријте алат",
"Discover wonders": "",
"Discover wonders": "Откријте чудеса",
"Discover, download, and explore custom functions": "Откријте, преузмите и истражите прилагођене функције",
"Discover, download, and explore custom prompts": "Откријте, преузмите и истражите прилагођене упите",
"Discover, download, and explore custom tools": "Откријте, преузмите и истражите прилагођене алате",
"Discover, download, and explore model presets": "Откријте, преузмите и истражите образце модела",
"Dismissible": "",
"Display": "",
"Display Emoji in Call": "",
"Display the username instead of You in the Chat": "Прикажи корисничко име уместо Ти у чату",
"Displays citations in the response": "",
"Dive into knowledge": "",
"Dismissible": "Занемариво",
"Display": "Приказ",
"Display Emoji in Call": "Прикажи емоџије у позиву",
"Display the username instead of You in the Chat": "Прикажи корисничко уместо Ти у ћаскању",
"Displays citations in the response": "Прикажи цитате у одговору",
"Dive into knowledge": "Ускочите у знање",
"Do not install functions from sources you do not fully trust.": "",
"Do not install tools from sources you do not fully trust.": "",
"Document": "Документ",
"Documentation": "",
"Documentation": "Документација",
"Documents": "Документи",
"does not make any external connections, and your data stays securely on your locally hosted server.": "не отвара никакве спољне везе и ваши подаци остају сигурно на вашем локално хостованом серверу.",
"Don't have an account?": "Немате налог?",
"don't install random functions from sources you don't trust.": "",
"don't install random tools from sources you don't trust.": "",
"Don't like the style": "Не свиђа ми се стил",
"Done": "",
"Done": "Готово",
"Download": "Преузми",
"Download canceled": "Преузимање отказано",
"Download Database": "Преузми базу података",
"Drag and drop a file to upload or select a file to view": "",
"Draw": "",
"Draw": "Нацртај",
"Drop any files here to add to the conversation": "Убаците било које датотеке овде да их додате у разговор",
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "нпр. '30s', '10m'. Важеће временске јединице су 's', 'm', 'h'.",
"e.g. A filter to remove profanity from text": "",
@ -302,17 +302,17 @@
"e.g. my_filter": "",
"e.g. my_tools": "",
"e.g. Tools for performing various operations": "",
"Edit": "Уреди",
"Edit Arena Model": "",
"Edit Channel": "",
"Edit Connection": "",
"Edit Default Permissions": "",
"Edit Memory": "",
"Edit User": "Уреди корисника",
"Edit User Group": "",
"Edit": "Измени",
"Edit Arena Model": "Измени модел арене",
"Edit Channel": "Измени канал",
"Edit Connection": "Измени везу",
"Edit Default Permissions": "Измени подразумевана овлашћења",
"Edit Memory": "Измени сећање",
"Edit User": "Измени корисника",
"Edit User Group": "Измени корисничку групу",
"ElevenLabs": "",
"Email": "Е-пошта",
"Embark on adventures": "",
"Embark on adventures": "Започните пустоловину",
"Embedding Batch Size": "",
"Embedding Model": "Модел уградње",
"Embedding Model Engine": "Мотор модела уградње",
@ -327,8 +327,8 @@
"Enable Mirostat sampling for controlling perplexity. (Default: 0, 0 = Disabled, 1 = Mirostat, 2 = Mirostat 2.0)": "",
"Enable New Sign Ups": "Омогући нове пријаве",
"Enable Web Search": "Омогући Wеб претрагу",
"Enabled": "",
"Engine": "",
"Enabled": "Омогућено",
"Engine": "Мотор",
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Уверите се да ваша CSV датотека укључује 4 колоне у овом редоследу: Име, Е-пошта, Лозинка, Улога.",
"Enter {{role}} message here": "Унесите {{role}} поруку овде",
"Enter a detail about yourself for your LLMs to recall": "Унесите детаље за себе да ће LLMs преузимати",
@ -400,9 +400,9 @@
"Experimental": "Експериментално",
"Explore the cosmos": "",
"Export": "Извоз",
"Export All Archived Chats": "",
"Export All Archived Chats": "Извези све архиве",
"Export All Chats (All Users)": "Извези сва ћаскања (сви корисници)",
"Export chat (.json)": "",
"Export chat (.json)": "Извези ћаскање (.json)",
"Export Chats": "Извези ћаскања",
"Export Config to JSON File": "",
"Export Functions": "Извези функције",
@ -479,25 +479,25 @@
"Group updated successfully": "Група измењена успешно",
"Groups": "Групе",
"h:mm a": "h:mm a",
"Haptic Feedback": "",
"Haptic Feedback": "Вибрација као одговор",
"has no conversations.": "нема разговора.",
"Hello, {{name}}": "Здраво, {{name}}",
"Help": "Помоћ",
"Help us create the best community leaderboard by sharing your feedback history!": "",
"Hex Color": "",
"Hex Color - Leave empty for default color": "",
"Hex Color": "Хекс боја",
"Hex Color - Leave empty for default color": "Хекс боја (празно за подразумевано)",
"Hide": "Сакриј",
"Host": "",
"Host": "Домаћин",
"How can I help you today?": "Како могу да вам помогнем данас?",
"How would you rate this response?": "",
"Hybrid Search": "Хибридна претрага",
"I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "",
"ID": "",
"Ignite curiosity": "",
"Image": "",
"Image Compression": "",
"Image generation": "",
"Image Generation": "",
"ID": "ИБ",
"Ignite curiosity": "Покрени знатижељу",
"Image": "Слика",
"Image Compression": "Компресија слике",
"Image generation": "Стварање слике",
"Image Generation": "Стварање слике",
"Image Generation (Experimental)": "Стварање слика (експериментално)",
"Image Generation Engine": "Мотор за стварање слика",
"Image Max Compression Size": "",
@ -535,22 +535,22 @@
"JWT Token": "JWT жетон",
"Kagi Search API Key": "",
"Keep Alive": "Одржи трајање",
"Key": "",
"Key": "Кључ",
"Keyboard shortcuts": "Пречице на тастатури",
"Knowledge": "",
"Knowledge Access": "",
"Knowledge": "Знање",
"Knowledge Access": "Приступ знању",
"Knowledge created successfully.": "",
"Knowledge deleted successfully.": "",
"Knowledge reset successfully.": "",
"Knowledge updated successfully": "",
"Label": "",
"Landing Page Mode": "",
"Label": "Етикета",
"Landing Page Mode": "Режим почетне стране",
"Language": "Језик",
"Last Active": "Последња активност",
"Last Modified": "",
"Last reply": "",
"LDAP": "",
"LDAP server updated": "",
"Last Modified": "Последња измена",
"Last reply": "Последњи одговор",
"LDAP": "ЛДАП",
"LDAP server updated": "ЛДАП сервер измењен",
"Leaderboard": "Ранг листа",
"Leave empty for unlimited": "",
"Leave empty to include all models from \"{{URL}}/api/tags\" endpoint": "",
@ -558,23 +558,23 @@
"Leave empty to include all models or select specific models": "",
"Leave empty to use the default prompt, or enter a custom prompt": "",
"Light": "Светла",
"Listening...": "",
"Llama.cpp": "",
"Listening...": "Слушам...",
"Llama.cpp": "Llama.cpp",
"LLMs can make mistakes. Verify important information.": "ВЈМ-ови (LLM-ови) могу правити грешке. Проверите важне податке.",
"Loading {{count}} sites": "",
"Local": "",
"Local Models": "",
"Local": "Локално",
"Local Models": "Локални модели",
"Lost": "Пораза",
"LTR": "ЛНД",
"Made by OpenWebUI Community": "Израдила OpenWebUI заједница",
"Make sure to enclose them with": "Уверите се да их затворите са",
"Make sure to export a workflow.json file as API format from ComfyUI.": "",
"Manage": "",
"Manage Arena Models": "",
"Manage Models": "",
"Manage Ollama": "",
"Manage Ollama API Connections": "",
"Manage OpenAI API Connections": "",
"Manage": "Управљај",
"Manage Arena Models": "Управљај моделима арене",
"Manage Models": "Управљај моделима",
"Manage Ollama": "Управљај Ollama-ом",
"Manage Ollama API Connections": "Управљај Ollama АПИ везама",
"Manage OpenAI API Connections": "Управљај OpenAI АПИ везама",
"Manage Pipelines": "Управљање цевоводима",
"March": "Март",
"Max Tokens (num_predict)": "Маx Токенс (нум_предицт)",
@ -583,12 +583,12 @@
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Највише 3 модела могу бити преузета истовремено. Покушајте поново касније.",
"May": "Мај",
"Memories accessible by LLMs will be shown here.": "Памћења које ће бити појављена од овог LLM-а ће бити приказана овде.",
"Memory": "Памћење",
"Memory added successfully": "",
"Memory cleared successfully": "",
"Memory deleted successfully": "",
"Memory updated successfully": "",
"Merge Responses": "",
"Memory": "Сећања",
"Memory added successfully": "Сећање успешно додато",
"Memory cleared successfully": "Сећање успешно очишћено",
"Memory deleted successfully": "Сећање успешно обрисано",
"Memory updated successfully": "Сећање успешно измењено",
"Merge Responses": "Спој одговоре",
"Message rating should be enabled to use this feature": "",
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Поруке које пошаљете након стварања ваше везе неће бити подељене. Корисници са URL-ом ће моћи да виде дељено ћаскање.",
"Min P": "",
@ -621,7 +621,7 @@
"Models Access": "",
"Models configuration saved successfully": "",
"Mojeek Search API Key": "",
"more": "",
"more": "више",
"More": "Више",
"Name": "Име",
"Name your knowledge base": "",
@ -645,15 +645,15 @@
"No results found": "Нема резултата",
"No search query generated": "Није генерисан упит за претрагу",
"No source available": "Нема доступног извора",
"No users were found.": "",
"No users were found.": "Нема корисника.",
"No valves to update": "",
"None": "Нико",
"Not factually correct": "Није чињенично тачно",
"Not helpful": "",
"Not helpful": "Није од помоћи",
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Напомена: ако подесите најмањи резултат, претрага ће вратити само документе са резултатом већим или једнаким најмањем резултату.",
"Notes": "",
"Notification Sound": "",
"Notification Webhook": "",
"Notes": "Белешке",
"Notification Sound": "Звук обавештења",
"Notification Webhook": "Веб-кука обавештења",
"Notifications": "Обавештења",
"November": "Новембар",
"num_gpu (Ollama)": "",
@ -691,27 +691,27 @@
"or": "или",
"Organize your users": "Организујте ваше кориснике",
"Other": "Остало",
"OUTPUT": "",
"OUTPUT": "ИЗЛАЗ",
"Output format": "Формат излаза",
"Overview": "Преглед",
"page": "",
"page": "страница",
"Password": "Лозинка",
"Paste Large Text as File": "",
"Paste Large Text as File": "Убаци велики текст као датотеку",
"PDF document (.pdf)": "PDF документ (.pdf)",
"PDF Extract Images (OCR)": "Извлачење PDF слика (OCR)",
"pending": "на чекању",
"Permission denied when accessing media devices": "",
"Permission denied when accessing microphone": "",
"Permission denied when accessing media devices": "Приступ медијским уређајима одбијен",
"Permission denied when accessing microphone": "Приступ микрофону је одбијен",
"Permission denied when accessing microphone: {{error}}": "Приступ микрофону је одбијен: {{error}}",
"Permissions": "",
"Personalization": "Прилагођавање",
"Pin": "Закачи",
"Pinned": "Закачено",
"Pioneer insights": "",
"Pipeline deleted successfully": "",
"Pipeline downloaded successfully": "",
"Pipeline deleted successfully": "Цевовод успешно обрисан",
"Pipeline downloaded successfully": "Цевовод успешно преузет",
"Pipelines": "Цевоводи",
"Pipelines Not Detected": "",
"Pipelines Not Detected": "Цевоводи нису уочени",
"Pipelines Valves": "Вентили за цевоводе",
"Plain text (.txt)": "Обичан текст (.txt)",
"Playground": "Игралиште",
@ -727,14 +727,14 @@
"Previous 30 days": "Претходних 30 дана",
"Previous 7 days": "Претходних 7 дана",
"Profile Image": "Слика профила",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Упит (нпр. „реци ми занимљивост о Римском царству“)",
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Упит (нпр. „подели занимљивост о Римском царству“)",
"Prompt Content": "Садржај упита",
"Prompt created successfully": "",
"Prompt suggestions": "Предлози упита",
"Prompt updated successfully": "",
"Prompt updated successfully": "Упит измењен успешно",
"Prompts": "Упити",
"Prompts Access": "",
"Proxy URL": "",
"Prompts Access": "Приступ упитима",
"Proxy URL": "Адреса посредника",
"Pull \"{{searchValue}}\" from Ollama.com": "Повуците \"{{searchValue}}\" са Ollama.com",
"Pull a model from Ollama.com": "Повуците модел са Ollama.com",
"Query Generation Prompt": "",
@ -742,18 +742,18 @@
"RAG Template": "RAG шаблон",
"Rating": "Оцена",
"Re-rank models by topic similarity": "",
"Read": "",
"Read": "Читање",
"Read Aloud": "Прочитај наглас",
"Reasoning Effort": "",
"Reasoning Effort": "Јачина размишљања",
"Record voice": "Сними глас",
"Redirecting you to OpenWebUI Community": "Преусмеравање на OpenWebUI заједницу",
"Reduces the probability of generating nonsense. A higher value (e.g. 100) will give more diverse answers, while a lower value (e.g. 10) will be more conservative. (Default: 40)": "",
"Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "",
"References from": "",
"References from": "Референце од",
"Refused when it shouldn't have": "Одбијено када није требало",
"Regenerate": "Регенериши",
"Regenerate": "Поново створи",
"Release Notes": "Напомене о издању",
"Relevance": "",
"Relevance": "Примењивост",
"Remove": "Уклони",
"Remove Model": "Уклони модел",
"Rename": "Преименуј",
@ -764,46 +764,46 @@
"Reranking Model": "Модел поновног рангирања",
"Reranking model disabled": "Модел поновног рангирања онемогућен",
"Reranking model set to \"{{reranking_model}}\"": "Модел поновног рангирања подешен на \"{{reranking_model}}\"",
"Reset": "",
"Reset All Models": "",
"Reset": "Поврати",
"Reset All Models": "Поврати све моделе",
"Reset Upload Directory": "",
"Reset Vector Storage/Knowledge": "",
"Reset view": "",
"Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "",
"Response splitting": "",
"Result": "",
"Result": "Исход",
"Retrieval Query Generation": "",
"Rich Text Input for Chat": "",
"Rich Text Input for Chat": "Богат унос текста у ћаскању",
"RK": "",
"Role": "Улога",
"Rosé Pine": "Rosé Pine",
"Rosé Pine Dawn": "Rosé Pine Dawn",
"RTL": "ДНЛ",
"Run": "",
"Running": "",
"Run": "Покрени",
"Running": "Покрећем",
"Save": "Сачувај",
"Save & Create": "Сачувај и направи",
"Save & Update": "Сачувај и ажурирај",
"Save As Copy": "",
"Save Tag": "",
"Saved": "",
"Save As Copy": "Сачувај као копију",
"Save Tag": "Сачувај ознаку",
"Saved": "Сачувано",
"Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "Чување ћаскања директно у складиште вашег прегледача више није подржано. Одвојите тренутак да преузмете и избришете ваша ћаскања кликом на дугме испод. Не брините, можете лако поново увезти ваша ћаскања у бекенд кроз",
"Scroll to bottom when switching between branches": "",
"Scroll to bottom when switching between branches": "Иди на дно странице приликом промене гране",
"Search": "Претражи",
"Search a model": "Претражи модел",
"Search Base": "",
"Search Base": "Претражи базу",
"Search Chats": "Претражи ћаскања",
"Search Collection": "",
"Search Filters": "",
"Search Collection": "Претражи колекцију",
"Search Filters": "Претражи филтере",
"search for tags": "",
"Search Functions": "Претражи функције",
"Search Knowledge": "",
"Search Knowledge": "Претражи знање",
"Search Models": "Модели претраге",
"Search options": "",
"Search options": "Опције претраге",
"Search Prompts": "Претражи упите",
"Search Result Count": "Број резултата претраге",
"Search the web": "",
"Search Tools": "",
"Search the web": "Претражи веб",
"Search Tools": "Алати претраге",
"SearchApi API Key": "",
"SearchApi Engine": "",
"Searched {{count}} sites": "",
@ -863,7 +863,7 @@
"Share Chat": "Подели ћаскање",
"Share to OpenWebUI Community": "Подели са OpenWebUI заједницом",
"Show": "Прикажи",
"Show \"What's New\" modal on login": "",
"Show \"What's New\" modal on login": "Прикажи \"Погледај шта је ново\" прозорче при пријави",
"Show Admin Details in Account Pending Overlay": "",
"Show shortcuts": "Прикажи пречице",
"Show your support!": "",
@ -880,23 +880,23 @@
"Speech Playback Speed": "",
"Speech recognition error: {{error}}": "Грешка у препознавању говора: {{error}}",
"Speech-to-Text Engine": "Мотор за говор у текст",
"Stop": "",
"Stop": "Заустави",
"Stop Sequence": "Секвенца заустављања",
"Stream Chat Response": "",
"STT Model": "",
"STT Model": "STT модел",
"STT Settings": "STT подешавања",
"Subtitle (e.g. about the Roman Empire)": "Поднаслов (нпр. о Римском царству)",
"Success": "Успех",
"Successfully updated.": "Успешно ажурирано.",
"Suggested": "Предложено",
"Support": "",
"Support this plugin:": "",
"Sync directory": "",
"Support": "Подршка",
"Support this plugin:": "Подржите овај прикључак",
"Sync directory": "Фасцикла усклађивања",
"System": "Систем",
"System Instructions": "",
"System Instructions": "Системске инструкције",
"System Prompt": "Системски упит",
"Tags Generation": "",
"Tags Generation Prompt": "",
"Tags Generation": "Стварање ознака",
"Tags Generation Prompt": "Упит стварања ознака",
"Tail free sampling is used to reduce the impact of less probable tokens from the output. A higher value (e.g., 2.0) will reduce the impact more, while a value of 1.0 disables this setting. (default: 1)": "",
"Tap to interrupt": "",
"Tavily API Key": "",
@ -904,7 +904,7 @@
"Temperature": "Температура",
"Template": "Шаблон",
"Temporary Chat": "Привремено ћаскање",
"Text Splitter": "",
"Text Splitter": "Раздвајач текста",
"Text-to-Speech Engine": "Мотор за текст у говор",
"Tfs Z": "Tfs Z",
"Thanks for your feedback!": "Хвала на вашем коментару!",
@ -921,19 +921,19 @@
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Резултат треба да буде вредност између 0.0 (0%) и 1.0 (100%).",
"The temperature of the model. Increasing the temperature will make the model answer more creatively. (Default: 0.8)": "",
"Theme": "Тема",
"Thinking...": "",
"This action cannot be undone. Do you wish to continue?": "",
"Thinking...": "Размишљам...",
"This action cannot be undone. Do you wish to continue?": "Ова радња се не може опозвати. Да ли желите наставити?",
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ово осигурава да су ваши вредни разговори безбедно сачувани у вашој бекенд бази података. Хвала вам!",
"This is an experimental feature, it may not function as expected and is subject to change at any time.": "",
"This option controls how many tokens are preserved when refreshing the context. For example, if set to 2, the last 2 tokens of the conversation context will be retained. Preserving context can help maintain the continuity of a conversation, but it may reduce the ability to respond to new topics. (Default: 24)": "",
"This option sets the maximum number of tokens the model can generate in its response. Increasing this limit allows the model to provide longer answers, but it may also increase the likelihood of unhelpful or irrelevant content being generated. (Default: 128)": "",
"This option will delete all existing files in the collection and replace them with newly uploaded files.": "",
"This response was generated by \"{{model}}\"": "",
"This will delete": "",
"This will delete <strong>{{NAME}}</strong> and <strong>all its contents</strong>.": "",
"This will delete all models including custom models": "",
"This will delete all models including custom models and cannot be undone.": "",
"This will reset the knowledge base and sync all files. Do you wish to continue?": "",
"This will delete": "Ово ће обрисати",
"This will delete <strong>{{NAME}}</strong> and <strong>all its contents</strong>.": "Ово ће обрисати <strong>{{NAME}}</strong> и <strong>сав садржај унутар</strong>.",
"This will delete all models including custom models": "Ово ће обрисати све моделе укључујући прилагођене моделе",
"This will delete all models including custom models and cannot be undone.": "Ово ће обрисати све моделе укључујући прилагођене моделе и не може се опозвати.",
"This will reset the knowledge base and sync all files. Do you wish to continue?": "Ово ће обрисати базу знања и ускладити све датотеке. Да ли желите наставити?",
"Thorough explanation": "Детаљно објашњење",
"Thought for {{DURATION}}": "",
"Tika": "",
@ -945,7 +945,7 @@
"Title Auto-Generation": "Самостално стварање наслова",
"Title cannot be an empty string.": "Наслов не може бити празан низ.",
"Title Generation Prompt": "Упит за стварање наслова",
"TLS": "",
"TLS": "ТЛС",
"To access the available model names for downloading,": "Да бисте приступили доступним именима модела за преузимање,",
"To access the GGUF models available for downloading,": "Да бисте приступили GGUF моделима доступним за преузимање,",
"To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "",
@ -955,20 +955,20 @@
"To select actions here, add them to the \"Functions\" workspace first.": "",
"To select filters here, add them to the \"Functions\" workspace first.": "",
"To select toolkits here, add them to the \"Tools\" workspace first.": "",
"Toast notifications for new updates": "",
"Toast notifications for new updates": "Тост-обавештења за нове исправке",
"Today": "Данас",
"Toggle settings": "Пребаци подешавања",
"Toggle sidebar": "Пребаци бочну траку",
"Token": "",
"Token": "Жетон",
"Tokens To Keep On Context Refresh (num_keep)": "",
"Too verbose": "",
"Tool created successfully": "",
"Tool deleted successfully": "",
"Tool Description": "",
"Tool ID": "",
"Tool imported successfully": "",
"Tool Name": "",
"Tool updated successfully": "",
"Too verbose": "Преопширно",
"Tool created successfully": "Алат направљен успешно",
"Tool deleted successfully": "Алат обрисан успешно",
"Tool Description": "Опис алата",
"Tool ID": "ИБ алата",
"Tool imported successfully": "Алат увезен успешно",
"Tool Name": "Назив алата",
"Tool updated successfully": "Алат ажуриран успешно",
"Tools": "Алати",
"Tools Access": "Приступ алатима",
"Tools are a function calling system with arbitrary code execution": "",
@ -978,46 +978,46 @@
"Top P": "Топ П",
"Transformers": "",
"Trouble accessing Ollama?": "Проблеми са приступом Ollama-и?",
"TTS Model": "",
"TTS Model": "TTS модел",
"TTS Settings": "TTS подешавања",
"TTS Voice": "",
"TTS Voice": "TTS глас",
"Type": "Тип",
"Type Hugging Face Resolve (Download) URL": "Унесите Hugging Face Resolve (Download) адресу",
"Uh-oh! There was an issue with the response.": "",
"UI": "",
"Unarchive All": "",
"Unarchive All Archived Chats": "",
"Unarchive Chat": "",
"Unlock mysteries": "",
"Unpin": "",
"Unravel secrets": "",
"Untagged": "",
"Update": "",
"UI": "Прочеље",
"Unarchive All": "Деархивирај све",
"Unarchive All Archived Chats": "Деархивирај све архиве",
"Unarchive Chat": "Деархивирај ћаскање",
"Unlock mysteries": "Реши мистерије",
"Unpin": "Откачи",
"Unravel secrets": "Разоткриј тајне",
"Untagged": "Неозначено",
"Update": "Ажурирај",
"Update and Copy Link": "Ажурирај и копирај везу",
"Update for the latest features and improvements.": "",
"Update for the latest features and improvements.": "Ажурирајте за најновије могућности и побољшања.",
"Update password": "Ажурирај лозинку",
"Updated": "",
"Updated at": "",
"Updated At": "",
"Upload": "",
"Updated": "Ажурирано",
"Updated at": "Ажурирано у",
"Updated At": "Ажурирано у",
"Upload": "Отпреми",
"Upload a GGUF model": "Отпреми GGUF модел",
"Upload directory": "",
"Upload files": "",
"Upload directory": "Отпреми фасциклу",
"Upload files": "Отпремање датотека",
"Upload Files": "Отпремање датотека",
"Upload Pipeline": "",
"Upload Pipeline": "Цевовод отпремања",
"Upload Progress": "Напредак отпремања",
"URL": "",
"URL": "УРЛ",
"URL Mode": "Режим адресе",
"Use '#' in the prompt input to load and include your knowledge.": "",
"Use Gravatar": "Користи Граватар",
"Use groups to group your users and assign permissions.": "Користите групе да бисте разврстали ваше кориснике и доделили овлашћења.",
"Use Initials": "Користи иницијале",
"use_mlock (Ollama)": "усе _млоцк (Оллама)",
"use_mmap (Ollama)": "усе _ммап (Оллама)",
"use_mlock (Ollama)": "use_mlock (Ollama)",
"use_mmap (Ollama)": "use_mmap (Ollama)",
"user": "корисник",
"User": "",
"User location successfully retrieved.": "",
"Username": "",
"User": "Корисник",
"User location successfully retrieved.": "Корисничка локација успешно добављена.",
"Username": "Корисничко име",
"Users": "Корисници",
"Using the default arena model with all models. Click the plus button to add custom models.": "",
"Utilize": "Искористи",
@ -1029,23 +1029,23 @@
"variable to have them replaced with clipboard content.": "променљива за замену са садржајем оставе.",
"Version": "Издање",
"Version {{selectedVersion}} of {{totalVersions}}": "",
"View Replies": "",
"Visibility": "",
"Voice": "",
"Voice Input": "",
"View Replies": "Погледај одговоре",
"Visibility": "Видљивост",
"Voice": "Глас",
"Voice Input": "Гласовни унос",
"Warning": "Упозорење",
"Warning:": "",
"Warning:": "Упозорење:",
"Warning: Enabling this will allow users to upload arbitrary code on the server.": "",
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Упозорење: ако ажурирате или промените ваш модел уградње, мораћете поново да увезете све документе.",
"Web": "Веб",
"Web API": "",
"Web API": "Веб АПИ",
"Web Loader Settings": "Подешавања веб учитавача",
"Web Search": "Wеб претрага",
"Web Search Engine": "Wеб претраживач",
"Web Search": "Веб претрага",
"Web Search Engine": "Веб претраживач",
"Web Search Query Generation": "",
"Webhook URL": "Адреса веб-куке",
"WebUI Settings": "Подешавања веб интерфејса",
"WebUI URL": "",
"WebUI URL": "WebUI адреса",
"WebUI will make requests to \"{{url}}/api/chat\"": "",
"WebUI will make requests to \"{{url}}/chat/completions\"": "",
"What are you trying to achieve?": "",
@ -1054,21 +1054,21 @@
"When enabled, the model will respond to each chat message in real-time, generating a response as soon as the user sends a message. This mode is useful for live chat applications, but may impact performance on slower hardware.": "",
"wherever you are": "",
"Whisper (Local)": "",
"Why?": "",
"Widescreen Mode": "",
"Why?": "Зашто?",
"Widescreen Mode": "Режим широког екрана",
"Won": "Победа",
"Works together with top-k. A higher value (e.g., 0.95) will lead to more diverse text, while a lower value (e.g., 0.5) will generate more focused and conservative text. (Default: 0.9)": "",
"Workspace": "Радни простор",
"Workspace Permissions": "",
"Write": "",
"Write": "Пиши",
"Write a prompt suggestion (e.g. Who are you?)": "Напишите предлог упита (нпр. „ко си ти?“)",
"Write a summary in 50 words that summarizes [topic or keyword].": "Напишите сажетак у 50 речи који резимира [тему или кључну реч].",
"Write something...": "",
"Write something...": "Упишите нешто...",
"Write your model template content here": "",
"Yesterday": "Јуче",
"You": "Ти",
"You can only chat with a maximum of {{maxCount}} file(s) at a time.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "",
"You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Можете учинити разговор са ВЈМ-овима приснијим додавањем сећања користећи „Управљај“ думе испод и тиме их учинити приснијим и кориснијим.",
"You cannot upload an empty file.": "",
"You do not have permission to access this feature.": "",
"You do not have permission to upload files.": "",

View File

@ -61,9 +61,16 @@ self.onmessage = async (event) => {
try {
self.result = await self.pyodide.runPythonAsync(code);
try {
self.result = self.result.toJSON();
} catch (error) {
console.error(error);
}
} catch (error) {
self.stderr = error.toString();
}
self.postMessage({ id, result: self.result, stdout: self.stdout, stderr: self.stderr });
};

View File

@ -17,12 +17,12 @@ const config = {
})
},
vitePlugin: {
inspector: {
toggleKeyCombo: 'meta-shift', // Key combination to open the inspector
holdMode: false, // Enable or disable hold mode
showToggleButton: 'always', // Show toggle button ('always', 'active', 'never')
toggleButtonPos: 'bottom-right' // Position of the toggle button
}
// inspector: {
// toggleKeyCombo: 'meta-shift', // Key combination to open the inspector
// holdMode: false, // Enable or disable hold mode
// showToggleButton: 'always', // Show toggle button ('always', 'active', 'never')
// toggleButtonPos: 'bottom-right' // Position of the toggle button
// }
},
onwarn: (warning, handler) => {
const { code } = warning;