From fc68071e1d0c2e63fd18127d24bbd811027dc729 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Fri, 28 Nov 2025 18:19:23 +0200 Subject: [PATCH 01/13] transform tool calls into proper messages --- src/lib/components/chat/Chat.svelte | 101 ++++++++++++++++++---------- src/lib/utils/index.ts | 78 +++++++++++++++++---- 2 files changed, 128 insertions(+), 51 deletions(-) diff --git a/src/lib/components/chat/Chat.svelte b/src/lib/components/chat/Chat.svelte index 7f80bca601..e79f4b37de 100644 --- a/src/lib/components/chat/Chat.svelte +++ b/src/lib/components/chat/Chat.svelte @@ -51,7 +51,7 @@ getMessageContentParts, createMessagesList, getPromptVariables, - processDetails, + processDetailsAndExtractToolCalls, removeAllDetails, getCodeBlockContents } from '$lib/utils'; @@ -1865,46 +1865,73 @@ $settings?.params?.stream_response ?? params?.stream_response ?? true; - - let messages = [ - params?.system || $settings.system - ? { + + let messages = []; + if (params?.system || $settings.system) { + messages.push({ role: 'system', content: `${params?.system ?? $settings?.system ?? ''}` - } - : undefined, - ..._messages.map((message) => ({ - ...message, - content: processDetails(message.content) - })) - ].filter((message) => message); + }); + } - messages = messages - .map((message, idx, arr) => ({ - role: message.role, - ...((message.files?.filter((file) => file.type === 'image').length > 0 ?? false) && - message.role === 'user' - ? { - content: [ - { - type: 'text', - text: message?.merged?.content ?? message.content - }, - ...message.files - .filter((file) => file.type === 'image') - .map((file) => ({ - type: 'image_url', - image_url: { - url: file.url - } - })) - ] + for (const message of _messages) { + let content = message?.merged?.content ?? message?.content; + let processedMessages = processDetailsAndExtractToolCalls(content ?? ''); + let nonToolMesssage = null; + let toolCallIndex = 0; + + for (const processedMessage of processedMessages) { + + if (typeof processedMessage == "string") { + nonToolMesssage = { + role: message?.role, + content: message?.role === 'user' ? processedMessage : processedMessage.trim() + }; + + if (message?.role === 'user' && (message.files?.filter((file) => file.type === 'image').length > 0 ?? false)) { + nonToolMesssage = { + ...nonToolMesssage, + ...message.files + .filter((file) => file.type === 'image') + .map((file) => ({ + type: 'image_url', + image_url: { + url: file.url + } + })) } - : { - content: message?.merged?.content ?? message.content - }) - })) - .filter((message) => message?.role === 'user' || message?.content?.trim()); + } + + messages.push(nonToolMesssage); + continue; + } + + if (!nonToolMesssage) { + nonToolMesssage = { + role: message?.role, + content: '' + }; + messages.push(nonToolMesssage); + } + + nonToolMesssage.tool_calls ??= []; + nonToolMesssage.tool_calls.push({ + index: toolCallIndex++, + id: processedMessage.id, + type: 'function', + function: { + name: processedMessage.name, + arguments: processedMessage.arguments + } + }); + + messages.push({ + role: 'tool', + tool_call_id: processedMessage.id, + content: processedMessage.result + }); + } + } const toolIds = []; const toolServerIds = []; diff --git a/src/lib/utils/index.ts b/src/lib/utils/index.ts index 5b92da8b8e..2a8412424b 100644 --- a/src/lib/utils/index.ts +++ b/src/lib/utils/index.ts @@ -856,28 +856,78 @@ export const removeAllDetails = (content) => { return content; }; -export const processDetails = (content) => { - content = removeDetails(content, ['reasoning', 'code_interpreter']); +// This regex matches
tags with type="tool_calls" and captures their attributes +const toolCallsDetailsRegex = /]*)>([\s\S]*?)<\/details>/gis; +const detailsAttributesRegex = /(\w+)="([^"]*)"/g; - // This regex matches
tags with type="tool_calls" and captures their attributes to convert them to a string - const detailsRegex = /]*)>([\s\S]*?)<\/details>/gis; - const matches = content.match(detailsRegex); - if (matches) { +export const processDetailsAndExtractToolCalls = (content) => { + content = removeDetails(content, ['reasoning', 'code_interpreter']); + + // Split text and tool calls into messages array + let messages = []; + const matches = content.match(toolCallsDetailsRegex); + if (matches && matches.length > 0) { + let previousDetailsEndIndex = 0; for (const match of matches) { - const attributesRegex = /(\w+)="([^"]*)"/g; - const attributes = {}; - let attributeMatch; - while ((attributeMatch = attributesRegex.exec(match)) !== null) { - attributes[attributeMatch[1]] = attributeMatch[2]; + + let detailsStartIndex = content.indexOf(match, previousDetailsEndIndex); + let assistantMessage = content.substr(previousDetailsEndIndex, detailsStartIndex - previousDetailsEndIndex); + previousDetailsEndIndex = detailsStartIndex + match.length; + + assistantMessage = assistantMessage.trim('\n'); + if (assistantMessage.length > 0) { + messages.push(assistantMessage); } - content = content.replace(match, `"${attributes.result}"`); + const attributes = {}; + let attributeMatch; + while ((attributeMatch = detailsAttributesRegex.exec(match)) !== null) { + attributes[attributeMatch[1]] = attributeMatch[2]; + } + + if (!attributes.id) { + continue; + } + + let toolCall = { + id: attributes.id, + name: attributes.name, + arguments: unescapeHtml(attributes.arguments ?? ''), + result: unescapeHtml(attributes.result ?? '') + } + + toolCall.arguments = parseDoubleEncodedString(toolCall.arguments); + toolCall.result = parseDoubleEncodedString(toolCall.result); + + messages.push(toolCall); + } + + let finalAssistantMessage = content.substr(previousDetailsEndIndex); + finalAssistantMessage = finalAssistantMessage.trim('\n'); + if (finalAssistantMessage.length > 0) { + messages.push(finalAssistantMessage); } } - - return content; + else if (content.length > 0) { + messages.push(content); + } + + return messages; }; +function parseDoubleEncodedString(value) { + try + { + let parsedValue = JSON.parse(value); + if (typeof value == "string") { + return parsedValue; + } + } + catch {} + + return value; +} + // This regular expression matches code blocks marked by triple backticks const codeBlockRegex = /```[\s\S]*?```/g; From 96c7c948a1d3912c4bf49aef3971b6b38957bd73 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Fri, 28 Nov 2025 18:21:00 +0200 Subject: [PATCH 02/13] add env to control tool execution result --- backend/open_webui/env.py | 13 +++++++++++++ backend/open_webui/utils/middleware.py | 16 +++++++++++----- 2 files changed, 24 insertions(+), 5 deletions(-) diff --git a/backend/open_webui/env.py b/backend/open_webui/env.py index e3c50ea8d1..d9ef8eb446 100644 --- a/backend/open_webui/env.py +++ b/backend/open_webui/env.py @@ -374,6 +374,19 @@ ENABLE_REALTIME_CHAT_SAVE = ( ENABLE_QUERIES_CACHE = os.environ.get("ENABLE_QUERIES_CACHE", "False").lower() == "true" +ENABLE_WRAP_TOOL_RESULT = os.environ.get("ENABLE_WRAP_TOOL_RESULT", "True").lower() == "true" + +TOOL_RESULT_INDENT_SIZE = os.environ.get("TOOL_RESULT_INDENT_SIZE", 2) + +if TOOL_RESULT_INDENT_SIZE == "": + TOOL_RESULT_INDENT_SIZE = 2 +else: + try: + TOOL_RESULT_INDENT_SIZE = int(TOOL_RESULT_INDENT_SIZE) + except Exception: + TOOL_RESULT_INDENT_SIZE = 2 + + #################################### # REDIS #################################### diff --git a/backend/open_webui/utils/middleware.py b/backend/open_webui/utils/middleware.py index cc2de8e1c7..51b338f896 100644 --- a/backend/open_webui/utils/middleware.py +++ b/backend/open_webui/utils/middleware.py @@ -119,6 +119,8 @@ from open_webui.env import ( BYPASS_MODEL_ACCESS_CONTROL, ENABLE_REALTIME_CHAT_SAVE, ENABLE_QUERIES_CACHE, + ENABLE_WRAP_TOOL_RESULT, + TOOL_RESULT_INDENT_SIZE, ) from open_webui.constants import TASKS @@ -276,14 +278,18 @@ def process_tool_result( ) tool_result.remove(item) - if isinstance(tool_result, list): + if isinstance(tool_result, list) and ENABLE_WRAP_TOOL_RESULT: tool_result = {"results": tool_result} if isinstance(tool_result, dict) or isinstance(tool_result, list): - tool_result = json.dumps(tool_result, indent=2, ensure_ascii=False) + tool_result = dump_tool_result_to_json(tool_result, ensure_ascii=False) return tool_result, tool_result_files, tool_result_embeds +def dump_tool_result_to_json(model, ensure_ascii=True): + indent_size = None if TOOL_RESULT_INDENT_SIZE == 0 else TOOL_RESULT_INDENT_SIZE + separators = None if indent_size and indent_size > 0 else (',', ':') + return json.dumps(model, indent=indent_size, separators=separators, ensure_ascii=ensure_ascii) async def chat_completion_tools_handler( request: Request, body: dict, extra_params: dict, user: UserModel, models, tools @@ -2069,9 +2075,9 @@ async def process_chat_response( if tool_result is not None: tool_result_embeds = result.get("embeds", "") - tool_calls_display_content = f'{tool_calls_display_content}
\nTool Executed\n
\n' + tool_calls_display_content = f'{tool_calls_display_content}
\nTool Executed\n
\n' else: - tool_calls_display_content = f'{tool_calls_display_content}
\nExecuting...\n
\n' + tool_calls_display_content = f'{tool_calls_display_content}
\nExecuting...\n
\n' if not raw: content = f"{content}{tool_calls_display_content}" @@ -2087,7 +2093,7 @@ async def process_chat_response( "arguments", "" ) - tool_calls_display_content = f'{tool_calls_display_content}\n
\nExecuting...\n
\n' + tool_calls_display_content = f'{tool_calls_display_content}\n
\nExecuting...\n
\n' if not raw: content = f"{content}{tool_calls_display_content}" From d10a71c298631539417d5693e0758b0005dcd765 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Fri, 28 Nov 2025 18:26:45 +0200 Subject: [PATCH 03/13] fix parseDoubleEncodedString --- src/lib/components/chat/Chat.svelte | 8 ++++---- src/lib/utils/index.ts | 2 +- 2 files changed, 5 insertions(+), 5 deletions(-) diff --git a/src/lib/components/chat/Chat.svelte b/src/lib/components/chat/Chat.svelte index e79f4b37de..a2dd12038a 100644 --- a/src/lib/components/chat/Chat.svelte +++ b/src/lib/components/chat/Chat.svelte @@ -1865,7 +1865,7 @@ $settings?.params?.stream_response ?? params?.stream_response ?? true; - + let messages = []; if (params?.system || $settings.system) { messages.push({ @@ -1879,7 +1879,7 @@ let processedMessages = processDetailsAndExtractToolCalls(content ?? ''); let nonToolMesssage = null; let toolCallIndex = 0; - + for (const processedMessage of processedMessages) { if (typeof processedMessage == "string") { @@ -1905,7 +1905,7 @@ messages.push(nonToolMesssage); continue; } - + if (!nonToolMesssage) { nonToolMesssage = { role: message?.role, @@ -1913,7 +1913,7 @@ }; messages.push(nonToolMesssage); } - + nonToolMesssage.tool_calls ??= []; nonToolMesssage.tool_calls.push({ index: toolCallIndex++, diff --git a/src/lib/utils/index.ts b/src/lib/utils/index.ts index 2a8412424b..077a0eb86a 100644 --- a/src/lib/utils/index.ts +++ b/src/lib/utils/index.ts @@ -919,7 +919,7 @@ function parseDoubleEncodedString(value) { try { let parsedValue = JSON.parse(value); - if (typeof value == "string") { + if (typeof parsedValue == "string") { return parsedValue; } } From 0422b5e29d91bcf4e401f7f1633fe2b4708ccf18 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Fri, 28 Nov 2025 19:45:11 +0200 Subject: [PATCH 04/13] fix formatting --- backend/open_webui/env.py | 4 +++- backend/open_webui/utils/middleware.py | 8 ++++++-- src/lib/components/chat/Chat.svelte | 1 + src/lib/utils/index.ts | 23 ++++++++++------------- 4 files changed, 20 insertions(+), 16 deletions(-) diff --git a/backend/open_webui/env.py b/backend/open_webui/env.py index d9ef8eb446..f0084ed5f7 100644 --- a/backend/open_webui/env.py +++ b/backend/open_webui/env.py @@ -374,7 +374,9 @@ ENABLE_REALTIME_CHAT_SAVE = ( ENABLE_QUERIES_CACHE = os.environ.get("ENABLE_QUERIES_CACHE", "False").lower() == "true" -ENABLE_WRAP_TOOL_RESULT = os.environ.get("ENABLE_WRAP_TOOL_RESULT", "True").lower() == "true" +ENABLE_WRAP_TOOL_RESULT = ( + os.environ.get("ENABLE_WRAP_TOOL_RESULT", "True").lower() == "true" +) TOOL_RESULT_INDENT_SIZE = os.environ.get("TOOL_RESULT_INDENT_SIZE", 2) diff --git a/backend/open_webui/utils/middleware.py b/backend/open_webui/utils/middleware.py index 51b338f896..e4bab6e95a 100644 --- a/backend/open_webui/utils/middleware.py +++ b/backend/open_webui/utils/middleware.py @@ -286,10 +286,14 @@ def process_tool_result( return tool_result, tool_result_files, tool_result_embeds + def dump_tool_result_to_json(model, ensure_ascii=True): indent_size = None if TOOL_RESULT_INDENT_SIZE == 0 else TOOL_RESULT_INDENT_SIZE - separators = None if indent_size and indent_size > 0 else (',', ':') - return json.dumps(model, indent=indent_size, separators=separators, ensure_ascii=ensure_ascii) + separators = None if indent_size and indent_size > 0 else (",", ":") + return json.dumps( + model, indent=indent_size, separators=separators, ensure_ascii=ensure_ascii + ) + async def chat_completion_tools_handler( request: Request, body: dict, extra_params: dict, user: UserModel, models, tools diff --git a/src/lib/components/chat/Chat.svelte b/src/lib/components/chat/Chat.svelte index a2dd12038a..0f16372569 100644 --- a/src/lib/components/chat/Chat.svelte +++ b/src/lib/components/chat/Chat.svelte @@ -1877,6 +1877,7 @@ for (const message of _messages) { let content = message?.merged?.content ?? message?.content; let processedMessages = processDetailsAndExtractToolCalls(content ?? ''); + let nonToolMesssage = null; let toolCallIndex = 0; diff --git a/src/lib/utils/index.ts b/src/lib/utils/index.ts index 077a0eb86a..d1e53d9137 100644 --- a/src/lib/utils/index.ts +++ b/src/lib/utils/index.ts @@ -862,14 +862,14 @@ const detailsAttributesRegex = /(\w+)="([^"]*)"/g; export const processDetailsAndExtractToolCalls = (content) => { content = removeDetails(content, ['reasoning', 'code_interpreter']); - + // Split text and tool calls into messages array let messages = []; const matches = content.match(toolCallsDetailsRegex); if (matches && matches.length > 0) { let previousDetailsEndIndex = 0; for (const match of matches) { - + let detailsStartIndex = content.indexOf(match, previousDetailsEndIndex); let assistantMessage = content.substr(previousDetailsEndIndex, detailsStartIndex - previousDetailsEndIndex); previousDetailsEndIndex = detailsStartIndex + match.length; @@ -884,46 +884,43 @@ export const processDetailsAndExtractToolCalls = (content) => { while ((attributeMatch = detailsAttributesRegex.exec(match)) !== null) { attributes[attributeMatch[1]] = attributeMatch[2]; } - + if (!attributes.id) { continue; } - + let toolCall = { id: attributes.id, name: attributes.name, arguments: unescapeHtml(attributes.arguments ?? ''), result: unescapeHtml(attributes.result ?? '') } - + toolCall.arguments = parseDoubleEncodedString(toolCall.arguments); toolCall.result = parseDoubleEncodedString(toolCall.result); messages.push(toolCall); } - + let finalAssistantMessage = content.substr(previousDetailsEndIndex); finalAssistantMessage = finalAssistantMessage.trim('\n'); if (finalAssistantMessage.length > 0) { messages.push(finalAssistantMessage); } - } - else if (content.length > 0) { + } else if (content.length > 0) { messages.push(content); } - + return messages; }; function parseDoubleEncodedString(value) { - try - { + try { let parsedValue = JSON.parse(value); if (typeof parsedValue == "string") { return parsedValue; } - } - catch {} + } catch {} return value; } From 0790cc8ef48bc2f46da4e41d348599c7e6eab341 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Fri, 28 Nov 2025 19:48:12 +0200 Subject: [PATCH 05/13] fix formatting --- src/lib/utils/index.ts | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/src/lib/utils/index.ts b/src/lib/utils/index.ts index d1e53d9137..4a952f964e 100644 --- a/src/lib/utils/index.ts +++ b/src/lib/utils/index.ts @@ -869,9 +869,11 @@ export const processDetailsAndExtractToolCalls = (content) => { if (matches && matches.length > 0) { let previousDetailsEndIndex = 0; for (const match of matches) { - let detailsStartIndex = content.indexOf(match, previousDetailsEndIndex); - let assistantMessage = content.substr(previousDetailsEndIndex, detailsStartIndex - previousDetailsEndIndex); + let assistantMessage = content.substr( + previousDetailsEndIndex, + detailsStartIndex - previousDetailsEndIndex + ); previousDetailsEndIndex = detailsStartIndex + match.length; assistantMessage = assistantMessage.trim('\n'); @@ -900,7 +902,7 @@ export const processDetailsAndExtractToolCalls = (content) => { toolCall.result = parseDoubleEncodedString(toolCall.result); messages.push(toolCall); - } + }; let finalAssistantMessage = content.substr(previousDetailsEndIndex); finalAssistantMessage = finalAssistantMessage.trim('\n'); @@ -917,7 +919,7 @@ export const processDetailsAndExtractToolCalls = (content) => { function parseDoubleEncodedString(value) { try { let parsedValue = JSON.parse(value); - if (typeof parsedValue == "string") { + if (typeof parsedValue == 'string') { return parsedValue; } } catch {} From 6046e52c7659075483f858fc121fb39008467fa6 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Fri, 28 Nov 2025 19:50:21 +0200 Subject: [PATCH 06/13] fix formatting --- src/lib/utils/index.ts | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/lib/utils/index.ts b/src/lib/utils/index.ts index 4a952f964e..feffbd546b 100644 --- a/src/lib/utils/index.ts +++ b/src/lib/utils/index.ts @@ -896,13 +896,13 @@ export const processDetailsAndExtractToolCalls = (content) => { name: attributes.name, arguments: unescapeHtml(attributes.arguments ?? ''), result: unescapeHtml(attributes.result ?? '') - } + }; toolCall.arguments = parseDoubleEncodedString(toolCall.arguments); toolCall.result = parseDoubleEncodedString(toolCall.result); messages.push(toolCall); - }; + } let finalAssistantMessage = content.substr(previousDetailsEndIndex); finalAssistantMessage = finalAssistantMessage.trim('\n'); From b78d28e5ccfe18a4cf4c1b0d2b8845f272645976 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Fri, 28 Nov 2025 19:57:43 +0200 Subject: [PATCH 07/13] fix formatting --- src/lib/components/chat/Chat.svelte | 16 +++++++++------- 1 file changed, 9 insertions(+), 7 deletions(-) diff --git a/src/lib/components/chat/Chat.svelte b/src/lib/components/chat/Chat.svelte index 0f16372569..a8c8b74446 100644 --- a/src/lib/components/chat/Chat.svelte +++ b/src/lib/components/chat/Chat.svelte @@ -1869,9 +1869,9 @@ let messages = []; if (params?.system || $settings.system) { messages.push({ - role: 'system', - content: `${params?.system ?? $settings?.system ?? ''}` - }); + role: 'system', + content: `${params?.system ?? $settings?.system ?? ''}` + }); } for (const message of _messages) { @@ -1882,14 +1882,16 @@ let toolCallIndex = 0; for (const processedMessage of processedMessages) { - - if (typeof processedMessage == "string") { + if (typeof processedMessage == 'string') { nonToolMesssage = { role: message?.role, content: message?.role === 'user' ? processedMessage : processedMessage.trim() }; - if (message?.role === 'user' && (message.files?.filter((file) => file.type === 'image').length > 0 ?? false)) { + if ( + message?.role === 'user' && + (message.files?.filter((file) => file.type === 'image').length > 0 ?? false) + ) { nonToolMesssage = { ...nonToolMesssage, ...message.files @@ -1900,7 +1902,7 @@ url: file.url } })) - } + }; } messages.push(nonToolMesssage); From 00b61ee25cb4bd8ef430926609526eee13950832 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Fri, 28 Nov 2025 20:07:06 +0200 Subject: [PATCH 08/13] run parsed translations --- src/lib/i18n/locales/ar-BH/translation.json | 2 ++ src/lib/i18n/locales/ar/translation.json | 2 ++ src/lib/i18n/locales/bg-BG/translation.json | 2 ++ src/lib/i18n/locales/bn-BD/translation.json | 2 ++ src/lib/i18n/locales/bo-TB/translation.json | 2 ++ src/lib/i18n/locales/bs-BA/translation.json | 2 ++ src/lib/i18n/locales/ca-ES/translation.json | 2 ++ src/lib/i18n/locales/ceb-PH/translation.json | 2 ++ src/lib/i18n/locales/cs-CZ/translation.json | 2 ++ src/lib/i18n/locales/da-DK/translation.json | 2 ++ src/lib/i18n/locales/de-DE/translation.json | 2 ++ src/lib/i18n/locales/dg-DG/translation.json | 4 ++++ src/lib/i18n/locales/el-GR/translation.json | 2 ++ src/lib/i18n/locales/en-GB/translation.json | 2 ++ src/lib/i18n/locales/en-US/translation.json | 2 ++ src/lib/i18n/locales/es-ES/translation.json | 2 ++ src/lib/i18n/locales/et-EE/translation.json | 2 ++ src/lib/i18n/locales/eu-ES/translation.json | 2 ++ src/lib/i18n/locales/fa-IR/translation.json | 2 ++ src/lib/i18n/locales/fi-FI/translation.json | 2 ++ src/lib/i18n/locales/fr-CA/translation.json | 2 ++ src/lib/i18n/locales/fr-FR/translation.json | 2 ++ src/lib/i18n/locales/gl-ES/translation.json | 2 ++ src/lib/i18n/locales/he-IL/translation.json | 2 ++ src/lib/i18n/locales/hi-IN/translation.json | 2 ++ src/lib/i18n/locales/hr-HR/translation.json | 2 ++ src/lib/i18n/locales/hu-HU/translation.json | 2 ++ src/lib/i18n/locales/id-ID/translation.json | 2 ++ src/lib/i18n/locales/ie-GA/translation.json | 4 ++++ src/lib/i18n/locales/it-IT/translation.json | 2 ++ src/lib/i18n/locales/ja-JP/translation.json | 2 ++ src/lib/i18n/locales/ka-GE/translation.json | 2 ++ src/lib/i18n/locales/kab-DZ/translation.json | 2 ++ src/lib/i18n/locales/ko-KR/translation.json | 2 ++ src/lib/i18n/locales/lt-LT/translation.json | 2 ++ src/lib/i18n/locales/ms-MY/translation.json | 2 ++ src/lib/i18n/locales/nb-NO/translation.json | 2 ++ src/lib/i18n/locales/nl-NL/translation.json | 2 ++ src/lib/i18n/locales/pa-IN/translation.json | 2 ++ src/lib/i18n/locales/pl-PL/translation.json | 2 ++ src/lib/i18n/locales/pt-BR/translation.json | 2 ++ src/lib/i18n/locales/pt-PT/translation.json | 2 ++ src/lib/i18n/locales/ro-RO/translation.json | 2 ++ src/lib/i18n/locales/ru-RU/translation.json | 2 ++ src/lib/i18n/locales/sk-SK/translation.json | 2 ++ src/lib/i18n/locales/sr-RS/translation.json | 2 ++ src/lib/i18n/locales/sv-SE/translation.json | 2 ++ src/lib/i18n/locales/th-TH/translation.json | 2 ++ src/lib/i18n/locales/tk-TM/translation.json | 2 ++ src/lib/i18n/locales/tr-TR/translation.json | 2 ++ src/lib/i18n/locales/ug-CN/translation.json | 2 ++ src/lib/i18n/locales/uk-UA/translation.json | 2 ++ src/lib/i18n/locales/ur-PK/translation.json | 2 ++ src/lib/i18n/locales/uz-Cyrl-UZ/translation.json | 2 ++ src/lib/i18n/locales/uz-Latn-Uz/translation.json | 2 ++ src/lib/i18n/locales/vi-VN/translation.json | 2 ++ src/lib/i18n/locales/zh-CN/translation.json | 2 ++ src/lib/i18n/locales/zh-TW/translation.json | 2 ++ 58 files changed, 120 insertions(+) diff --git a/src/lib/i18n/locales/ar-BH/translation.json b/src/lib/i18n/locales/ar-BH/translation.json index b4dbd39bbe..bc54f07290 100644 --- a/src/lib/i18n/locales/ar-BH/translation.json +++ b/src/lib/i18n/locales/ar-BH/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "لا توجد نتائج", "No results found": "لا توجد نتايج", @@ -1219,6 +1220,7 @@ "Personalization": "التخصيص", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/ar/translation.json b/src/lib/i18n/locales/ar/translation.json index 10bdf2429a..271a54a327 100644 --- a/src/lib/i18n/locales/ar/translation.json +++ b/src/lib/i18n/locales/ar/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "لم يتم اختيار نماذج", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "لا توجد نتائج", "No results found": "لا توجد نتايج", @@ -1219,6 +1220,7 @@ "Personalization": "التخصيص", "Pin": "تثبيت", "Pinned": "مثبت", + "Pinned Messages": "", "Pioneer insights": "رؤى رائدة", "Pipe": "", "Pipeline deleted successfully": "تم حذف خط المعالجة بنجاح", diff --git a/src/lib/i18n/locales/bg-BG/translation.json b/src/lib/i18n/locales/bg-BG/translation.json index eda09eac9b..740b0884e5 100644 --- a/src/lib/i18n/locales/bg-BG/translation.json +++ b/src/lib/i18n/locales/bg-BG/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Няма избрани модели", "No Notes": "Няма бележки", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Няма намерени резултати", "No results found": "Няма намерени резултати", @@ -1219,6 +1220,7 @@ "Personalization": "Персонализация", "Pin": "Закачи", "Pinned": "Закачено", + "Pinned Messages": "", "Pioneer insights": "Пионерски прозрения", "Pipe": "", "Pipeline deleted successfully": "Пайплайнът е изтрит успешно", diff --git a/src/lib/i18n/locales/bn-BD/translation.json b/src/lib/i18n/locales/bn-BD/translation.json index c7b565b365..a1057bcd82 100644 --- a/src/lib/i18n/locales/bn-BD/translation.json +++ b/src/lib/i18n/locales/bn-BD/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "কোন ফলাফল পাওয়া যায়নি", "No results found": "কোন ফলাফল পাওয়া যায়নি", @@ -1219,6 +1220,7 @@ "Personalization": "ডিজিটাল বাংলা", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/bo-TB/translation.json b/src/lib/i18n/locales/bo-TB/translation.json index 68922abb3d..ff0485145d 100644 --- a/src/lib/i18n/locales/bo-TB/translation.json +++ b/src/lib/i18n/locales/bo-TB/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "དཔེ་དབྱིབས་གདམ་ག་མ་བྱས།", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "འབྲས་བུ་མ་རྙེད།", "No results found": "འབྲས་བུ་མ་རྙེད།", @@ -1219,6 +1220,7 @@ "Personalization": "སྒེར་སྤྱོད་ཅན།", "Pin": "གདབ་པ།", "Pinned": "གདབ་ཟིན།", + "Pinned Messages": "", "Pioneer insights": "སྔོན་དཔག་རིག་ནུས།", "Pipe": "", "Pipeline deleted successfully": "རྒྱུ་ལམ་ལེགས་པར་བསུབས་ཟིན།", diff --git a/src/lib/i18n/locales/bs-BA/translation.json b/src/lib/i18n/locales/bs-BA/translation.json index fc467ca52b..e4376a519b 100644 --- a/src/lib/i18n/locales/bs-BA/translation.json +++ b/src/lib/i18n/locales/bs-BA/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Nema rezultata", "No results found": "Nema rezultata", @@ -1219,6 +1220,7 @@ "Personalization": "Prilagodba", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/ca-ES/translation.json b/src/lib/i18n/locales/ca-ES/translation.json index 93c63563ba..ee897efb5d 100644 --- a/src/lib/i18n/locales/ca-ES/translation.json +++ b/src/lib/i18n/locales/ca-ES/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "No s'ha seleccionat cap model", "No Notes": "No hi ha notes", "No notes found": "No s'han trobat notes", + "No pinned messages": "", "No prompts found": "No s'han trobat indicacions", "No results": "No s'han trobat resultats", "No results found": "No s'han trobat resultats", @@ -1219,6 +1220,7 @@ "Personalization": "Personalització", "Pin": "Fixar", "Pinned": "Fixat", + "Pinned Messages": "", "Pioneer insights": "Perspectives pioneres", "Pipe": "Canonada", "Pipeline deleted successfully": "Pipeline eliminada correctament", diff --git a/src/lib/i18n/locales/ceb-PH/translation.json b/src/lib/i18n/locales/ceb-PH/translation.json index 2f47887468..3c38a63729 100644 --- a/src/lib/i18n/locales/ceb-PH/translation.json +++ b/src/lib/i18n/locales/ceb-PH/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Walay resulta", "No results found": "", @@ -1219,6 +1220,7 @@ "Personalization": "", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/cs-CZ/translation.json b/src/lib/i18n/locales/cs-CZ/translation.json index 1f9a224677..d061281742 100644 --- a/src/lib/i18n/locales/cs-CZ/translation.json +++ b/src/lib/i18n/locales/cs-CZ/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Nebyly vybrány žádné modely", "No Notes": "Žádné poznámky", "No notes found": "Nebyly nalezeny žádné poznámky", + "No pinned messages": "", "No prompts found": "Nebyly nalezeny žádné instrukce", "No results": "Nebyly nalezeny žádné výsledky", "No results found": "Nebyly nalezeny žádné výsledky", @@ -1219,6 +1220,7 @@ "Personalization": "Personalizace", "Pin": "Připnout", "Pinned": "Připnuto", + "Pinned Messages": "", "Pioneer insights": "Objevujte nové poznatky", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline byla úspěšně smazána", diff --git a/src/lib/i18n/locales/da-DK/translation.json b/src/lib/i18n/locales/da-DK/translation.json index 8365fce22f..db216ddca6 100644 --- a/src/lib/i18n/locales/da-DK/translation.json +++ b/src/lib/i18n/locales/da-DK/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Ingen modeller valgt", "No Notes": "Ingen noter", "No notes found": "Ingen noter fundet", + "No pinned messages": "", "No prompts found": "Ingen prompts fundet", "No results": "Ingen resultater fundet", "No results found": "Ingen resultater fundet", @@ -1219,6 +1220,7 @@ "Personalization": "Personalisering", "Pin": "Fastgør", "Pinned": "Fastgjort", + "Pinned Messages": "", "Pioneer insights": "Banebrydende indsigter", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline slettet.", diff --git a/src/lib/i18n/locales/de-DE/translation.json b/src/lib/i18n/locales/de-DE/translation.json index 5ee899cbda..d038fa3193 100644 --- a/src/lib/i18n/locales/de-DE/translation.json +++ b/src/lib/i18n/locales/de-DE/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Keine Modelle ausgewählt", "No Notes": "Keine Notizen", "No notes found": "Keine Notizen gefunden", + "No pinned messages": "", "No prompts found": "Keine Prompts gefunden", "No results": "Keine Ergebnisse gefunden", "No results found": "Keine Ergebnisse gefunden", @@ -1219,6 +1220,7 @@ "Personalization": "Personalisierung", "Pin": "Anheften", "Pinned": "Angeheftet", + "Pinned Messages": "", "Pioneer insights": "Bahnbrechende Erkenntnisse", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline erfolgreich gelöscht", diff --git a/src/lib/i18n/locales/dg-DG/translation.json b/src/lib/i18n/locales/dg-DG/translation.json index 43728e9e1f..f17318dbb5 100644 --- a/src/lib/i18n/locales/dg-DG/translation.json +++ b/src/lib/i18n/locales/dg-DG/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "No results, very empty", "No results found": "", @@ -1219,6 +1220,7 @@ "Personalization": "Personalization", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", @@ -1343,6 +1345,8 @@ "Retrieval Query Generation": "", "Retrieved {{count}} sources": "", "Retrieved {{count}} sources_one": "", + "Retrieved {{count}} sources_few": "", + "Retrieved {{count}} sources_many": "", "Retrieved {{count}} sources_other": "", "Retrieved 1 source": "", "Rich Text Input for Chat": "", diff --git a/src/lib/i18n/locales/el-GR/translation.json b/src/lib/i18n/locales/el-GR/translation.json index ef846bc02d..de56080f3b 100644 --- a/src/lib/i18n/locales/el-GR/translation.json +++ b/src/lib/i18n/locales/el-GR/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Δεν έχουν επιλεγεί μοντέλα", "No Notes": "", "No notes found": "Δεν βρέθηκαν σημειώσεις", + "No pinned messages": "", "No prompts found": "Δεν βρέθηκαν προτροπές", "No results": "Δεν βρέθηκαν αποτελέσματα", "No results found": "Δεν βρέθηκαν αποτελέσματα", @@ -1219,6 +1220,7 @@ "Personalization": "Προσωποποίηση", "Pin": "Καρφίτσωμα", "Pinned": "Καρφιτσωμένο", + "Pinned Messages": "", "Pioneer insights": "Συμβουλές πρωτοπόρων", "Pipe": "", "Pipeline deleted successfully": "Η συνάρτηση διαγράφηκε με επιτυχία", diff --git a/src/lib/i18n/locales/en-GB/translation.json b/src/lib/i18n/locales/en-GB/translation.json index fce3dba22e..837b00a13d 100644 --- a/src/lib/i18n/locales/en-GB/translation.json +++ b/src/lib/i18n/locales/en-GB/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "", "No results found": "", @@ -1219,6 +1220,7 @@ "Personalization": "Personalisation", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/en-US/translation.json b/src/lib/i18n/locales/en-US/translation.json index 59f9ef3a21..9e8a1e8e53 100644 --- a/src/lib/i18n/locales/en-US/translation.json +++ b/src/lib/i18n/locales/en-US/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "", "No results found": "", @@ -1219,6 +1220,7 @@ "Personalization": "", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/es-ES/translation.json b/src/lib/i18n/locales/es-ES/translation.json index 757dddd94d..ee1d976a95 100644 --- a/src/lib/i18n/locales/es-ES/translation.json +++ b/src/lib/i18n/locales/es-ES/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "No se seleccionaron modelos", "No Notes": "Sin Notas", "No notes found": "No se encontraron notas", + "No pinned messages": "", "No prompts found": "No se encontraron indicadores", "No results": "No se encontraron resultados", "No results found": "No se encontraron resultados", @@ -1219,6 +1220,7 @@ "Personalization": "Personalización", "Pin": "Fijar", "Pinned": "Fijado", + "Pinned Messages": "", "Pioneer insights": "Descubrir nuevas perspectivas", "Pipe": "Tubo", "Pipeline deleted successfully": "Tubería borrada correctamente", diff --git a/src/lib/i18n/locales/et-EE/translation.json b/src/lib/i18n/locales/et-EE/translation.json index 9c6406bece..f05715bccb 100644 --- a/src/lib/i18n/locales/et-EE/translation.json +++ b/src/lib/i18n/locales/et-EE/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Mudeleid pole valitud", "No Notes": "No Märkmed", "No notes found": "No märkmed found", + "No pinned messages": "", "No prompts found": "No prompts found", "No results": "Tulemusi ei leitud", "No results found": "Tulemusi ei leitud", @@ -1219,6 +1220,7 @@ "Personalization": "Isikupärastamine", "Pin": "Kinnita", "Pinned": "Kinnitatud", + "Pinned Messages": "", "Pioneer insights": "Pioneeri arusaamad", "Pipe": "Pipe", "Pipeline deleted successfully": "Torustik edukalt kustutatud", diff --git a/src/lib/i18n/locales/eu-ES/translation.json b/src/lib/i18n/locales/eu-ES/translation.json index e0d42a61b0..93fa267202 100644 --- a/src/lib/i18n/locales/eu-ES/translation.json +++ b/src/lib/i18n/locales/eu-ES/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Ez da modelorik hautatu", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Ez da emaitzarik aurkitu", "No results found": "Ez da emaitzarik aurkitu", @@ -1219,6 +1220,7 @@ "Personalization": "Pertsonalizazioa", "Pin": "Ainguratu", "Pinned": "Ainguratuta", + "Pinned Messages": "", "Pioneer insights": "Ikuspegi aitzindariak", "Pipe": "", "Pipeline deleted successfully": "Pipeline-a ongi ezabatu da", diff --git a/src/lib/i18n/locales/fa-IR/translation.json b/src/lib/i18n/locales/fa-IR/translation.json index 0852d5a6ef..0134fda521 100644 --- a/src/lib/i18n/locales/fa-IR/translation.json +++ b/src/lib/i18n/locales/fa-IR/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "مدلی انتخاب نشده است", "No Notes": "هیچ یادداشتی وجود ندارد", "No notes found": "هیچ یادداشتی یافت نشد", + "No pinned messages": "", "No prompts found": "هیچ پرامپتی یافت نشد", "No results": "نتیجه\u200cای یافت نشد", "No results found": "نتیجه\u200cای یافت نشد", @@ -1219,6 +1220,7 @@ "Personalization": "شخصی سازی", "Pin": "پین کردن", "Pinned": "پین شده", + "Pinned Messages": "", "Pioneer insights": "بینش\u200cهای پیشگام", "Pipe": "خط لوله", "Pipeline deleted successfully": "خط لوله با موفقیت حذف شد", diff --git a/src/lib/i18n/locales/fi-FI/translation.json b/src/lib/i18n/locales/fi-FI/translation.json index 4410d4f085..1cf41620e3 100644 --- a/src/lib/i18n/locales/fi-FI/translation.json +++ b/src/lib/i18n/locales/fi-FI/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Malleja ei ole valittu", "No Notes": "Ei muistiinpanoja", "No notes found": "Muistiinpanoja ei löytynyt", + "No pinned messages": "", "No prompts found": "Kehoitteita ei löytynyt", "No results": "Ei tuloksia", "No results found": "Ei tuloksia", @@ -1219,6 +1220,7 @@ "Personalization": "Personointi", "Pin": "Kiinnitä", "Pinned": "Kiinnitetty", + "Pinned Messages": "", "Pioneer insights": "Pioneerin oivalluksia", "Pipe": "Putki", "Pipeline deleted successfully": "Putki poistettu onnistuneesti", diff --git a/src/lib/i18n/locales/fr-CA/translation.json b/src/lib/i18n/locales/fr-CA/translation.json index 71b5f13e70..9c8c35bb9b 100644 --- a/src/lib/i18n/locales/fr-CA/translation.json +++ b/src/lib/i18n/locales/fr-CA/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Aucun modèle sélectionné", "No Notes": "Pas de note", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Aucun résultat trouvé", "No results found": "Aucun résultat trouvé", @@ -1219,6 +1220,7 @@ "Personalization": "Personnalisation", "Pin": "Épingler", "Pinned": "Épinglé", + "Pinned Messages": "", "Pioneer insights": "Explorer de nouvelles perspectives", "Pipe": "Pipeline", "Pipeline deleted successfully": "Le pipeline a été supprimé avec succès", diff --git a/src/lib/i18n/locales/fr-FR/translation.json b/src/lib/i18n/locales/fr-FR/translation.json index 3f1a807de6..89d08043af 100644 --- a/src/lib/i18n/locales/fr-FR/translation.json +++ b/src/lib/i18n/locales/fr-FR/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Aucun modèle sélectionné", "No Notes": "Pas de note", "No notes found": "Aucune note trouvée", + "No pinned messages": "", "No prompts found": "", "No results": "Aucun résultat trouvé", "No results found": "Aucun résultat trouvé", @@ -1219,6 +1220,7 @@ "Personalization": "Personnalisation", "Pin": "Épingler", "Pinned": "Épinglé", + "Pinned Messages": "", "Pioneer insights": "Explorer de nouvelles perspectives", "Pipe": "Pipeline", "Pipeline deleted successfully": "Le pipeline a été supprimé avec succès", diff --git a/src/lib/i18n/locales/gl-ES/translation.json b/src/lib/i18n/locales/gl-ES/translation.json index e02dade916..389ebcd120 100644 --- a/src/lib/i18n/locales/gl-ES/translation.json +++ b/src/lib/i18n/locales/gl-ES/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "No se seleccionaron modelos", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "No se han encontrado resultados", "No results found": "No se han encontrado resultados", @@ -1219,6 +1220,7 @@ "Personalization": "Personalización", "Pin": "Fijar", "Pinned": "Fijado", + "Pinned Messages": "", "Pioneer insights": "Descubrir novas perspectivas", "Pipe": "", "Pipeline deleted successfully": "Pipeline borrada exitosamente", diff --git a/src/lib/i18n/locales/he-IL/translation.json b/src/lib/i18n/locales/he-IL/translation.json index 4a0a8c8292..bac52cf336 100644 --- a/src/lib/i18n/locales/he-IL/translation.json +++ b/src/lib/i18n/locales/he-IL/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "לא נמצאו תוצאות", "No results found": "לא נמצאו תוצאות", @@ -1219,6 +1220,7 @@ "Personalization": "תאור", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/hi-IN/translation.json b/src/lib/i18n/locales/hi-IN/translation.json index 6728172bae..23bcb203a9 100644 --- a/src/lib/i18n/locales/hi-IN/translation.json +++ b/src/lib/i18n/locales/hi-IN/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "कोई परिणाम नहीं मिला", "No results found": "कोई परिणाम नहीं मिला", @@ -1219,6 +1220,7 @@ "Personalization": "पेरसनलाइज़मेंट", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/hr-HR/translation.json b/src/lib/i18n/locales/hr-HR/translation.json index 59f27f8a0c..d3e8258e23 100644 --- a/src/lib/i18n/locales/hr-HR/translation.json +++ b/src/lib/i18n/locales/hr-HR/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Nema rezultata", "No results found": "Nema rezultata", @@ -1219,6 +1220,7 @@ "Personalization": "Prilagodba", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/hu-HU/translation.json b/src/lib/i18n/locales/hu-HU/translation.json index affa5cae4c..4803bea601 100644 --- a/src/lib/i18n/locales/hu-HU/translation.json +++ b/src/lib/i18n/locales/hu-HU/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Nincs kiválasztott modell", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Nincs találat", "No results found": "Nincs találat", @@ -1219,6 +1220,7 @@ "Personalization": "Személyre szabás", "Pin": "Rögzítés", "Pinned": "Rögzítve", + "Pinned Messages": "", "Pioneer insights": "Úttörő betekintések", "Pipe": "", "Pipeline deleted successfully": "Folyamat sikeresen törölve", diff --git a/src/lib/i18n/locales/id-ID/translation.json b/src/lib/i18n/locales/id-ID/translation.json index 39cc75d5dc..9470800202 100644 --- a/src/lib/i18n/locales/id-ID/translation.json +++ b/src/lib/i18n/locales/id-ID/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Tidak ada hasil yang ditemukan", "No results found": "Tidak ada hasil yang ditemukan", @@ -1219,6 +1220,7 @@ "Personalization": "Personalisasi", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Pipeline berhasil dihapus", diff --git a/src/lib/i18n/locales/ie-GA/translation.json b/src/lib/i18n/locales/ie-GA/translation.json index 8aff98baf6..4b7a4e8baa 100644 --- a/src/lib/i18n/locales/ie-GA/translation.json +++ b/src/lib/i18n/locales/ie-GA/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Uimh samhlacha roghnaithe", "No Notes": "Gan Nótaí", "No notes found": "Níor aimsíodh aon nótaí", + "No pinned messages": "", "No prompts found": "Níor aimsíodh aon leideanna", "No results": "Níl aon torthaí le fáil", "No results found": "Níl aon torthaí le fáil", @@ -1219,6 +1220,7 @@ "Personalization": "Pearsantú", "Pin": "Bioráin", "Pinned": "Pinneáilte", + "Pinned Messages": "", "Pioneer insights": "Léargais ceannródaí", "Pipe": "Píopa", "Pipeline deleted successfully": "Scriosta píblíne go rathúil", @@ -1343,6 +1345,8 @@ "Retrieval Query Generation": "Aisghabháil Giniúint Ceist", "Retrieved {{count}} sources": "Aisghafa {{count}} foinsí", "Retrieved {{count}} sources_one": "Aisghafa {{count}} foinsí_aon", + "Retrieved {{count}} sources_few": "", + "Retrieved {{count}} sources_many": "", "Retrieved {{count}} sources_other": "Aisghafa {{count}} foinsí_eile", "Retrieved 1 source": "Aisghafa 1 fhoinse", "Rich Text Input for Chat": "Ionchur Saibhir Téacs don Chomhrá", diff --git a/src/lib/i18n/locales/it-IT/translation.json b/src/lib/i18n/locales/it-IT/translation.json index 80eb6f380f..44e5e33e85 100644 --- a/src/lib/i18n/locales/it-IT/translation.json +++ b/src/lib/i18n/locales/it-IT/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Nessun modello selezionato", "No Notes": "Nessuna nota", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Nessun risultato trovato", "No results found": "Nessun risultato trovato", @@ -1219,6 +1220,7 @@ "Personalization": "Personalizzazione", "Pin": "Appunta", "Pinned": "Appuntato", + "Pinned Messages": "", "Pioneer insights": "Scopri nuove intuizioni", "Pipe": "", "Pipeline deleted successfully": "Pipeline rimossa con successo", diff --git a/src/lib/i18n/locales/ja-JP/translation.json b/src/lib/i18n/locales/ja-JP/translation.json index faa5f40c0b..a5f11ef2e4 100644 --- a/src/lib/i18n/locales/ja-JP/translation.json +++ b/src/lib/i18n/locales/ja-JP/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "モデルが選択されていません", "No Notes": "ノートがありません", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "結果が見つかりません", "No results found": "結果が見つかりません", @@ -1219,6 +1220,7 @@ "Personalization": "パーソナライズ", "Pin": "ピン留め", "Pinned": "ピン留めされています", + "Pinned Messages": "", "Pioneer insights": "洞察を切り開く", "Pipe": "パイプ", "Pipeline deleted successfully": "パイプラインが正常に削除されました", diff --git a/src/lib/i18n/locales/ka-GE/translation.json b/src/lib/i18n/locales/ka-GE/translation.json index 11998cfa16..8222b8fa98 100644 --- a/src/lib/i18n/locales/ka-GE/translation.json +++ b/src/lib/i18n/locales/ka-GE/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "მოდელები არჩეული არაა", "No Notes": "შენიშვნების გარეშე", "No notes found": "სანიშნების გარეშე", + "No pinned messages": "", "No prompts found": "შეყვანები აღმოჩენილი არაა", "No results": "შედეგების გარეშე", "No results found": "შედეგების გარეშე", @@ -1219,6 +1220,7 @@ "Personalization": "პერსონალიზაცია", "Pin": "მიმაგრება", "Pinned": "მიმაგრებულია", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "ფაიფი", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/kab-DZ/translation.json b/src/lib/i18n/locales/kab-DZ/translation.json index 388a5fd309..be64cec7de 100644 --- a/src/lib/i18n/locales/kab-DZ/translation.json +++ b/src/lib/i18n/locales/kab-DZ/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Ulac timudmin yettwafernen", "No Notes": "Ulac tizmilin", "No notes found": "Ulac tizmilin yettwafen", + "No pinned messages": "", "No prompts found": "", "No results": "Ulac igmaḍ yettwafen", "No results found": "Ulac igmaḍ yettwafen", @@ -1219,6 +1220,7 @@ "Personalization": "Asagen", "Pin": "Senteḍ", "Pinned": "Yettwasenteḍ", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "Aselda", "Pipeline deleted successfully": "Aselda yettwakkes akken iwata", diff --git a/src/lib/i18n/locales/ko-KR/translation.json b/src/lib/i18n/locales/ko-KR/translation.json index 39a3eefd92..5eb6357707 100644 --- a/src/lib/i18n/locales/ko-KR/translation.json +++ b/src/lib/i18n/locales/ko-KR/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "모델이 선택되지 않았습니다", "No Notes": "노트가 없습니다", "No notes found": "노트를 찾을 수 없습니다", + "No pinned messages": "", "No prompts found": "프롬프트를 찾을 수 없습니다", "No results": "결과가 없습니다", "No results found": "결과를 찾을 수 없습니다", @@ -1219,6 +1220,7 @@ "Personalization": "개인화", "Pin": "고정", "Pinned": "고정됨", + "Pinned Messages": "", "Pioneer insights": "혁신적인 발견", "Pipe": "파이프", "Pipeline deleted successfully": "성공적으로 파이프라인이 삭제되었습니다.", diff --git a/src/lib/i18n/locales/lt-LT/translation.json b/src/lib/i18n/locales/lt-LT/translation.json index 1368789cc3..30aa24ac01 100644 --- a/src/lib/i18n/locales/lt-LT/translation.json +++ b/src/lib/i18n/locales/lt-LT/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Rezultatų nerasta", "No results found": "Rezultatų nerasta", @@ -1219,6 +1220,7 @@ "Personalization": "Personalizacija", "Pin": "Smeigtukas", "Pinned": "Įsmeigta", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Procesas ištrintas sėkmingai", diff --git a/src/lib/i18n/locales/ms-MY/translation.json b/src/lib/i18n/locales/ms-MY/translation.json index a63fc5c0c8..8be1d826bc 100644 --- a/src/lib/i18n/locales/ms-MY/translation.json +++ b/src/lib/i18n/locales/ms-MY/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Tiada keputusan dijumpai", "No results found": "Tiada keputusan dijumpai", @@ -1219,6 +1220,7 @@ "Personalization": "Personalisasi", "Pin": "Pin", "Pinned": "Disemat", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "'Pipeline' berjaya dipadam", diff --git a/src/lib/i18n/locales/nb-NO/translation.json b/src/lib/i18n/locales/nb-NO/translation.json index b47cb5fcf1..a8b6b574fc 100644 --- a/src/lib/i18n/locales/nb-NO/translation.json +++ b/src/lib/i18n/locales/nb-NO/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Ingen modeller er valgt", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Finner ingen resultater", "No results found": "Finner ingen resultater", @@ -1219,6 +1220,7 @@ "Personalization": "Tilpassing", "Pin": "Fest", "Pinned": "Festet", + "Pinned Messages": "", "Pioneer insights": "Nyskapende innsikt", "Pipe": "", "Pipeline deleted successfully": "Pipeline slettet", diff --git a/src/lib/i18n/locales/nl-NL/translation.json b/src/lib/i18n/locales/nl-NL/translation.json index 2999a0f1c8..410bf7c32e 100644 --- a/src/lib/i18n/locales/nl-NL/translation.json +++ b/src/lib/i18n/locales/nl-NL/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Geen modellen geselecteerd", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Geen resultaten gevonden", "No results found": "Geen resultaten gevonden", @@ -1219,6 +1220,7 @@ "Personalization": "Personalisatie", "Pin": "Zet vast", "Pinned": "Vastgezet", + "Pinned Messages": "", "Pioneer insights": "Verken inzichten", "Pipe": "", "Pipeline deleted successfully": "Pijpleiding succesvol verwijderd", diff --git a/src/lib/i18n/locales/pa-IN/translation.json b/src/lib/i18n/locales/pa-IN/translation.json index 9b0692c670..56d8d95a7c 100644 --- a/src/lib/i18n/locales/pa-IN/translation.json +++ b/src/lib/i18n/locales/pa-IN/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "ਕੋਈ ਨਤੀਜੇ ਨਹੀਂ ਮਿਲੇ", "No results found": "ਕੋਈ ਨਤੀਜੇ ਨਹੀਂ ਮਿਲੇ", @@ -1219,6 +1220,7 @@ "Personalization": "ਪਰਸੋਨਲਿਸ਼ਮ", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/pl-PL/translation.json b/src/lib/i18n/locales/pl-PL/translation.json index 3b9d2d727a..c1c2c42744 100644 --- a/src/lib/i18n/locales/pl-PL/translation.json +++ b/src/lib/i18n/locales/pl-PL/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Brak wybranych modeli", "No Notes": "Brak notatek", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Brak wyników", "No results found": "Brak wyników", @@ -1219,6 +1220,7 @@ "Personalization": "Personalizacja", "Pin": "Przypnij", "Pinned": "Przypięty", + "Pinned Messages": "", "Pioneer insights": "Pionierskie spostrzeżenia", "Pipe": "", "Pipeline deleted successfully": "Przepływ usunięty pomyślnie", diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json index 38364d279f..d7a9bcdf2a 100644 --- a/src/lib/i18n/locales/pt-BR/translation.json +++ b/src/lib/i18n/locales/pt-BR/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Nenhum modelo selecionado", "No Notes": "Sem Notas", "No notes found": "Notas não encontradas", + "No pinned messages": "", "No prompts found": "Nenhum prompt encontrado", "No results": "Nenhum resultado encontrado", "No results found": "Nenhum resultado encontrado", @@ -1219,6 +1220,7 @@ "Personalization": "Personalização", "Pin": "Fixar", "Pinned": "Fixado", + "Pinned Messages": "", "Pioneer insights": "Insights pioneiros", "Pipe": "", "Pipeline deleted successfully": "Pipeline excluído com sucesso", diff --git a/src/lib/i18n/locales/pt-PT/translation.json b/src/lib/i18n/locales/pt-PT/translation.json index 529bee0d7e..32f5893e30 100644 --- a/src/lib/i18n/locales/pt-PT/translation.json +++ b/src/lib/i18n/locales/pt-PT/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Não foram encontrados resultados", "No results found": "Não foram encontrados resultados", @@ -1219,6 +1220,7 @@ "Personalization": "Personalização", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/ro-RO/translation.json b/src/lib/i18n/locales/ro-RO/translation.json index 57d2472196..86510eefc6 100644 --- a/src/lib/i18n/locales/ro-RO/translation.json +++ b/src/lib/i18n/locales/ro-RO/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Nu au fost găsite rezultate", "No results found": "Nu au fost găsite rezultate", @@ -1219,6 +1220,7 @@ "Personalization": "Personalizare", "Pin": "Fixează", "Pinned": "Fixat", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Conducta a fost ștearsă cu succes", diff --git a/src/lib/i18n/locales/ru-RU/translation.json b/src/lib/i18n/locales/ru-RU/translation.json index 6371cb6fbb..d5f5bcf30e 100644 --- a/src/lib/i18n/locales/ru-RU/translation.json +++ b/src/lib/i18n/locales/ru-RU/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Модели не выбраны", "No Notes": "Нет заметок", "No notes found": "Заметки не найдены", + "No pinned messages": "", "No prompts found": "", "No results": "Результатов не найдено", "No results found": "Результатов не найдено", @@ -1219,6 +1220,7 @@ "Personalization": "Персонализация", "Pin": "Закрепить", "Pinned": "Закреплено", + "Pinned Messages": "", "Pioneer insights": "Новаторские идеи", "Pipe": "Канал", "Pipeline deleted successfully": "Конвейер успешно удален", diff --git a/src/lib/i18n/locales/sk-SK/translation.json b/src/lib/i18n/locales/sk-SK/translation.json index 67c915499a..ad1b53645c 100644 --- a/src/lib/i18n/locales/sk-SK/translation.json +++ b/src/lib/i18n/locales/sk-SK/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Neboli nájdené žiadne výsledky", "No results found": "Neboli nájdené žiadne výsledky", @@ -1219,6 +1220,7 @@ "Personalization": "Personalizácia", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Pipeline bola úspešne odstránená", diff --git a/src/lib/i18n/locales/sr-RS/translation.json b/src/lib/i18n/locales/sr-RS/translation.json index d5094bf5e3..da8f2bcc00 100644 --- a/src/lib/i18n/locales/sr-RS/translation.json +++ b/src/lib/i18n/locales/sr-RS/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Нема резултата", "No results found": "Нема резултата", @@ -1219,6 +1220,7 @@ "Personalization": "Прилагођавање", "Pin": "Закачи", "Pinned": "Закачено", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Цевовод успешно обрисан", diff --git a/src/lib/i18n/locales/sv-SE/translation.json b/src/lib/i18n/locales/sv-SE/translation.json index 39a764cf59..22af99843b 100644 --- a/src/lib/i18n/locales/sv-SE/translation.json +++ b/src/lib/i18n/locales/sv-SE/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Inga modeller valda", "No Notes": "Inga anteckningar", "No notes found": "Inga anteckningar hittades", + "No pinned messages": "", "No prompts found": "Inga promptar hittades", "No results": "Inga resultat hittades", "No results found": "Inga resultat hittades", @@ -1219,6 +1220,7 @@ "Personalization": "Personalisering", "Pin": "Fäst", "Pinned": "Fäst", + "Pinned Messages": "", "Pioneer insights": "Pionjärinsikter", "Pipe": "", "Pipeline deleted successfully": "Rörledningen har tagits bort", diff --git a/src/lib/i18n/locales/th-TH/translation.json b/src/lib/i18n/locales/th-TH/translation.json index 008cca31f3..b1a78c94a7 100644 --- a/src/lib/i18n/locales/th-TH/translation.json +++ b/src/lib/i18n/locales/th-TH/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "ไม่ได้เลือกโมเดล", "No Notes": "ไม่มีบันทึก", "No notes found": "ไม่พบบันทึก", + "No pinned messages": "", "No prompts found": "ไม่พบพรอมต์", "No results": "ไม่มีผลลัพธ์", "No results found": "ไม่มีผลลัพธ์", @@ -1219,6 +1220,7 @@ "Personalization": "การปรับแต่ง", "Pin": "ปักหมุด", "Pinned": "ปักหมุดแล้ว", + "Pinned Messages": "", "Pioneer insights": "ข้อมูลเชิงลึกผู้บุกเบิก", "Pipe": "ท่อ", "Pipeline deleted successfully": "ลบ Pipeline สำเร็จแล้ว", diff --git a/src/lib/i18n/locales/tk-TM/translation.json b/src/lib/i18n/locales/tk-TM/translation.json index 5529cbc87b..f22a77ea10 100644 --- a/src/lib/i18n/locales/tk-TM/translation.json +++ b/src/lib/i18n/locales/tk-TM/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Netije ýok", "No results found": "", @@ -1219,6 +1220,7 @@ "Personalization": "", "Pin": "", "Pinned": "", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/tr-TR/translation.json b/src/lib/i18n/locales/tr-TR/translation.json index 4794ca483e..e3fdc81605 100644 --- a/src/lib/i18n/locales/tr-TR/translation.json +++ b/src/lib/i18n/locales/tr-TR/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Model seçilmedi", "No Notes": "Not Yok", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Sonuç bulunamadı", "No results found": "Sonuç bulunamadı", @@ -1219,6 +1220,7 @@ "Personalization": "Kişiselleştirme", "Pin": "Sabitle", "Pinned": "Sabitlenmiş", + "Pinned Messages": "", "Pioneer insights": "Öncü içgörüler", "Pipe": "", "Pipeline deleted successfully": "Pipeline başarıyla silindi", diff --git a/src/lib/i18n/locales/ug-CN/translation.json b/src/lib/i18n/locales/ug-CN/translation.json index 87d234dc15..bfd607217a 100644 --- a/src/lib/i18n/locales/ug-CN/translation.json +++ b/src/lib/i18n/locales/ug-CN/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "مودېل تاللانمىدى", "No Notes": "خاتىرە يوق", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "نەتىجە تېپىلمىدى", "No results found": "نەتىجە تېپىلمىدى", @@ -1219,6 +1220,7 @@ "Personalization": "شەخسىيلاشتۇرۇش", "Pin": "مۇقىملا", "Pinned": "مۇقىملاندى", + "Pinned Messages": "", "Pioneer insights": "ئالدىنقى پىكىرلەر", "Pipe": "", "Pipeline deleted successfully": "جەريان مۇۋەپپەقىيەتلىك ئۆچۈرۈلدى", diff --git a/src/lib/i18n/locales/uk-UA/translation.json b/src/lib/i18n/locales/uk-UA/translation.json index bcabb8cc39..2e324c0615 100644 --- a/src/lib/i18n/locales/uk-UA/translation.json +++ b/src/lib/i18n/locales/uk-UA/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Моделі не вибрано", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Не знайдено жодного результату", "No results found": "Не знайдено жодного результату", @@ -1219,6 +1220,7 @@ "Personalization": "Персоналізація", "Pin": "Зачепити", "Pinned": "Зачеплено", + "Pinned Messages": "", "Pioneer insights": "Прокладайте нові шляхи до знань", "Pipe": "", "Pipeline deleted successfully": "Конвеєр успішно видалено", diff --git a/src/lib/i18n/locales/ur-PK/translation.json b/src/lib/i18n/locales/ur-PK/translation.json index 5e932f24b1..b3e1ff50e1 100644 --- a/src/lib/i18n/locales/ur-PK/translation.json +++ b/src/lib/i18n/locales/ur-PK/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "کوئی نتائج نہیں ملے", "No results found": "کوئی نتائج نہیں ملے", @@ -1219,6 +1220,7 @@ "Personalization": "شخصی ترتیبات", "Pin": "پن", "Pinned": "پن کیا گیا", + "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "پائپ لائن کامیابی سے حذف کر دی گئی", diff --git a/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json b/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json index 63dbb483f5..cbe19e4877 100644 --- a/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json +++ b/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Ҳеч қандай модел танланмаган", "No Notes": "Қайдлар йўқ", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Ҳеч қандай натижа топилмади", "No results found": "Ҳеч қандай натижа топилмади", @@ -1219,6 +1220,7 @@ "Personalization": "Шахсийлаштириш", "Pin": "Пин", "Pinned": "Қадалган", + "Pinned Messages": "", "Pioneer insights": "Пионер тушунчалари", "Pipe": "", "Pipeline deleted successfully": "Қувур ўчирилди", diff --git a/src/lib/i18n/locales/uz-Latn-Uz/translation.json b/src/lib/i18n/locales/uz-Latn-Uz/translation.json index 22c9eaa000..41ba581854 100644 --- a/src/lib/i18n/locales/uz-Latn-Uz/translation.json +++ b/src/lib/i18n/locales/uz-Latn-Uz/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Hech qanday model tanlanmagan", "No Notes": "Qaydlar yo'q", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Hech qanday natija topilmadi", "No results found": "Hech qanday natija topilmadi", @@ -1219,6 +1220,7 @@ "Personalization": "Shaxsiylashtirish", "Pin": "Pin", "Pinned": "Qadalgan", + "Pinned Messages": "", "Pioneer insights": "Pioner tushunchalari", "Pipe": "", "Pipeline deleted successfully": "Quvur oʻchirildi", diff --git a/src/lib/i18n/locales/vi-VN/translation.json b/src/lib/i18n/locales/vi-VN/translation.json index b7949029f3..a2187c6f8c 100644 --- a/src/lib/i18n/locales/vi-VN/translation.json +++ b/src/lib/i18n/locales/vi-VN/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "Chưa chọn mô hình nào", "No Notes": "", "No notes found": "", + "No pinned messages": "", "No prompts found": "", "No results": "Không tìm thấy kết quả", "No results found": "Không tìm thấy kết quả", @@ -1219,6 +1220,7 @@ "Personalization": "Cá nhân hóa", "Pin": "Ghim", "Pinned": "Đã ghim", + "Pinned Messages": "", "Pioneer insights": "Tiên phong về hiểu biết", "Pipe": "", "Pipeline deleted successfully": "Đã xóa pipeline thành công", diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json index b02fa89c20..24d3cb1e2e 100644 --- a/src/lib/i18n/locales/zh-CN/translation.json +++ b/src/lib/i18n/locales/zh-CN/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "未选择任何模型", "No Notes": "没有笔记", "No notes found": "没有任何笔记", + "No pinned messages": "", "No prompts found": "未找到提示词", "No results": "未找到结果", "No results found": "未找到结果", @@ -1219,6 +1220,7 @@ "Personalization": "个性化", "Pin": "置顶", "Pinned": "已置顶", + "Pinned Messages": "", "Pioneer insights": "洞悉未来", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline 删除成功", diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json index 5900acf20a..0978016130 100644 --- a/src/lib/i18n/locales/zh-TW/translation.json +++ b/src/lib/i18n/locales/zh-TW/translation.json @@ -1110,6 +1110,7 @@ "No models selected": "未選取模型", "No Notes": "尚無筆記", "No notes found": "沒有任何筆記", + "No pinned messages": "", "No prompts found": "未找到提示詞", "No results": "沒有結果", "No results found": "未找到任何結果", @@ -1219,6 +1220,7 @@ "Personalization": "個人化", "Pin": "釘選", "Pinned": "已釘選", + "Pinned Messages": "", "Pioneer insights": "先驅見解", "Pipe": "Pipe", "Pipeline deleted successfully": "成功刪除管線", From fda3b287d42d13f20165c7276a61e397ecaa3a06 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Sat, 29 Nov 2025 20:25:05 +0200 Subject: [PATCH 09/13] update append files logic --- src/lib/components/chat/Chat.svelte | 12 ++++++++---- 1 file changed, 8 insertions(+), 4 deletions(-) diff --git a/src/lib/components/chat/Chat.svelte b/src/lib/components/chat/Chat.svelte index a8c8b74446..2d56ffd8de 100644 --- a/src/lib/components/chat/Chat.svelte +++ b/src/lib/components/chat/Chat.svelte @@ -1876,6 +1876,7 @@ for (const message of _messages) { let content = message?.merged?.content ?? message?.content; + content = message?.role !== 'user' ? content?.trim() : content; let processedMessages = processDetailsAndExtractToolCalls(content ?? ''); let nonToolMesssage = null; @@ -1885,15 +1886,18 @@ if (typeof processedMessage == 'string') { nonToolMesssage = { role: message?.role, - content: message?.role === 'user' ? processedMessage : processedMessage.trim() + content: processedMessage }; if ( message?.role === 'user' && (message.files?.filter((file) => file.type === 'image').length > 0 ?? false) ) { - nonToolMesssage = { - ...nonToolMesssage, + nonToolMesssage.content = [ + { + type: 'text', + text: nonToolMesssage.content + }, ...message.files .filter((file) => file.type === 'image') .map((file) => ({ @@ -1902,7 +1906,7 @@ url: file.url } })) - }; + ]; } messages.push(nonToolMesssage); From 606ab164bad665dfa8f6f0ec31b87e3ca014c7ce Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Mon, 1 Dec 2025 20:32:35 +0200 Subject: [PATCH 10/13] update translations --- src/lib/i18n/locales/ar-BH/translation.json | 37 +++++++++-- src/lib/i18n/locales/ar/translation.json | 37 +++++++++-- src/lib/i18n/locales/bg-BG/translation.json | 37 +++++++++-- src/lib/i18n/locales/bn-BD/translation.json | 37 +++++++++-- src/lib/i18n/locales/bo-TB/translation.json | 37 +++++++++-- src/lib/i18n/locales/bs-BA/translation.json | 37 +++++++++-- src/lib/i18n/locales/ca-ES/translation.json | 37 +++++++++-- src/lib/i18n/locales/ceb-PH/translation.json | 37 +++++++++-- src/lib/i18n/locales/cs-CZ/translation.json | 37 +++++++++-- src/lib/i18n/locales/da-DK/translation.json | 37 +++++++++-- src/lib/i18n/locales/de-DE/translation.json | 37 +++++++++-- src/lib/i18n/locales/dg-DG/translation.json | 37 +++++++++-- src/lib/i18n/locales/el-GR/translation.json | 37 +++++++++-- src/lib/i18n/locales/en-GB/translation.json | 37 +++++++++-- src/lib/i18n/locales/en-US/translation.json | 37 +++++++++-- src/lib/i18n/locales/es-ES/translation.json | 37 +++++++++-- src/lib/i18n/locales/et-EE/translation.json | 37 +++++++++-- src/lib/i18n/locales/eu-ES/translation.json | 37 +++++++++-- src/lib/i18n/locales/fa-IR/translation.json | 37 +++++++++-- src/lib/i18n/locales/fi-FI/translation.json | 37 +++++++++-- src/lib/i18n/locales/fr-CA/translation.json | 37 +++++++++-- src/lib/i18n/locales/fr-FR/translation.json | 37 +++++++++-- src/lib/i18n/locales/gl-ES/translation.json | 37 +++++++++-- src/lib/i18n/locales/he-IL/translation.json | 37 +++++++++-- src/lib/i18n/locales/hi-IN/translation.json | 37 +++++++++-- src/lib/i18n/locales/hr-HR/translation.json | 37 +++++++++-- src/lib/i18n/locales/hu-HU/translation.json | 37 +++++++++-- src/lib/i18n/locales/id-ID/translation.json | 37 +++++++++-- src/lib/i18n/locales/ie-GA/translation.json | 37 +++++++++-- src/lib/i18n/locales/it-IT/translation.json | 37 +++++++++-- src/lib/i18n/locales/ja-JP/translation.json | 37 +++++++++-- src/lib/i18n/locales/ka-GE/translation.json | 37 +++++++++-- src/lib/i18n/locales/kab-DZ/translation.json | 37 +++++++++-- src/lib/i18n/locales/ko-KR/translation.json | 37 +++++++++-- src/lib/i18n/locales/lt-LT/translation.json | 37 +++++++++-- src/lib/i18n/locales/ms-MY/translation.json | 37 +++++++++-- src/lib/i18n/locales/nb-NO/translation.json | 37 +++++++++-- src/lib/i18n/locales/nl-NL/translation.json | 37 +++++++++-- src/lib/i18n/locales/pa-IN/translation.json | 37 +++++++++-- src/lib/i18n/locales/pl-PL/translation.json | 37 +++++++++-- src/lib/i18n/locales/pt-BR/translation.json | 61 ++++++++++--------- src/lib/i18n/locales/pt-PT/translation.json | 37 +++++++++-- src/lib/i18n/locales/ro-RO/translation.json | 37 +++++++++-- src/lib/i18n/locales/ru-RU/translation.json | 37 +++++++++-- src/lib/i18n/locales/sk-SK/translation.json | 37 +++++++++-- src/lib/i18n/locales/sr-RS/translation.json | 37 +++++++++-- src/lib/i18n/locales/sv-SE/translation.json | 37 +++++++++-- src/lib/i18n/locales/th-TH/translation.json | 37 +++++++++-- src/lib/i18n/locales/tk-TM/translation.json | 37 +++++++++-- src/lib/i18n/locales/tr-TR/translation.json | 37 +++++++++-- src/lib/i18n/locales/ug-CN/translation.json | 37 +++++++++-- src/lib/i18n/locales/uk-UA/translation.json | 37 +++++++++-- src/lib/i18n/locales/ur-PK/translation.json | 37 +++++++++-- .../i18n/locales/uz-Cyrl-UZ/translation.json | 37 +++++++++-- .../i18n/locales/uz-Latn-Uz/translation.json | 37 +++++++++-- src/lib/i18n/locales/vi-VN/translation.json | 37 +++++++++-- src/lib/i18n/locales/zh-CN/translation.json | 9 +++ src/lib/i18n/locales/zh-TW/translation.json | 9 +++ 58 files changed, 1754 insertions(+), 360 deletions(-) diff --git a/src/lib/i18n/locales/ar-BH/translation.json b/src/lib/i18n/locales/ar-BH/translation.json index bc54f07290..22b8cbe2e0 100644 --- a/src/lib/i18n/locales/ar-BH/translation.json +++ b/src/lib/i18n/locales/ar-BH/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "دردشات {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} مطلوب", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "يتم استخدام نموذج المهمة عند تنفيذ مهام مثل إنشاء عناوين للدردشات واستعلامات بحث الويب", "a user": "مستخدم", "About": "عن", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "إضافة ملفات", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "إضافة ذكرايات", "Add Model": "اضافة موديل", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "أضغط هنا للمساعدة", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "مجموعة", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "اكتشاف وتنزيل واستكشاف المطالبات المخصصة", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "اكتشاف وتنزيل واستكشاف الإعدادات المسبقة للنموذج", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "فشل في إنشاء مفتاح API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "فشل في حفظ المحادثة", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "معرف محرك PSE من Google", "Gravatar": "", "Group": "مجموعة", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "سيتم عرض الذكريات التي يمكن الوصول إليها بواسطة LLMs هنا.", "Memory": "الذاكرة", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "أخر 7 أيام", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "الملف الشخصي", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "موجه (على سبيل المثال: أخبرني بحقيقة ممتعة عن الإمبراطورية الرومانية)", "Prompt Autocompletion": "", "Prompt Content": "محتوى عاجل", "Prompt created successfully": "", @@ -1455,6 +1474,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "ضبط الصوت", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1507,6 +1527,9 @@ "Start a new conversation": "", "Start of the channel": "بداية القناة", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1522,7 +1545,7 @@ "STT Model": "", "STT Settings": "STT اعدادات", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "(e.g. about the Roman Empire) الترجمة", + "Subtitle": "", "Success": "نجاح", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "تم التحديث بنجاح", @@ -1605,7 +1628,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "العنوان", - "Title (e.g. Tell me a fun fact)": "(e.g. Tell me a fun fact) العناون", "Title Auto-Generation": "توليد تلقائي للعنوان", "Title cannot be an empty string.": "العنوان مطلوب", "Title Generation": "", @@ -1674,6 +1696,7 @@ "Update and Copy Link": "تحديث ونسخ الرابط", "Update for the latest features and improvements.": "", "Update password": "تحديث كلمة المرور", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1727,6 +1750,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1754,6 +1778,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "ما هو الجديد", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ar/translation.json b/src/lib/i18n/locales/ar/translation.json index 271a54a327..0d41e39eec 100644 --- a/src/lib/i18n/locales/ar/translation.json +++ b/src/lib/i18n/locales/ar/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "محادثات المستخدم {{user}}", "{{webUIName}} Backend Required": "يتطلب الخلفية الخاصة بـ {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*معرّف/معرّفات عقدة الموجه مطلوبة لتوليد الصور", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "يتوفر الآن إصدار جديد (v{{LATEST_VERSION}}).", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "يُستخدم نموذج المهام عند تنفيذ مهام مثل توليد عناوين المحادثات واستعلامات البحث على الويب", "a user": "مستخدم", "About": "حول", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "إضافة ملفات", - "Add Group": "إضافة مجموعة", + "Add Member": "", + "Add Members": "", "Add Memory": "إضافة ذاكرة", "Add Model": "إضافة نموذج", "Add Reaction": "إضافة تفاعل", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "مسح الذاكرة", "Clear Memory": "مسح الذاكرة", + "Clear status": "", "click here": "انقر هنا", "Click here for filter guides.": "انقر هنا للحصول على أدلة الفلاتر.", "Click here for help.": "انقر هنا للمساعدة.", @@ -288,6 +294,7 @@ "Code Interpreter": "مفسر الشيفرة", "Code Interpreter Engine": "محرك مفسر الشيفرة", "Code Interpreter Prompt Template": "قالب موجه مفسر الشيفرة", + "Collaboration channel where people join as members": "", "Collapse": "طي", "Collection": "المجموعة", "Color": "اللون", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "اكتشاف وتنزيل واستكشاف المطالبات المخصصة", "Discover, download, and explore custom tools": "اكتشف، حمّل، واستعرض الأدوات المخصصة", "Discover, download, and explore model presets": "اكتشاف وتنزيل واستكشاف الإعدادات المسبقة للنموذج", + "Discussion channel where access is based on groups and permissions": "", "Display": "العرض", "Display chat title in tab": "", "Display Emoji in Call": "عرض الرموز التعبيرية أثناء المكالمة", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "مثال: 60", "e.g. A filter to remove profanity from text": "مثال: مرشح لإزالة الألفاظ النابية من النص", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "مثال: مرشحي", "e.g. My Tools": "مثال: أدواتي", "e.g. my_filter": "مثال: my_filter", "e.g. my_tools": "مثال: my_tools", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "مثال: أدوات لتنفيذ عمليات متنوعة", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "تصدير الإعدادات إلى ملف JSON", "Export Models": "", "Export Presets": "تصدير الإعدادات المسبقة", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "تصدير إلى CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "فشل في إضافة الملف.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "فشل في إنشاء مفتاح API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "فشل في حفظ المحادثة", "Failed to save models configuration": "فشل في حفظ إعدادات النماذج", "Failed to update settings": "فشل في تحديث الإعدادات", + "Failed to update status": "", "Failed to upload file.": "فشل في رفع الملف.", "Features": "الميزات", "Features Permissions": "أذونات الميزات", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "معرف محرك PSE من Google", "Gravatar": "", "Group": "مجموعة", + "Group Channel": "", "Group created successfully": "تم إنشاء المجموعة بنجاح", "Group deleted successfully": "تم حذف المجموعة بنجاح", "Group Description": "وصف المجموعة", "Group Name": "اسم المجموعة", "Group updated successfully": "تم تحديث المجموعة بنجاح", + "groups": "", "Groups": "المجموعات", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "استيراد الإعدادات المسبقة", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "سيتم عرض الذكريات التي يمكن الوصول إليها بواسطة LLMs هنا.", "Memory": "الذاكرة", "Memory added successfully": "تم إضافة الذاكرة بنجاح", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "يمكن تعديل المجموعات فقط، أنشئ قاعدة معرفة جديدة لتعديل أو إضافة مستندات.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "يمكن الوصول فقط من قبل المستخدمين والمجموعات المصرح لهم", "Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "أخر 7 أيام", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "الملف الشخصي", "Prompt": "التوجيه", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "موجه (على سبيل المثال: أخبرني بحقيقة ممتعة عن الإمبراطورية الرومانية)", "Prompt Autocompletion": "", "Prompt Content": "محتوى عاجل", "Prompt created successfully": "تم إنشاء التوجيه بنجاح", @@ -1455,6 +1474,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "تحديد عدد سلاسل المعالجة المستخدمة في الحساب. هذا الخيار يتحكم في عدد السلاسل لمعالجة الطلبات بالتوازي. زيادته يحسن الأداء تحت الضغط العالي لكنه يستهلك موارد المعالج.", "Set Voice": "ضبط الصوت", "Set whisper model": "تعيين نموذج Whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "تعيين انحياز ثابت ضد الرموز التي ظهرت مرة واحدة على الأقل. القيم الأعلى (مثل 1.5) تعاقب التكرار بقوة، والأقل (مثل 0.9) تكون أكثر تساهلًا. عند 0 يتم تعطيله.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "يحدد انحيازًا متدرجًا ضد الرموز لمعاقبة التكرار حسب عدد مرات الظهور. القيم الأعلى (1.5) تعاقب أكثر، والأقل (0.9) تكون أكثر تساهلًا. عند 0 يتم تعطيله.", "Sets how far back for the model to look back to prevent repetition.": "يحدد مدى رجوع النموذج إلى الوراء لتجنب التكرار.", @@ -1507,6 +1527,9 @@ "Start a new conversation": "", "Start of the channel": "بداية القناة", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1522,7 +1545,7 @@ "STT Model": "نموذج تحويل الصوت إلى نص (STT)", "STT Settings": "STT اعدادات", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "(e.g. about the Roman Empire) الترجمة", + "Subtitle": "", "Success": "نجاح", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "تم التحديث بنجاح", @@ -1605,7 +1628,6 @@ "Tika Server URL required.": "عنوان خادم Tika مطلوب.", "Tiktoken": "Tiktoken", "Title": "العنوان", - "Title (e.g. Tell me a fun fact)": "(e.g. Tell me a fun fact) العناون", "Title Auto-Generation": "توليد تلقائي للعنوان", "Title cannot be an empty string.": "العنوان مطلوب", "Title Generation": "توليد العنوان", @@ -1674,6 +1696,7 @@ "Update and Copy Link": "تحديث ونسخ الرابط", "Update for the latest features and improvements.": "حدّث للحصول على أحدث الميزات والتحسينات.", "Update password": "تحديث كلمة المرور", + "Update your status": "", "Updated": "تم التحديث", "Updated at": "تم التحديث في", "Updated At": "تم التحديث في", @@ -1727,6 +1750,7 @@ "View Replies": "عرض الردود", "View Result from **{{NAME}}**": "", "Visibility": "مستوى الظهور", + "Visible to all users": "", "Vision": "", "Voice": "الصوت", "Voice Input": "إدخال صوتي", @@ -1754,6 +1778,7 @@ "What are you trying to achieve?": "ما الذي تحاول تحقيقه؟", "What are you working on?": "على ماذا تعمل؟", "What's New in": "ما هو الجديد", + "What's on your mind?": "", "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": "أينما كنت", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/bg-BG/translation.json b/src/lib/i18n/locales/bg-BG/translation.json index 740b0884e5..74e6903c51 100644 --- a/src/lib/i18n/locales/bg-BG/translation.json +++ b/src/lib/i18n/locales/bg-BG/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'s чатове", "{{webUIName}} Backend Required": "{{webUIName}} Изисква се Бекенд", "*Prompt node ID(s) are required for image generation": "*Идентификатор(ите) на възел-а се изисква(т) за генериране на изображения", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Вече е налична нова версия (v{{LATEST_VERSION}}).", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Моделът на задачите се използва при изпълнението на задачите като генериране на заглавия за чатове и заявки за търсене в мрежата", "a user": "потребител", "About": "Относно", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Добавяне на Файлове", - "Add Group": "Добавяне на група", + "Add Member": "", + "Add Members": "", "Add Memory": "Добавяне на Памет", "Add Model": "Добавяне на Модел", "Add Reaction": "Добавяне на реакция", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Изчистване на паметта", "Clear Memory": "", + "Clear status": "", "click here": "натиснете тук", "Click here for filter guides.": "Натиснете тук за ръководства за филтриране.", "Click here for help.": "Натиснете тук за помощ.", @@ -288,6 +294,7 @@ "Code Interpreter": "Интерпретатор на код", "Code Interpreter Engine": "Двигател на интерпретатора на кода", "Code Interpreter Prompt Template": "Шаблон за промпт на интерпретатора на кода", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Колекция", "Color": "Цвят", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Откриване, сваляне и преглед на персонализирани промптове", "Discover, download, and explore custom tools": "Открийте, изтеглете и разгледайте персонализирани инструменти", "Discover, download, and explore model presets": "Откриване, сваляне и преглед на пресетове на модели", + "Discussion channel where access is based on groups and permissions": "", "Display": "Показване", "Display chat title in tab": "", "Display Emoji in Call": "Показване на емотикони в обаждането", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "напр. Филтър за премахване на нецензурни думи от текста", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "напр. Моят филтър", "e.g. My Tools": "напр. Моите инструменти", "e.g. my_filter": "напр. моят_филтър", "e.g. my_tools": "напр. моите_инструменти", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "напр. Инструменти за извършване на различни операции", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Експортиране на конфигурацията в JSON файл", "Export Models": "", "Export Presets": "Експортиране на предварителни настройки", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Експортиране в CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Неуспешно добавяне на файл.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Неуспешно създаване на API ключ.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Грешка при четене на съдържанието от клипборда", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Неуспешно запазване на разговора", "Failed to save models configuration": "Неуспешно запазване на конфигурацията на моделите", "Failed to update settings": "Неуспешно актуализиране на настройките", + "Failed to update status": "", "Failed to upload file.": "Неуспешно качване на файл.", "Features": "Функции", "Features Permissions": "Разрешения за функции", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Идентификатор на двигателя на Google PSE", "Gravatar": "", "Group": "Група", + "Group Channel": "", "Group created successfully": "Групата е създадена успешно", "Group deleted successfully": "Групата е изтрита успешно", "Group Description": "Описание на групата", "Group Name": "Име на групата", "Group updated successfully": "Групата е актуализирана успешно", + "groups": "", "Groups": "Групи", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Импортиране на предварителни настройки", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Мемории достъпни от LLMs ще бъдат показани тук.", "Memory": "Памет", "Memory added successfully": "Паметта е добавена успешно", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерични знаци и тире са разрешени в командния низ.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Само колекциите могат да бъдат редактирани, създайте нова база от знания, за да редактирате/добавяте документи.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Само избрани потребители и групи с разрешение могат да имат достъп", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изглежда URL адресът е невалиден. Моля, проверете отново и опитайте пак.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Предишните 7 дни", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Профил", "Prompt": "Промпт", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (напр. Кажи ми забавен факт за Римската империя)", "Prompt Autocompletion": "", "Prompt Content": "Съдържание на промпта", "Prompt created successfully": "Промптът е създаден успешно", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Задайте броя работни нишки, използвани за изчисления. Тази опция контролира колко нишки се използват за едновременна обработка на входящи заявки. Увеличаването на тази стойност може да подобри производителността при високи натоварвания с паралелизъм, но може също така да консумира повече ресурси на CPU.", "Set Voice": "Задай Глас", "Set whisper model": "Задай модел на шепот", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Начало на канала", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT Модел", "STT Settings": "STT Настройки", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Подтитул (напр. за Римска империя)", + "Subtitle": "", "Success": "Успех", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Успешно обновено.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Изисква се URL адрес на Тика сървъра.", "Tiktoken": "Tiktoken", "Title": "Заглавие", - "Title (e.g. Tell me a fun fact)": "Заглавие (напр. Кажете ми нещо забавно)", "Title Auto-Generation": "Автоматично генериране на заглавие", "Title cannot be an empty string.": "Заглавието не може да бъде празно.", "Title Generation": "Генериране на заглавие", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Обнови и копирай връзката", "Update for the latest features and improvements.": "Актуализирайте за най-новите функции и подобрения.", "Update password": "Обновяване на парола", + "Update your status": "", "Updated": "Актуализирано", "Updated at": "Актуализирано на", "Updated At": "Актуализирано на", @@ -1723,6 +1746,7 @@ "View Replies": "Преглед на отговорите", "View Result from **{{NAME}}**": "", "Visibility": "Видимост", + "Visible to all users": "", "Vision": "", "Voice": "Глас", "Voice Input": "Гласов вход", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Какво се опитвате да постигнете?", "What are you working on?": "Върху какво работите?", "What's New in": "Какво е ново в", + "What's on your mind?": "", "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": "където и да сте", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/bn-BD/translation.json b/src/lib/i18n/locales/bn-BD/translation.json index a1057bcd82..73c50e438b 100644 --- a/src/lib/i18n/locales/bn-BD/translation.json +++ b/src/lib/i18n/locales/bn-BD/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}র চ্যাটস", "{{webUIName}} Backend Required": "{{webUIName}} ব্যাকএন্ড আবশ্যক", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "চ্যাট এবং ওয়েব অনুসন্ধান প্রশ্নের জন্য শিরোনাম তৈরি করার মতো কাজগুলি সম্পাদন করার সময় একটি টাস্ক মডেল ব্যবহার করা হয়", "a user": "একজন ব্যাবহারকারী", "About": "সম্পর্কে", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "ফাইল যোগ করুন", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "মেমোরি যোগ করুন", "Add Model": "মডেল যোগ করুন", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "সাহায্যের জন্য এখানে ক্লিক করুন", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "সংগ্রহ", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "কাস্টম প্রম্পটগুলো আবিস্কার, ডাউনলোড এবং এক্সপ্লোর করুন", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "মডেল প্রিসেটগুলো আবিস্কার, ডাউনলোড এবং এক্সপ্লোর করুন", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "API Key তৈরি করা যায়নি।", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "ক্লিপবোর্ডের বিষয়বস্তু পড়া সম্ভব হয়নি", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "কথোপকথন সংরক্ষণ করতে ব্যর্থ", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "গুগল পিএসই ইঞ্জিন আইডি", "Gravatar": "", "Group": "গ্রুপ", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMs দ্বারা অ্যাক্সেসযোগ্য মেমোরিগুলি এখানে দেখানো হবে।", "Memory": "মেমোরি", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "কমান্ড স্ট্রিং-এ শুধুমাত্র ইংরেজি অক্ষর, সংখ্যা এবং হাইফেন ব্যবহার করা যাবে।", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ওহ, মনে হচ্ছে ইউআরএলটা ইনভ্যালিড। দয়া করে আর চেক করে চেষ্টা করুন।", @@ -1263,9 +1282,9 @@ "Previous 7 days": "পূর্ব ৭ দিন", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "প্রোফাইল", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "প্রম্প্ট (উদাহরণস্বরূপ, আমি রোমান ইমপার্টের সম্পর্কে একটি উপস্থিতি জানতে বল)", "Prompt Autocompletion": "", "Prompt Content": "প্রম্পট কন্টেন্ট", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "কন্ঠস্বর নির্ধারণ করুন", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "চ্যানেলের শুরু", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "", "STT Settings": "STT সেটিংস", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "সাবটাইটল (রোমান ইম্পার্টের সম্পর্কে)", + "Subtitle": "", "Success": "সফল", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "সফলভাবে আপডেট হয়েছে", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "শিরোনাম", - "Title (e.g. Tell me a fun fact)": "শিরোনাম (একটি উপস্থিতি বিবরণ জানান)", "Title Auto-Generation": "স্বয়ংক্রিয় শিরোনামগঠন", "Title cannot be an empty string.": "শিরোনাম অবশ্যই একটি পাশাপাশি শব্দ হতে হবে।", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "আপডেট এবং লিংক কপি করুন", "Update for the latest features and improvements.": "", "Update password": "পাসওয়ার্ড আপডেট করুন", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "এতে নতুন কী", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/bo-TB/translation.json b/src/lib/i18n/locales/bo-TB/translation.json index ff0485145d..30edae0469 100644 --- a/src/lib/i18n/locales/bo-TB/translation.json +++ b/src/lib/i18n/locales/bo-TB/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} ཡི་ཁ་བརྡ།", "{{webUIName}} Backend Required": "{{webUIName}} རྒྱབ་སྣེ་དགོས།", "*Prompt node ID(s) are required for image generation": "*པར་བཟོའི་ཆེད་དུ་འགུལ་སློང་མདུད་ཚེག་གི་ ID(s) དགོས།", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "པར་གཞི་གསར་པ། (v{{LATEST_VERSION}}) ད་ལྟ་ཡོད།", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "ལས་ཀའི་དཔེ་དབྱིབས་ནི་ཁ་བརྡའི་ཁ་བྱང་བཟོ་བ་དང་དྲ་བའི་འཚོལ་བཤེར་འདྲི་བ་ལྟ་བུའི་ལས་འགན་སྒྲུབ་སྐབས་སྤྱོད་ཀྱི་ཡོད།", "a user": "བེད་སྤྱོད་མཁན་ཞིག", "About": "སྐོར་ལོ།", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "ཡིག་ཆ་སྣོན་པ།", - "Add Group": "ཚོགས་པ་སྣོན་པ།", + "Add Member": "", + "Add Members": "", "Add Memory": "དྲན་ཤེས་སྣོན་པ།", "Add Model": "དཔེ་དབྱིབས་སྣོན་པ།", "Add Reaction": "ཡ་ལན་སྣོན་པ།", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "དྲན་ཤེས་གཙང་སེལ།", "Clear Memory": "དྲན་ཤེས་གཙང་སེལ།", + "Clear status": "", "click here": "འདིར་མནན་པ།", "Click here for filter guides.": "འཚག་མ་ལམ་སྟོན་གྱི་ཆེད་དུ་འདིར་མནན་པ།", "Click here for help.": "རོགས་རམ་ཆེད་དུ་འདིར་མནན་པ།", @@ -288,6 +294,7 @@ "Code Interpreter": "ཀོཌ་འགྲེལ་བཤད།", "Code Interpreter Engine": "ཀོཌ་འགྲེལ་བཤད་འཕྲུལ་འཁོར།", "Code Interpreter Prompt Template": "ཀོཌ་འགྲེལ་བཤད་འགུལ་སློང་མ་དཔེ།", + "Collaboration channel where people join as members": "", "Collapse": "བསྐུམ་པ།", "Collection": "བསྡུ་གསོག", "Color": "ཚོན་མདོག", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "སྲོལ་བཟོས་འགུལ་སློང་རྙེད་པ། ཕབ་ལེན་བྱེད་པ། དང་བརྟག་ཞིབ་བྱེད་པ།", "Discover, download, and explore custom tools": "སྲོལ་བཟོས་ལག་ཆ་རྙེད་པ། ཕབ་ལེན་བྱེད་པ། དང་བརྟག་ཞིབ་བྱེད་པ།", "Discover, download, and explore model presets": "དཔེ་དབྱིབས་སྔོན་སྒྲིག་རྙེད་པ། ཕབ་ལེན་བྱེད་པ། དང་བརྟག་ཞིབ་བྱེད་པ།", + "Discussion channel where access is based on groups and permissions": "", "Display": "འཆར་སྟོན།", "Display chat title in tab": "", "Display Emoji in Call": "སྐད་འབོད་ནང་ Emoji འཆར་སྟོན་བྱེད་པ།", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "དཔེར་ན། \"json\" ཡང་ན་ JSON གི་ schema", "e.g. 60": "དཔེར་ན། ༦༠", "e.g. A filter to remove profanity from text": "དཔེར་ན། ཡིག་རྐྱང་ནས་ཚིག་རྩུབ་འདོར་བྱེད་ཀྱི་འཚག་མ།", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "དཔེར་ན། ངའི་འཚག་མ།", "e.g. My Tools": "དཔེར་ན། ངའི་ལག་ཆ།", "e.g. my_filter": "དཔེར་ན། my_filter", "e.g. my_tools": "དཔེར་ན། my_tools", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "དཔེར་ན། ལས་ཀ་སྣ་ཚོགས་སྒྲུབ་བྱེད་ཀྱི་ལག་ཆ།", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "སྒྲིག་འགོད་ JSON ཡིག་ཆར་ཕྱིར་གཏོང་།", "Export Models": "", "Export Presets": "སྔོན་སྒྲིག་ཕྱིར་གཏོང་།", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "CSV ལ་ཕྱིར་གཏོང་།", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "ཡིག་ཆ་སྣོན་པར་མ་ཐུབ།", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI ལག་ཆའི་སར་བར་ལ་སྦྲེལ་མཐུད་བྱེད་མ་ཐུབ།", "Failed to copy link": "", "Failed to create API Key.": "API ལྡེ་མིག་བཟོ་མ་ཐུབ།", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "སྦྱར་སྡེར་གྱི་ནང་དོན་ཀློག་མ་ཐུབ།", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "གླེང་མོལ་ཉར་ཚགས་བྱེད་མ་ཐུབ།", "Failed to save models configuration": "དཔེ་དབྱིབས་སྒྲིག་འགོད་ཉར་ཚགས་བྱེད་མ་ཐུབ།", "Failed to update settings": "སྒྲིག་འགོད་གསར་སྒྱུར་བྱེད་མ་ཐུབ།", + "Failed to update status": "", "Failed to upload file.": "ཡིག་ཆ་སྤར་མ་ཐུབ།", "Features": "ཁྱད་ཆོས།", "Features Permissions": "ཁྱད་ཆོས་ཀྱི་དབང་ཚད།", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE Engine Id", "Gravatar": "", "Group": "ཚོགས་པ།", + "Group Channel": "", "Group created successfully": "ཚོགས་པ་ལེགས་པར་བཟོས་ཟིན།", "Group deleted successfully": "ཚོགས་པ་ལེགས་པར་བསུབས་ཟིན།", "Group Description": "ཚོགས་པའི་འགྲེལ་བཤད།", "Group Name": "ཚོགས་པའི་མིང་།", "Group updated successfully": "ཚོགས་པ་ལེགས་པར་གསར་སྒྱུར་བྱས་ཟིན།", + "groups": "", "Groups": "ཚོགས་པ།", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "སྔོན་སྒྲིག་ནང་འདྲེན།", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMs ཀྱིས་འཛུལ་སྤྱོད་ཐུབ་པའི་དྲན་ཤེས་དག་འདིར་སྟོན་ངེས།", "Memory": "དྲན་ཤེས།", "Memory added successfully": "དྲན་ཤེས་ལེགས་པར་བསྣན་ཟིན།", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "བཀའ་བརྡའི་ཡིག་ཕྲེང་ནང་ཨང་ཀི་དང་དབྱིན་ཡིག་གི་ཡིག་འབྲུ་དང་སྦྲེལ་རྟགས་ཁོ་ན་ཆོག་པ།", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "བསྡུ་གསོག་ཁོ་ན་ཞུ་དག་བྱེད་ཐུབ། ཡིག་ཆ་ཞུ་དག་/སྣོན་པར་ཤེས་བྱའི་རྟེན་གཞི་གསར་པ་ཞིག་བཟོ་བ།", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "དབང་ཚད་ཡོད་པའི་བེད་སྤྱོད་མཁན་དང་ཚོགས་པ་གདམ་ག་བྱས་པ་ཁོ་ན་འཛུལ་སྤྱོད་ཐུབ།", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ཨོའོ། URL དེ་ནུས་མེད་ཡིན་པ་འདྲ། ཡང་བསྐྱར་ཞིབ་དཔྱད་བྱས་ནས་ཚོད་ལྟ་བྱེད་རོགས།", @@ -1263,9 +1282,9 @@ "Previous 7 days": "ཉིན་ ༧ སྔོན་མ།", "Previous message": "", "Private": "སྒེར།", + "Private conversation between selected users": "", "Profile": "སྤྱི་ཐག", "Prompt": "འགུལ་སློང་།", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "འགུལ་སློང་ (དཔེར་ན། རོམ་མའི་གོང་མའི་རྒྱལ་ཁབ་སྐོར་གྱི་དགོད་བྲོ་བའི་དོན་དངོས་ཤིག་ང་ལ་ཤོད་པ།)", "Prompt Autocompletion": "འགུལ་སློང་རང་འཚང་།", "Prompt Content": "འགུལ་སློང་ནང་དོན།", "Prompt created successfully": "འགུལ་སློང་ལེགས་པར་བཟོས་ཟིན།", @@ -1450,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "རྩིས་རྒྱག་ལ་བེད་སྤྱོད་གཏོང་བའི་ལས་ཀའི་སྐུད་གྲངས་འཇོག་པ། འདེམས་ཀ་འདིས་ནང་ཡོང་རེ་ཞུ་དུས་མཉམ་དུ་སྒྲུབ་པར་སྐུད་གྲངས་ག་ཚོད་བེད་སྤྱོད་གཏོང་དགོས་ཚོད་འཛིན་བྱེད། རིན་ཐང་འདི་མང་དུ་བཏང་ན་མཉམ་ལས་མཐོ་བའི་ལས་འགན་འོག་ལས་ཆོད་ལེགས་སུ་གཏོང་ཐུབ། འོན་ཀྱང་དེས་ CPU ཡི་ཐོན་ཁུངས་མང་བ་ཟ་སྲིད།", "Set Voice": "སྐད་འཇོག་པ།", "Set whisper model": "whisper དཔེ་དབྱིབས་འཇོག་པ།", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ཉུང་མཐར་ཐེངས་གཅིག་བྱུང་བའི་ཊོཀ་ཀེན་ལ་ངོས་མཉམ་ཕྱོགས་ཞེན་ཞིག་འཇོག་པ། རིན་ཐང་མཐོ་བ་ (དཔེར་ན། 1.5) ཡིས་བསྐྱར་ཟློས་ལ་ཆད་པ་དྲག་པོ་གཏོང་ངེས། དེ་བཞིན་དུ་རིན་ཐང་དམའ་བ་ (དཔེར་ན། 0.9) ཡིས་གུ་ཡངས་ཆེ་བ་ཡོང་ངེས། 0 ལ་སླེབས་དུས། དེ་ནུས་མེད་བཏང་ཡོད།", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ཊོཀ་ཀེན་དེ་ཐེངས་ག་ཚོད་བྱུང་ཡོད་པར་གཞིགས་ནས་བསྐྱར་ཟློས་ལ་ཆད་པ་གཏོང་བར་ཊོཀ་ཀེན་ལ་ཆེ་ཆུང་འཇོག་པའི་ཕྱོགས་ཞེན་ཞིག་འཇོག་པ། རིན་ཐང་མཐོ་བ་ (དཔེར་ན། 1.5) ཡིས་བསྐྱར་ཟློས་ལ་ཆད་པ་དྲག་པོ་གཏོང་ངེས། དེ་བཞིན་དུ་རིན་ཐང་དམའ་བ་ (དཔེར་ན། 0.9) ཡིས་གུ་ཡངས་ཆེ་བ་ཡོང་ངེས། 0 ལ་སླེབས་དུས། དེ་ནུས་མེད་བཏང་ཡོད།", "Sets how far back for the model to look back to prevent repetition.": "བསྐྱར་ཟློས་སྔོན་འགོག་བྱེད་པའི་ཆེད་དུ་དཔེ་དབྱིབས་ཀྱིས་ཕྱིར་ག་ཚོད་ལྟ་དགོས་འཇོག་པ།", @@ -1502,6 +1522,9 @@ "Start a new conversation": "", "Start of the channel": "རྒྱས་ལམ་འགོ་རིམ་", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1517,7 +1540,7 @@ "STT Model": "STT དཔེ་དབྱིབས།", "STT Settings": "STT སྒྲིག་འགོད།", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "ཁ་བྱང་ཕལ་པ། (དཔེར་ན། རོམ་མའི་གོང་མའི་རྒྱལ་ཁབ་སྐོར།)", + "Subtitle": "", "Success": "ལེགས་འགྲུབ།", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "ལེགས་པར་གསར་སྒྱུར་བྱས།", @@ -1600,7 +1623,6 @@ "Tika Server URL required.": "Tika Server URL དགོས་ངེས།", "Tiktoken": "Tiktoken", "Title": "ཁ་བྱང་།", - "Title (e.g. Tell me a fun fact)": "ཁ་བྱང་ (དཔེར་ན། དགོད་བྲོ་བའི་དོན་དངོས་ཤིག་ང་ལ་ཤོད།)", "Title Auto-Generation": "ཁ་བྱང་རང་འགུལ་བཟོ་སྐྲུན།", "Title cannot be an empty string.": "ཁ་བྱང་ཡིག་ཕྲེང་སྟོང་པ་ཡིན་མི་ཆོག", "Title Generation": "ཁ་བྱང་བཟོ་སྐྲུན།", @@ -1669,6 +1691,7 @@ "Update and Copy Link": "གསར་སྒྱུར་དང་སྦྲེལ་ཐག་འདྲ་བཤུས།", "Update for the latest features and improvements.": "ཁྱད་ཆོས་དང་ལེགས་བཅོས་གསར་ཤོས་ཀྱི་ཆེད་དུ་གསར་སྒྱུར་བྱེད་པ།", "Update password": "གསང་གྲངས་གསར་སྒྱུར།", + "Update your status": "", "Updated": "གསར་སྒྱུར་བྱས།", "Updated at": "གསར་སྒྱུར་བྱེད་དུས།", "Updated At": "གསར་སྒྱུར་བྱེད་དུས།", @@ -1722,6 +1745,7 @@ "View Replies": "ལན་ལྟ་བ།", "View Result from **{{NAME}}**": "", "Visibility": "མཐོང་ཐུབ་རང་བཞིན།", + "Visible to all users": "", "Vision": "", "Voice": "སྐད།", "Voice Input": "སྐད་ཀྱི་ནང་འཇུག", @@ -1749,6 +1773,7 @@ "What are you trying to achieve?": "ཁྱེད་ཀྱིས་ཅི་ཞིག་འགྲུབ་ཐབས་བྱེད་བཞིན་ཡོད།", "What are you working on?": "ཁྱེད་ཀྱིས་ཅི་ཞིག་ལས་ཀ་བྱེད་བཞིན་ཡོད།", "What's New in": "གསར་པ་ཅི་ཡོད།", + "What's on your mind?": "", "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": "ཁྱེད་གང་དུ་ཡོད་ཀྱང་།", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/bs-BA/translation.json b/src/lib/i18n/locales/bs-BA/translation.json index e4376a519b..5e30bfd9ae 100644 --- a/src/lib/i18n/locales/bs-BA/translation.json +++ b/src/lib/i18n/locales/bs-BA/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Razgovori korisnika {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Backend je potreban", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model zadatka koristi se pri izvođenju zadataka kao što su generiranje naslova za razgovore i upite za pretraživanje weba", "a user": "korisnik", "About": "O aplikaciji", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Dodaj datoteke", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "Dodaj memoriju", "Add Model": "Dodaj model", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Očisti memoriju", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Kliknite ovdje za pomoć.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolekcija", "Color": "Boja", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Otkrijte, preuzmite i istražite prilagođene prompte", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Otkrijte, preuzmite i istražite unaprijed postavljene modele", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Neuspješno stvaranje API ključa.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Neuspješno spremanje razgovora", "Failed to save models configuration": "", "Failed to update settings": "Greška kod ažuriranja postavki", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID Google PSE modula", "Gravatar": "", "Group": "Grupa", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Ovdje će biti prikazana memorija kojoj mogu pristupiti LLM-ovi.", "Memory": "Memorija", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Prethodnih 7 dana", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (npr. Reci mi zanimljivost o Rimskom carstvu)", "Prompt Autocompletion": "", "Prompt Content": "Sadržaj prompta", "Prompt created successfully": "", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Postavi glas", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "Početak kanala", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "STT model", "STT Settings": "STT postavke", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Podnaslov (npr. o Rimskom carstvu)", + "Subtitle": "", "Success": "Uspjeh", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Uspješno ažurirano.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Naslov", - "Title (e.g. Tell me a fun fact)": "Naslov (npr. Reci mi zanimljivost)", "Title Auto-Generation": "Automatsko generiranje naslova", "Title cannot be an empty string.": "Naslov ne može biti prazni niz.", "Title Generation": "", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Ažuriraj i kopiraj vezu", "Update for the latest features and improvements.": "", "Update password": "Ažuriraj lozinku", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1724,6 +1747,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Što je novo u", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ca-ES/translation.json b/src/lib/i18n/locales/ca-ES/translation.json index ee897efb5d..817864a37b 100644 --- a/src/lib/i18n/locales/ca-ES/translation.json +++ b/src/lib/i18n/locales/ca-ES/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} paraules", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} a les {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "La descàrrega del model {{model}} s'ha cancel·lat", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Els xats de {{user}}", "{{webUIName}} Backend Required": "El Backend de {{webUIName}} és necessari", "*Prompt node ID(s) are required for image generation": "*Els identificadors de nodes d'indicacions són necessaris per a la generació d'imatges", "1 Source": "1 font", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Hi ha una nova versió disponible (v{{LATEST_VERSION}}).", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un model de tasca s'utilitza quan es realitzen tasques com ara generar títols per a xats i consultes de cerca per a la web", "a user": "un usuari", "About": "Sobre", @@ -53,7 +57,8 @@ "Add Custom Prompt": "Afegir indicació personalitzada", "Add Details": "Afegir detalls", "Add Files": "Afegir arxius", - "Add Group": "Afegir grup", + "Add Member": "", + "Add Members": "", "Add Memory": "Afegir memòria", "Add Model": "Afegir un model", "Add Reaction": "Afegir reacció", @@ -252,6 +257,7 @@ "Citations": "Cites", "Clear memory": "Esborrar la memòria", "Clear Memory": "Esborrar la memòria", + "Clear status": "", "click here": "prem aquí", "Click here for filter guides.": "Clica aquí per l'ajuda dels filtres.", "Click here for help.": "Clica aquí per obtenir ajuda.", @@ -288,6 +294,7 @@ "Code Interpreter": "Intèrpret de codi", "Code Interpreter Engine": "Motor de l'intèrpret de codi", "Code Interpreter Prompt Template": "Plantilla de la indicació de l'intèrpret de codi", + "Collaboration channel where people join as members": "", "Collapse": "Col·lapsar", "Collection": "Col·lecció", "Color": "Color", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Descobrir, descarregar i explorar indicacions personalitzades", "Discover, download, and explore custom tools": "Descobrir, descarregar i explorar eines personalitzades", "Discover, download, and explore model presets": "Descobrir, descarregar i explorar models preconfigurats", + "Discussion channel where access is based on groups and permissions": "", "Display": "Mostrar", "Display chat title in tab": "Mostrar el títol del xat a la pestanya", "Display Emoji in Call": "Mostrar emojis a la trucada", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "p. ex. \"json\" o un esquema JSON", "e.g. 60": "p. ex. 60", "e.g. A filter to remove profanity from text": "p. ex. Un filtre per eliminar paraules malsonants del text", + "e.g. about the Roman Empire": "", "e.g. en": "p. ex. en", "e.g. My Filter": "p. ex. El meu filtre", "e.g. My Tools": "p. ex. Les meves eines", "e.g. my_filter": "p. ex. els_meus_filtres", "e.g. my_tools": "p. ex. les_meves_eines", "e.g. pdf, docx, txt": "p. ex. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "p. ex. Eines per dur a terme operacions", "e.g., 3, 4, 5 (leave blank for default)": "p. ex. 3, 4, 5 (deixa-ho en blanc per utilitzar el per defecte)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "p. ex. audio/wav,audio/mpeg,video/* (deixa-ho en blanc per utilitzar el per defecte)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exportar la configuració a un arxiu JSON", "Export Models": "Exportar els models", "Export Presets": "Exportar les configuracions", - "Export Prompt Suggestions": "Exportar els suggeriments d'indicació", "Export Prompts": "Exportar les indicacions", "Export to CSV": "Exportar a CSV", "Export Tools": "Exportar les eines", @@ -704,6 +714,8 @@ "External Web Search URL": "URL d'External Web Search", "Fade Effect for Streaming Text": "Efecte de fos a negre per al text en streaming", "Failed to add file.": "No s'ha pogut afegir l'arxiu.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "No s'ha pogut connecta al servidor d'eines OpenAPI {{URL}}", "Failed to copy link": "No s'ha pogut copiar l'enllaç", "Failed to create API Key.": "No s'ha pogut crear la clau API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "No s'ha pogut carregar el contingut del fitxer", "Failed to move chat": "No s'ha pogut moure el xat", "Failed to read clipboard contents": "No s'ha pogut llegir el contingut del porta-retalls", + "Failed to remove member": "", "Failed to render diagram": "No s'ha pogut renderitzar el diagrama", "Failed to render visualization": "No s'ha pogut renderitzar la visualització", "Failed to save connections": "No s'han pogut desar les connexions", "Failed to save conversation": "No s'ha pogut desar la conversa", "Failed to save models configuration": "No s'ha pogut desar la configuració dels models", "Failed to update settings": "No s'han pogut actualitzar les preferències", + "Failed to update status": "", "Failed to upload file.": "No s'ha pogut pujar l'arxiu.", "Features": "Característiques", "Features Permissions": "Permisos de les característiques", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Identificador del motor PSE de Google", "Gravatar": "Gravatar", "Group": "Grup", + "Group Channel": "", "Group created successfully": "El grup s'ha creat correctament", "Group deleted successfully": "El grup s'ha eliminat correctament", "Group Description": "Descripció del grup", "Group Name": "Nom del grup", "Group updated successfully": "Grup actualitzat correctament", + "groups": "", "Groups": "Grups", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "Importar models", "Import Notes": "Importar nota", "Import Presets": "Importar configuracions", - "Import Prompt Suggestions": "Importar suggeriments d'indicacions", "Import Prompts": "Importar indicacions", "Import successful": "Importació correcta", "Import Tools": "Importar eines", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El suport per a MCP és experimental i la seva especificació canvia sovint, cosa que pot provocar incompatibilitats. El suport per a l'especificació d'OpenAPI el manté directament l'equip d'Open WebUI, cosa que el converteix en l'opció més fiable per a la compatibilitat.", "Medium": "Mig", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Les memòries accessibles pels models de llenguatge es mostraran aquí.", "Memory": "Memòria", "Memory added successfully": "Memòria afegida correctament", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Només es permeten caràcters alfanumèrics i guions en la comanda.", "Only can be triggered when the chat input is in focus.": "Només es pot activar quan l'entrada del xat està en focus.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Només es poden editar col·leccions, crea una nova base de coneixement per editar/afegir documents.", + "Only invited users can access": "", "Only markdown files are allowed": "Només es permeten arxius markdown", "Only select users and groups with permission can access": "Només hi poden accedir usuaris i grups seleccionats amb permís", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! Sembla que la URL no és vàlida. Si us plau, revisa-la i torna-ho a provar.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 dies anteriors", "Previous message": "Missatge anterior", "Private": "Privat", + "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "Indicació", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Indicació (p. ex. Digues-me quelcom divertit sobre l'Imperi Romà)", "Prompt Autocompletion": "Completar automàticament la indicació", "Prompt Content": "Contingut de la indicació", "Prompt created successfully": "Indicació creada correctament", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Establir el nombre de fils de treball utilitzats per al càlcul. Aquesta opció controla quants fils s'utilitzen per processar les sol·licituds entrants simultàniament. Augmentar aquest valor pot millorar el rendiment amb càrregues de treball de concurrència elevada, però també pot consumir més recursos de CPU.", "Set Voice": "Establir la veu", "Set whisper model": "Establir el model whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Estableix un biaix pla contra tokens que han aparegut almenys una vegada. Un valor més alt (p. ex., 1,5) penalitzarà les repeticions amb més força, mentre que un valor més baix (p. ex., 0,9) serà més indulgent. A 0, està desactivat.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Estableix un biaix d'escala contra tokens per penalitzar les repeticions, en funció de quantes vegades han aparegut. Un valor més alt (p. ex., 1,5) penalitzarà les repeticions amb més força, mentre que un valor més baix (p. ex., 0,9) serà més indulgent. A 0, està desactivat.", "Sets how far back for the model to look back to prevent repetition.": "Estableix fins a quin punt el model mira enrere per evitar la repetició.", @@ -1504,6 +1524,9 @@ "Start a new conversation": "Iniciar una nova conversa", "Start of the channel": "Inici del canal", "Start Tag": "Etiqueta d'inici", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Estat de les actualitzacions", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Passos", @@ -1519,7 +1542,7 @@ "STT Model": "Model SST", "STT Settings": "Preferències de STT", "Stylized PDF Export": "Exportació en PDF estilitzat", - "Subtitle (e.g. about the Roman Empire)": "Subtítol (per exemple, sobre l'Imperi Romà)", + "Subtitle": "", "Success": "Èxit", "Successfully imported {{userCount}} users.": "S'han importat correctament {{userCount}} usuaris.", "Successfully updated.": "Actualitzat correctament.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "La URL del servidor Tika és obligatòria.", "Tiktoken": "Tiktoken", "Title": "Títol", - "Title (e.g. Tell me a fun fact)": "Títol (p. ex. Digues-me quelcom divertit)", "Title Auto-Generation": "Generació automàtica de títol", "Title cannot be an empty string.": "El títol no pot ser una cadena buida.", "Title Generation": "Generació de títols", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Actualitzar i copiar l'enllaç", "Update for the latest features and improvements.": "Actualitza per a les darreres característiques i millores.", "Update password": "Actualitzar la contrasenya", + "Update your status": "", "Updated": "Actualitzat", "Updated at": "Actualitzat el", "Updated At": "Actualitzat el", @@ -1724,6 +1747,7 @@ "View Replies": "Veure les respostes", "View Result from **{{NAME}}**": "Veure el resultat de **{{NAME}}**", "Visibility": "Visibilitat", + "Visible to all users": "", "Vision": "Visió", "Voice": "Veu", "Voice Input": "Entrada de veu", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "Què intentes aconseguir?", "What are you working on?": "En què estàs treballant?", "What's New in": "Què hi ha de nou a", + "What's on your mind?": "", "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.": "Quan està activat, el model respondrà a cada missatge de xat en temps real, generant una resposta tan bon punt l'usuari envia un missatge. Aquest mode és útil per a aplicacions de xat en directe, però pot afectar el rendiment en maquinari més lent.", "wherever you are": "allà on estiguis", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Si es pagina la sortida. Cada pàgina estarà separada per una regla horitzontal i un número de pàgina. Per defecte és Fals.", diff --git a/src/lib/i18n/locales/ceb-PH/translation.json b/src/lib/i18n/locales/ceb-PH/translation.json index 3c38a63729..ebbb18609b 100644 --- a/src/lib/i18n/locales/ceb-PH/translation.json +++ b/src/lib/i18n/locales/ceb-PH/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "", "{{webUIName}} Backend Required": "Backend {{webUIName}} gikinahanglan", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "", "a user": "usa ka user", "About": "Mahitungod sa", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Idugang ang mga file", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "", "Add Model": "", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "I-klik dinhi alang sa tabang.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Koleksyon", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Pagdiskubre, pag-download ug pagsuhid sa mga naandan nga pag-aghat", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Pagdiskobre, pag-download, ug pagsuhid sa mga preset sa template", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Napakyas sa pagbasa sa sulod sa clipboard", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Napakyas sa pagtipig sa panag-istorya", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "Grupo", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Ang alphanumeric nga mga karakter ug hyphen lang ang gitugotan sa command string.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! ", @@ -1263,9 +1282,9 @@ "Previous 7 days": "", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "Ang sulod sa prompt", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Ibutang ang tingog", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Sinugdan sa channel", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "", "STT Settings": "Mga setting sa STT", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "", + "Subtitle": "", "Success": "Kalampusan", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Malampuson nga na-update.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Titulo", - "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "Awtomatikong paghimo sa titulo", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "I-update ang password", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Unsay bag-o sa", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/cs-CZ/translation.json b/src/lib/i18n/locales/cs-CZ/translation.json index d061281742..3196a39c3f 100644 --- a/src/lib/i18n/locales/cs-CZ/translation.json +++ b/src/lib/i18n/locales/cs-CZ/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} slov", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "Stažení modelu {{model}} bylo zrušeno", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Konverzace uživatele {{user}}", "{{webUIName}} Backend Required": "Je vyžadován backend {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*Pro generování obrázků jsou vyžadována ID uzlů instrukce", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Nová verze (v{{LATEST_VERSION}}) je nyní k dispozici.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model pro úkoly se používá při provádění úkolů, jako je generování názvů pro konverzace a vyhledávací dotazy na webu.", "a user": "uživatel", "About": "O aplikaci", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "Přidat podrobnosti", "Add Files": "Přidat soubory", - "Add Group": "Přidat skupinu", + "Add Member": "", + "Add Members": "", "Add Memory": "Přidat vzpomínku", "Add Model": "Přidat model", "Add Reaction": "Přidat reakci", @@ -252,6 +257,7 @@ "Citations": "Citace", "Clear memory": "Vymazat paměť", "Clear Memory": "Vymazat paměť", + "Clear status": "", "click here": "klikněte zde", "Click here for filter guides.": "Klikněte zde pro průvodce filtry.", "Click here for help.": "Klikněte zde pro nápovědu.", @@ -288,6 +294,7 @@ "Code Interpreter": "Interpret kódu", "Code Interpreter Engine": "Jádro interpretu kódu", "Code Interpreter Prompt Template": "Šablona instrukce pro interpret kódu", + "Collaboration channel where people join as members": "", "Collapse": "Sbalit", "Collection": "Kolekce", "Color": "Barva", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Objevujte, stahujte a prozkoumávejte vlastní instrukce", "Discover, download, and explore custom tools": "Objevujte, stahujte a prozkoumávejte vlastní nástroje", "Discover, download, and explore model presets": "Objevujte, stahujte a prozkoumávejte přednastavení modelů", + "Discussion channel where access is based on groups and permissions": "", "Display": "Zobrazení", "Display chat title in tab": "", "Display Emoji in Call": "Zobrazit emoji při hovoru", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "např. \"json\" nebo JSON schéma", "e.g. 60": "např. 60", "e.g. A filter to remove profanity from text": "např. Filtr pro odstranění vulgarismů z textu", + "e.g. about the Roman Empire": "", "e.g. en": "např. cs", "e.g. My Filter": "např. Můj filtr", "e.g. My Tools": "např. Moje nástroje", "e.g. my_filter": "např. muj_filtr", "e.g. my_tools": "např. moje_nastroje", "e.g. pdf, docx, txt": "např. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "např. Nástroje pro provádění různých operací", "e.g., 3, 4, 5 (leave blank for default)": "např. 3, 4, 5 (pro výchozí ponechte prázdné)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "např. audio/wav,audio/mpeg,video/* (pro výchozí ponechte prázdné)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exportovat konfiguraci do souboru JSON", "Export Models": "", "Export Presets": "Exportovat předvolby", - "Export Prompt Suggestions": "Exportovat návrhy instrukcí", "Export Prompts": "", "Export to CSV": "Exportovat do CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "URL pro externí webové vyhledávání", "Fade Effect for Streaming Text": "Efekt prolínání pro streamovaný text", "Failed to add file.": "Nepodařilo se přidat soubor.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Nepodařilo se připojit k serveru nástrojů OpenAPI {{URL}}", "Failed to copy link": "Nepodařilo se zkopírovat odkaz", "Failed to create API Key.": "Nepodařilo se vytvořit API klíč.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Nepodařilo se načíst obsah souboru.", "Failed to move chat": "", "Failed to read clipboard contents": "Nepodařilo se přečíst obsah schránky", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Nepodařilo se uložit připojení", "Failed to save conversation": "Nepodařilo se uložit konverzaci", "Failed to save models configuration": "Nepodařilo se uložit konfiguraci modelů", "Failed to update settings": "Nepodařilo se aktualizovat nastavení", + "Failed to update status": "", "Failed to upload file.": "Nepodařilo se nahrát soubor.", "Features": "Funkce", "Features Permissions": "Oprávnění funkcí", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID jádra Google PSE", "Gravatar": "", "Group": "Skupina", + "Group Channel": "", "Group created successfully": "Skupina byla úspěšně vytvořena", "Group deleted successfully": "Skupina byla úspěšně smazána", "Group Description": "Popis skupiny", "Group Name": "Název skupiny", "Group updated successfully": "Skupina byla úspěšně aktualizována", + "groups": "", "Groups": "Skupiny", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Importovat poznámky", "Import Presets": "Importovat předvolby", - "Import Prompt Suggestions": "Importovat návrhy instrukcí", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "Střední", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Zde se zobrazí vzpomínky přístupné pro LLM.", "Memory": "Paměť", "Memory added successfully": "Vzpomínka byla úspěšně přidána.", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "V řetězci příkazu jsou povoleny pouze alfanumerické znaky a pomlčky.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Lze upravovat pouze kolekce, pro úpravu/přidání dokumentů vytvořte novou znalostní bázi.", + "Only invited users can access": "", "Only markdown files are allowed": "Jsou povoleny pouze soubory markdown", "Only select users and groups with permission can access": "Přístup mají pouze vybraní uživatelé a skupiny s oprávněním", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Jejda! Zdá se, že URL adresa je neplatná. Zkontrolujte ji prosím a zkuste to znovu.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Posledních 7 dní", "Previous message": "Předchozí zpráva", "Private": "Soukromé", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Instrukce", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Instrukce (např. Řekni mi zajímavost o Římské říši)", "Prompt Autocompletion": "Automatické doplňování instrukcí", "Prompt Content": "Obsah instrukce", "Prompt created successfully": "Pokyn byl úspěšně vytvořen", @@ -1453,6 +1472,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Nastavte počet pracovních vláken použitých pro výpočty. Tato možnost řídí, kolik vláken se používá ke souběžnému zpracování příchozích požadavků. Zvýšení této hodnoty může zlepšit výkon při vysokém souběžném zatížení, ale může také spotřebovat více prostředků CPU.", "Set Voice": "Nastavit hlas", "Set whisper model": "Nastavit model Whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Nastaví plošnou penalizaci proti tokenům, které se objevily alespoň jednou. Vyšší hodnota (např. 1,5) bude opakování penalizovat silněji, zatímco nižší hodnota (např. 0,9) bude mírnější. Při hodnotě 0 je funkce vypnuta.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Nastaví škálovací penalizaci proti tokenům pro penalizaci opakování na základě toho, kolikrát se objevily. Vyšší hodnota (např. 1,5) bude opakování penalizovat silněji, zatímco nižší hodnota (např. 0,9) bude mírnější. Při hodnotě 0 je funkce vypnuta.", "Sets how far back for the model to look back to prevent repetition.": "Nastavuje, jak daleko zpět se má model dívat, aby se zabránilo opakování.", @@ -1505,6 +1525,9 @@ "Start a new conversation": "", "Start of the channel": "Začátek kanálu", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Aktualizace stavu", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1520,7 +1543,7 @@ "STT Model": "Model STT", "STT Settings": "Nastavení STT", "Stylized PDF Export": "Stylizovaný export do PDF", - "Subtitle (e.g. about the Roman Empire)": "Podtitulek (např. o Římské říši)", + "Subtitle": "", "Success": "Úspěch", "Successfully imported {{userCount}} users.": "Úspěšně importováno {{userCount}} uživatelů.", "Successfully updated.": "Úspěšně aktualizováno.", @@ -1603,7 +1626,6 @@ "Tika Server URL required.": "Je vyžadována URL serveru Tika.", "Tiktoken": "Tiktoken", "Title": "Název", - "Title (e.g. Tell me a fun fact)": "Název (např. Řekni mi zajímavost)", "Title Auto-Generation": "Automatické generování názvu", "Title cannot be an empty string.": "Název nemůže být prázdný řetězec.", "Title Generation": "Generování názvu", @@ -1672,6 +1694,7 @@ "Update and Copy Link": "Aktualizovat a zkopírovat odkaz", "Update for the latest features and improvements.": "Aktualizujte pro nejnovější funkce a vylepšení.", "Update password": "Aktualizovat heslo", + "Update your status": "", "Updated": "Aktualizováno", "Updated at": "Aktualizováno", "Updated At": "Aktualizováno", @@ -1725,6 +1748,7 @@ "View Replies": "Zobrazit odpovědi", "View Result from **{{NAME}}**": "Zobrazit výsledek z **{{NAME}}**", "Visibility": "Viditelnost", + "Visible to all users": "", "Vision": "Zpracovávání obrazu", "Voice": "Hlas", "Voice Input": "Hlasový vstup", @@ -1752,6 +1776,7 @@ "What are you trying to achieve?": "Čeho se snažíte dosáhnout?", "What are you working on?": "Na čem pracujete?", "What's New in": "Co je nového v", + "What's on your mind?": "", "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.": "Když je povoleno, model bude odpovídat na každou zprávu v konverzaci v reálném čase a generovat odpověď, jakmile uživatel odešle zprávu. Tento režim je užitečný pro aplikace s živou konverzací, ale může ovlivnit výkon na pomalejším hardwaru.", "wherever you are": "ať jste kdekoli", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Zda stránkovat výstup. Každá stránka bude oddělena vodorovnou čarou a číslem stránky. Výchozí hodnota je False.", diff --git a/src/lib/i18n/locales/da-DK/translation.json b/src/lib/i18n/locales/da-DK/translation.json index db216ddca6..d4a1bc0995 100644 --- a/src/lib/i18n/locales/da-DK/translation.json +++ b/src/lib/i18n/locales/da-DK/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} ord", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} klokken {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Download af {{model}} er blevet annulleret", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}s chats", "{{webUIName}} Backend Required": "{{webUIName}} Backend kræves", "*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) er påkrævet for at kunne generere billeder", "1 Source": "1 kilde", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "En ny version (v{{LATEST_VERSION}}) er nu tilgængelig.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "En 'task model' bliver brugt til at opgaver såsom at generere overskrifter til chats eller internetsøgninger", "a user": "en bruger", "About": "Information", @@ -53,7 +57,8 @@ "Add Custom Prompt": "Tilføj brugerdefineret prompt", "Add Details": "Tilføj detaljer", "Add Files": "Tilføj filer", - "Add Group": "Tilføj gruppe", + "Add Member": "", + "Add Members": "", "Add Memory": "Tilføj hukommelse", "Add Model": "Tilføj model", "Add Reaction": "Tilføj reaktion", @@ -252,6 +257,7 @@ "Citations": "Citater", "Clear memory": "Slet hukommelse", "Clear Memory": "Slet hukommelse", + "Clear status": "", "click here": "klik her", "Click here for filter guides.": "Klik her for filter guider", "Click here for help.": "Klik her for hjælp", @@ -288,6 +294,7 @@ "Code Interpreter": "Kode interpreter", "Code Interpreter Engine": "Kode interpreter engine", "Code Interpreter Prompt Template": "Kode interpreter prompt template", + "Collaboration channel where people join as members": "", "Collapse": "Kollapse", "Collection": "Samling", "Color": "Farve", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Find, download og udforsk unikke prompts", "Discover, download, and explore custom tools": "Find, download og udforsk unikke værktøjer", "Discover, download, and explore model presets": "Find, download og udforsk modelindstillinger", + "Discussion channel where access is based on groups and permissions": "", "Display": "Vis", "Display chat title in tab": "Vis chattitel i fane", "Display Emoji in Call": "Vis emoji i chat", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "f.eks. \"json\" eller en JSON schema", "e.g. 60": "f.eks. 60", "e.g. A filter to remove profanity from text": "f.eks. Et filter til at fjerne upassende ord fra tekst", + "e.g. about the Roman Empire": "", "e.g. en": "f.eks. en", "e.g. My Filter": "f.eks. Mit Filter", "e.g. My Tools": "f.eks. Mine Værktøjer", "e.g. my_filter": "f.eks. mit_filter", "e.g. my_tools": "f.eks. mine_værktøjer", "e.g. pdf, docx, txt": "f.eks. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "f.eks. Værktøjer til at udføre forskellige operationer", "e.g., 3, 4, 5 (leave blank for default)": "f.eks. 3, 4, 5 (lad være tom for standard)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "f.eks. audio/wav,audio/mpeg,video/* (lad være tom for standarder)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Eksportér konfiguration til JSON-fil", "Export Models": "", "Export Presets": "Eksportér indstillinger", - "Export Prompt Suggestions": "Eksportér prompt-forslag", "Export Prompts": "", "Export to CSV": "Eksportér til CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "Ekstern Web Search URL", "Fade Effect for Streaming Text": "Fade-effekt for streaming tekst", "Failed to add file.": "Kunne ikke tilføje fil.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Kunne ikke forbinde til {{URL}} OpenAPI tool server", "Failed to copy link": "Kunne ikke kopiere link", "Failed to create API Key.": "Kunne ikke oprette API-nøgle.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Kunne ikke indlæse filindhold.", "Failed to move chat": "Kunne ikke flytte chat", "Failed to read clipboard contents": "Kunne ikke læse indholdet af udklipsholderen", + "Failed to remove member": "", "Failed to render diagram": "Kunne ikke rendere diagram", "Failed to render visualization": "Kunne ikke rendere visualisering", "Failed to save connections": "Kunne ikke gemme forbindelser", "Failed to save conversation": "Kunne ikke gemme samtalen", "Failed to save models configuration": "Kunne ikke gemme modeller konfiguration", "Failed to update settings": "Kunne ikke opdatere indstillinger", + "Failed to update status": "", "Failed to upload file.": "Kunne ikke uploade fil.", "Features": "Features", "Features Permissions": "Features tilladelser", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE Engine-ID", "Gravatar": "Gravatar", "Group": "Gruppe", + "Group Channel": "", "Group created successfully": "Gruppe oprettet.", "Group deleted successfully": "Gruppe slettet.", "Group Description": "Gruppe beskrivelse", "Group Name": "Gruppenavn", "Group updated successfully": "Gruppe opdateret.", + "groups": "", "Groups": "Grupper", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Importer noter", "Import Presets": "Importer Presets", - "Import Prompt Suggestions": "Importer prompt forslag", "Import Prompts": "", "Import successful": "Importeret", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP understøttelse er eksperimentel og dens specifikationer ændres ofte hvilket kan medføre inkompatibilitet. OpenAI specifikationsunderstøttelse er vedligeholdt af Open WebUI-teamet hvilket gør det til den mest pålidelige mulighed for understøttelse.", "Medium": "Medium", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Minder, der er tilgængelige for LLM'er, vises her.", "Memory": "Hukommelse", "Memory added successfully": "Hukommelse tilføjet.", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Kun alfanumeriske tegn og bindestreger er tilladt i kommandostrengen.", "Only can be triggered when the chat input is in focus.": "Kan kun udløses når chat-input er fokuseret.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Kun samlinger kan redigeres, opret en ny vidensbase for at redigere/tilføje dokumenter.", + "Only invited users can access": "", "Only markdown files are allowed": "Kun markdown-filer er tilladt", "Only select users and groups with permission can access": "Kun valgte brugere og grupper med tilladelse kan tilgå", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! URL'en ser ud til at være ugyldig. Tjek den igen, og prøv igen.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Seneste 7 dage", "Previous message": "Forrige besked", "Private": "Privat", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (f.eks. Fortæl mig en sjov fakta om Romerriget)", "Prompt Autocompletion": "Prompt autofuldførelse", "Prompt Content": "Promptindhold", "Prompt created successfully": "Prompt oprettet", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Indstil antallet af arbejdstråde brugt til beregning. Denne mulighed styrer, hvor mange tråde der bruges til at behandle indkommende forespørgsler samtidigt. At øge denne værdi kan forbedre ydeevnen under høj samtidighedsbelastning, men kan også forbruge flere CPU-ressourcer.", "Set Voice": "Indstil stemme", "Set whisper model": "Indstil whisper model", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Indstiller en flad bias mod tokens, der er forekommet mindst én gang. En højere værdi (f.eks. 1,5) vil straffe gentagelser stærkere, mens en lavere værdi (f.eks. 0,9) vil være mere lemfældig. Ved 0 er det deaktiveret.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Indstiller en skalerende bias mod tokens for at straffe gentagelser, baseret på hvor mange gange de er forekommet. En højere værdi (f.eks. 1,5) vil straffe gentagelser stærkere, mens en lavere værdi (f.eks. 0,9) vil være mere lemfældig. Ved 0 er det deaktiveret.", "Sets how far back for the model to look back to prevent repetition.": "Indstiller hvor langt tilbage modellen skal se for at forhindre gentagelse.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "Start en ny samtale", "Start of the channel": "Kanalens start", "Start Tag": "Start tag", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Statusopdateringer", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Trin", @@ -1518,7 +1541,7 @@ "STT Model": "STT-model", "STT Settings": "STT-indstillinger", "Stylized PDF Export": "Stiliseret PDF eksport", - "Subtitle (e.g. about the Roman Empire)": "Undertitel (f.eks. om Romerriget)", + "Subtitle": "", "Success": "Succes", "Successfully imported {{userCount}} users.": "Importerede {{userCount}} brugere.", "Successfully updated.": "Opdateret.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika-server-URL påkrævet.", "Tiktoken": "Tiktoken", "Title": "Titel", - "Title (e.g. Tell me a fun fact)": "Titel (f.eks. Fortæl mig en sjov kendsgerning)", "Title Auto-Generation": "Automatisk titelgenerering", "Title cannot be an empty string.": "Titel kan ikke være en tom streng.", "Title Generation": "Titel-generation", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Opdater og kopier link", "Update for the latest features and improvements.": "Opdater for at få de nyeste funktioner og forbedringer.", "Update password": "Opdater adgangskode", + "Update your status": "", "Updated": "Opdateret", "Updated at": "Opdateret kl.", "Updated At": "Opdateret Klokken.", @@ -1723,6 +1746,7 @@ "View Replies": "Vis svar", "View Result from **{{NAME}}**": "Vis resultat fra **{{NAME}}**", "Visibility": "Synlighed", + "Visible to all users": "", "Vision": "Vision", "Voice": "Stemme", "Voice Input": "Stemme Input", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Hvad prøver du at opnå?", "What are you working on?": "Hvad arbejder du på?", "What's New in": "Nyheder i", + "What's on your mind?": "", "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.": "Når aktiveret, vil modellen reagere på hver chatbesked i realtid og generere et svar, så snart brugeren sender en besked. Denne tilstand er nyttig til live chat-applikationer, men kan påvirke ydeevnen på langsommere hardware.", "wherever you are": "hvad end du er", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Om outputtet skal pagineres. Hver side vil være adskilt af en vandret streg og sidetal. Standard er False.", diff --git a/src/lib/i18n/locales/de-DE/translation.json b/src/lib/i18n/locales/de-DE/translation.json index d038fa3193..5473caa5b3 100644 --- a/src/lib/i18n/locales/de-DE/translation.json +++ b/src/lib/i18n/locales/de-DE/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} Wörter", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} um {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Der Download von {{model}} wurde abgebrochen", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}s Chats", "{{webUIName}} Backend Required": "{{webUIName}}-Backend erforderlich", "*Prompt node ID(s) are required for image generation": "*Prompt-Node-ID(s) sind für die Bildgenerierung erforderlich", "1 Source": "1 Quelle", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Eine neue Version (v{{LATEST_VERSION}}) ist jetzt verfügbar.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Aufgabenmodelle werden beispielsweise zur Generierung von Chat-Titeln oder Websuchanfragen verwendet", "a user": "ein Benutzer", "About": "Über", @@ -53,7 +57,8 @@ "Add Custom Prompt": "Benutzerdefinierten Prompt hinzufügen", "Add Details": "Details hinzufügen", "Add Files": "Dateien hinzufügen", - "Add Group": "Gruppe hinzufügen", + "Add Member": "", + "Add Members": "", "Add Memory": "Erinnerung hinzufügen", "Add Model": "Modell hinzufügen", "Add Reaction": "Reaktion hinzufügen", @@ -252,6 +257,7 @@ "Citations": "Zitate", "Clear memory": "Alle Erinnerungen entfernen", "Clear Memory": "Alle Erinnerungen entfernen", + "Clear status": "", "click here": "hier klicken", "Click here for filter guides.": "Klicken Sie hier für Filteranleitungen.", "Click here for help.": "Klicken Sie hier für Hilfe.", @@ -288,6 +294,7 @@ "Code Interpreter": "Code-Interpreter", "Code Interpreter Engine": "Code Interpreter-Engine", "Code Interpreter Prompt Template": "Code Interpreter Prompt Vorlage", + "Collaboration channel where people join as members": "", "Collapse": "Zuklappen", "Collection": "Kollektion", "Color": "Farbe", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Entdecken und beziehen Sie benutzerdefinierte Prompts", "Discover, download, and explore custom tools": "Entdecken und beziehen Sie benutzerdefinierte Werkzeuge", "Discover, download, and explore model presets": "Entdecken und beziehen Sie benutzerdefinierte Modellvorlagen", + "Discussion channel where access is based on groups and permissions": "", "Display": "Anzeigen", "Display chat title in tab": "Chat-Titel im Tab anzeigen", "Display Emoji in Call": "Emojis im Anruf anzeigen", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "z. B. \"json\" oder ein JSON-Schema", "e.g. 60": "z. B. 60", "e.g. A filter to remove profanity from text": "z. B. Ein Filter, um Schimpfwörter aus Text zu entfernen", + "e.g. about the Roman Empire": "", "e.g. en": "z. B. en", "e.g. My Filter": "z. B. Mein Filter", "e.g. My Tools": "z. B. Meine Werkzeuge", "e.g. my_filter": "z. B. mein_filter", "e.g. my_tools": "z. B. meine_werkzeuge", "e.g. pdf, docx, txt": "z. B. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "z. B. Werkzeuge für verschiedene Operationen", "e.g., 3, 4, 5 (leave blank for default)": "z. B. 3, 4, 5 (leer lassen für Standard)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "z. B. audio/wav,audio/mpeg,video/* (leer lassen für Standardwerte)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exportiere Konfiguration als JSON-Datei", "Export Models": "Modelle exportieren", "Export Presets": "Voreinstellungen exportieren", - "Export Prompt Suggestions": "Prompt-Vorschläge exportieren", "Export Prompts": "Prompts exportieren", "Export to CSV": "Als CSV exportieren", "Export Tools": "Werkzeuge exportieren", @@ -704,6 +714,8 @@ "External Web Search URL": "Externe Websuche URL", "Fade Effect for Streaming Text": "Überblendeffekt für Text-Streaming", "Failed to add file.": "Fehler beim Hinzufügen der Datei.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Verbindung zum OpenAPI-Toolserver {{URL}} fehlgeschlagen", "Failed to copy link": "Fehler beim kopieren des Links", "Failed to create API Key.": "Fehler beim Erstellen des API-Schlüssels.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Fehler beim Laden des Dateiinhalts.", "Failed to move chat": "Chat konnte nicht verschoben werden", "Failed to read clipboard contents": "Fehler beim Lesen des Inhalts der Zwischenablage.", + "Failed to remove member": "", "Failed to render diagram": "Diagramm konnte nicht gerendert werden", "Failed to render visualization": "Visualisierung konnte nicht gerendert werden", "Failed to save connections": "Verbindungen konnten nicht gespeichert werden", "Failed to save conversation": "Unterhaltung konnte nicht gespeichert werden", "Failed to save models configuration": "Fehler beim Speichern der Modellkonfiguration", "Failed to update settings": "Fehler beim Aktualisieren der Einstellungen", + "Failed to update status": "", "Failed to upload file.": "Fehler beim Hochladen der Datei.", "Features": "Funktionalitäten", "Features Permissions": "Funktionen-Berechtigungen", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE-Engine-ID", "Gravatar": "Gravatar", "Group": "Gruppe", + "Group Channel": "", "Group created successfully": "Gruppe erfolgreich erstellt", "Group deleted successfully": "Gruppe erfolgreich gelöscht", "Group Description": "Gruppenbeschreibung", "Group Name": "Gruppenname", "Group updated successfully": "Gruppe erfolgreich aktualisiert", + "groups": "", "Groups": "Gruppen", "H1": "Überschrift 1", "H2": "Überschrift 2", @@ -875,7 +891,6 @@ "Import Models": "Modelle importieren", "Import Notes": "Notizen importieren", "Import Presets": "Voreinstellungen importieren", - "Import Prompt Suggestions": "Prompt-Vorschläge importieren", "Import Prompts": "Prompts importieren", "Import successful": "Import erfolgreich", "Import Tools": "Werkzeuge importieren", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "Die MCP-Unterstützung ist experimentell und ihre Spezifikation ändert sich häufig, was zu Inkompatibilitäten führen kann. Die Unterstützung der OpenAPI-Spezifikation wird direkt vom Open‑WebUI‑Team gepflegt und ist daher die verlässlichere Option in Bezug auf Kompatibilität.", "Medium": "Mittel", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Erinnerungen, die für Modelle zugänglich sind, werden hier angezeigt.", "Memory": "Erinnerungen", "Memory added successfully": "Erinnerung erfolgreich hinzugefügt", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "In der Befehlszeichenfolge sind nur alphanumerische Zeichen und Bindestriche erlaubt.", "Only can be triggered when the chat input is in focus.": "Kann nur ausgelöst werden, wenn das Chat-Eingabefeld fokussiert ist.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Nur Sammlungen können bearbeitet werden. Erstellen Sie eine neue Wissensbasis, um Dokumente zu bearbeiten/hinzuzufügen.", + "Only invited users can access": "", "Only markdown files are allowed": "Nur Markdown-Dateien sind erlaubt", "Only select users and groups with permission can access": "Nur ausgewählte Benutzer und Gruppen mit Berechtigung können darauf zugreifen", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppla! Es scheint, dass die URL ungültig ist. Bitte überprüfen Sie diese und versuchen Sie es erneut.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Vorherige 7 Tage", "Previous message": "Vorherige Nachricht", "Private": "Privat", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (z. B. \"Erzähle mir eine interessante Tatsache über das Römische Reich\")", "Prompt Autocompletion": "Prompt Autovervollständigung", "Prompt Content": "Prompt-Inhalt", "Prompt created successfully": "Prompt erfolgreich erstellt", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Legt die Anzahl der für die Berechnung verwendeten Worker-Threads fest. Diese Option steuert, wie viele Threads zur gleichzeitigen Verarbeitung eingehender Anfragen verwendet werden. Eine Erhöhung dieses Wertes kann die Leistung bei hoher Parallelität verbessern, kann aber mehr CPU-Ressourcen verbrauchen.", "Set Voice": "Stimme festlegen", "Set whisper model": "Whisper-Modell festlegen", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Legt einen festen Bias gegen Token fest, die mindestens einmal erschienen sind. Ein höherer Wert (z.\u202fB. 1.5) bestraft Wiederholungen stärker, während ein niedrigerer Wert (z.\u202fB. 0.9) nachsichtiger ist. Bei 0 ist die Funktion deaktiviert.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Legt einen skalierenden Bias gegen Token fest, um Wiederholungen basierend auf ihrer Häufigkeit zu bestrafen. Ein höherer Wert (z.\u202fB. 1.5) bestraft Wiederholungen stärker, während ein niedrigerer Wert (z.\u202fB. 0.9) nachsichtiger ist. Bei 0 ist die Funktion deaktiviert.", "Sets how far back for the model to look back to prevent repetition.": "Legt fest, wie weit das Modell zurückblickt, um Wiederholungen zu verhindern.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "Neue Unterhaltung starten", "Start of the channel": "Beginn des Kanals", "Start Tag": "Start-Tag", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Statusaktualisierungen", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Schritte", @@ -1518,7 +1541,7 @@ "STT Model": "STT-Modell", "STT Settings": "STT-Einstellungen", "Stylized PDF Export": "Stilisierter PDF-Export", - "Subtitle (e.g. about the Roman Empire)": "Untertitel (z. B. über das Römische Reich)", + "Subtitle": "", "Success": "Erfolg", "Successfully imported {{userCount}} users.": "Erfolgreich {{userCount}} Benutzer importiert.", "Successfully updated.": "Erfolgreich aktualisiert.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika-Server-URL erforderlich.", "Tiktoken": "Tiktoken", "Title": "Titel", - "Title (e.g. Tell me a fun fact)": "Titel (z. B. Erzähl mir einen lustigen Fakt)", "Title Auto-Generation": "Chat-Titel automatisch generieren", "Title cannot be an empty string.": "Titel darf nicht leer sein.", "Title Generation": "Titelgenerierung", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Aktualisieren und Link kopieren", "Update for the latest features and improvements.": "Aktualisieren Sie für die neuesten Funktionen und Verbesserungen.", "Update password": "Passwort aktualisieren", + "Update your status": "", "Updated": "Aktualisiert", "Updated at": "Aktualisiert am", "Updated At": "Aktualisiert am", @@ -1723,6 +1746,7 @@ "View Replies": "Antworten anzeigen", "View Result from **{{NAME}}**": "Ergebnis von **{{NAME}}** anzeigen", "Visibility": "Sichtbarkeit", + "Visible to all users": "", "Vision": "Bilderkennung", "Voice": "Stimme", "Voice Input": "Spracheingabe", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Was versuchen Sie zu erreichen?", "What are you working on?": "Woran arbeiten Sie?", "What's New in": "Neuigkeiten von", + "What's on your mind?": "", "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.": "Wenn aktiviert, antwortet das Modell in Echtzeit auf jede Chat-Nachricht und generiert eine Antwort, sobald der Benutzer eine Nachricht sendet. Dieser Modus ist nützlich für Live-Chat-Anwendungen, kann jedoch die Leistung auf langsamerer Hardware beeinträchtigen.", "wherever you are": "wo immer Sie sind", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Ob die Ausgabe paginiert werden soll. Jede Seite wird durch eine horizontale Linie und eine Seitenzahl getrennt. Standardmäßig deaktiviert.", diff --git a/src/lib/i18n/locales/dg-DG/translation.json b/src/lib/i18n/locales/dg-DG/translation.json index f17318dbb5..d0c440a855 100644 --- a/src/lib/i18n/locales/dg-DG/translation.json +++ b/src/lib/i18n/locales/dg-DG/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "", "{{webUIName}} Backend Required": "{{webUIName}} Backend Much Required", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "", "a user": "such user", "About": "Much About", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Add Files", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "", "Add Model": "", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Click for help. Much assist.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Collection", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Discover, download, and explore custom prompts", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Discover, download, and explore model presets", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Failed to read clipboard borks", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Failed to save conversation borks", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "Much group", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Only wow characters and hyphens are allowed in the bork string.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Looks like the URL is invalid. Please double-check and try again.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Such profile", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "Prompt Content", "Prompt created successfully": "", @@ -1453,6 +1472,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Set Voice so speak", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1505,6 +1525,9 @@ "Start a new conversation": "", "Start of the channel": "Start of channel", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1520,7 +1543,7 @@ "STT Model": "", "STT Settings": "STT Settings very settings", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "", + "Subtitle": "", "Success": "Success very success", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Successfully updated. Very updated.", @@ -1603,7 +1626,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Title very title", - "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "Title Auto-Generation much auto-gen", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1672,6 +1694,7 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "Update password much change", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1725,6 +1748,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1752,6 +1776,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "What's New in much new", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/el-GR/translation.json b/src/lib/i18n/locales/el-GR/translation.json index de56080f3b..a687eee992 100644 --- a/src/lib/i18n/locales/el-GR/translation.json +++ b/src/lib/i18n/locales/el-GR/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Συνομιλίες του {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Απαιτείται Backend", "*Prompt node ID(s) are required for image generation": "*Τα αναγνωριστικά κόμβου Prompt απαιτούνται για τη δημιουργία εικόνων", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Μια νέα έκδοση (v{{LATEST_VERSION}}) είναι τώρα διαθέσιμη.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Ένα μοντέλο εργασίας χρησιμοποιείται κατά την εκτέλεση εργασιών όπως η δημιουργία τίτλων για συνομιλίες και αναζητήσεις στο διαδίκτυο", "a user": "ένας χρήστης", "About": "Σχετικά", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Προσθήκη Αρχείων", - "Add Group": "Προσθήκη Ομάδας", + "Add Member": "", + "Add Members": "", "Add Memory": "Προσθήκη Μνήμης", "Add Model": "Προσθήκη Μοντέλου", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "Παραπομπές", "Clear memory": "Καθαρισμός μνήμης", "Clear Memory": "", + "Clear status": "", "click here": "κλικ εδώ", "Click here for filter guides.": "Κάντε κλικ εδώ για οδηγούς φίλτρων.", "Click here for help.": "Κάντε κλικ εδώ για βοήθεια.", @@ -288,6 +294,7 @@ "Code Interpreter": "Διερμηνέας Κώδικα", "Code Interpreter Engine": "Μηχανή Διερμηνέα Κώδικα", "Code Interpreter Prompt Template": "Πρότυπο Προτροπής Διερμηνέα Κώδικα", + "Collaboration channel where people join as members": "", "Collapse": "Σύμπτυξη", "Collection": "Συλλογή", "Color": "Χρώμα", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Ανακαλύψτε, κατεβάστε και εξερευνήστε προσαρμοσμένες προτροπές", "Discover, download, and explore custom tools": "Ανακαλύψτε, κατεβάστε και εξερευνήστε προσαρμοσμένα εργαλεία", "Discover, download, and explore model presets": "Ανακαλύψτε, κατεβάστε και εξερευνήστε προκαθορισμένα μοντέλα", + "Discussion channel where access is based on groups and permissions": "", "Display": "Εμφάνιση", "Display chat title in tab": "Εμφάνιση τίτλου συνομιλίας στην καρτέλα", "Display Emoji in Call": "Εμφάνιση Emoji στην Κλήση", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "π.χ. \"json\" ή ένα JSON σχήμα", "e.g. 60": "π.χ. 60", "e.g. A filter to remove profanity from text": "π.χ. Ένα φίλτρο για να αφαιρέσετε βρισιές από το κείμενο", + "e.g. about the Roman Empire": "", "e.g. en": "π.χ. en", "e.g. My Filter": "π.χ. Το Φίλτρο Μου", "e.g. My Tools": "π.χ. Τα Εργαλεία Μου", "e.g. my_filter": "π.χ. my_filter", "e.g. my_tools": "π.χ. my_tools", "e.g. pdf, docx, txt": "π.χ. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "π.χ. Εργαλεία για την εκτέλεση διάφορων λειτουργιών", "e.g., 3, 4, 5 (leave blank for default)": "π.χ. 3, 4, 5 (αφήστε κενό για προεπιλογή)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "π.χ. audio/wav,audio/mpeg,video/* (αφήστε κενό για προεπιλογή)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Εξαγωγή Διαμόρφωσης σε Αρχείο JSON", "Export Models": "", "Export Presets": "Εξαγωγή Προκαθορισμένων", - "Export Prompt Suggestions": "Εξαγωγή Προτεινόμενων Προτροπών", "Export Prompts": "", "Export to CSV": "Εξαγωγή σε CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "URL του εξωτερικού διακομιστή αναζήτησης", "Fade Effect for Streaming Text": "", "Failed to add file.": "Αποτυχία προσθήκης αρχείου.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Αποτυχία σύνδεσης στο διακομιστή εργαλείων OpenAPI {{URL}}", "Failed to copy link": "Αποτυχία αντιγραφής συνδέσμου", "Failed to create API Key.": "Αποτυχία δημιουργίας Κλειδιού API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Αποτυχία φόρτωσης περιεχομένου αρχείου", "Failed to move chat": "Αποτυχία μετακίνησης συνομιλίας", "Failed to read clipboard contents": "Αποτυχία ανάγνωσης περιεχομένων πρόχειρου", + "Failed to remove member": "", "Failed to render diagram": "Αποτυχία απεικόνισης διαγράμματος", "Failed to render visualization": "", "Failed to save connections": "Αποτυχία αποθήκευσης συνδέσεων", "Failed to save conversation": "Αποτυχία αποθήκευσης συνομιλίας", "Failed to save models configuration": "Αποτυχία αποθήκευσης ρυθμίσεων μοντέλων", "Failed to update settings": "Αποτυχία ενημέρωσης ρυθμίσεων", + "Failed to update status": "", "Failed to upload file.": "Αποτυχία ανεβάσματος αρχείου.", "Features": "Λειτουργίες", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Αναγνωριστικό Μηχανής Google PSE", "Gravatar": "", "Group": "Ομάδα", + "Group Channel": "", "Group created successfully": "Η ομάδα δημιουργήθηκε με επιτυχία", "Group deleted successfully": "Η ομάδα διαγράφηκε με επιτυχία", "Group Description": "Περιγραφή Ομάδας", "Group Name": "Όνομα Ομάδας", "Group updated successfully": "Η ομάδα ενημερώθηκε με επιτυχία", + "groups": "", "Groups": "Ομάδες", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Εισαγωγή Προκαθορισμένων", - "Import Prompt Suggestions": "Εισαγωγή Προτεινόμενων Προτροπών", "Import Prompts": "", "Import successful": "Εισαγωγή επιτυχής", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Οι αναμνήσεις προσβάσιμες από τα LLMs θα εμφανιστούν εδώ.", "Memory": "Μνήμη", "Memory added successfully": "Η μνήμη προστέθηκε με επιτυχία", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Επιτρέπονται μόνο αλφαριθμητικοί χαρακτήρες και παύλες στο string της εντολής.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Μόνο συλλογές μπορούν να επεξεργαστούν, δημιουργήστε μια νέα βάση γνώσης για επεξεργασία/προσθήκη εγγράφων.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Μόνο επιλεγμένοι χρήστες και ομάδες με άδεια μπορούν να έχουν πρόσβαση", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ωχ! Φαίνεται ότι το URL είναι μη έγκυρο. Παρακαλώ ελέγξτε ξανά και δοκιμάστε.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Προηγούμενες 7 ημέρες", "Previous message": "Προηγούμενο μήνυμα", "Private": "Ιδιωτικό", + "Private conversation between selected users": "", "Profile": "Προφίλ", "Prompt": "Προτροπή", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Προτροπή (π.χ. Πες μου ένα διασκεδαστικό γεγονός για την Ρωμαϊκή Αυτοκρατορία)", "Prompt Autocompletion": "Αυτόματη συμπλήρωση προτροπής", "Prompt Content": "Περιεχόμενο Προτροπής", "Prompt created successfully": "Η προτροπή δημιουργήθηκε με επιτυχία", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ορισμός του αριθμού των νημάτων εργασίας που χρησιμοποιούνται για υπολογισμούς. Αυτή η επιλογή ελέγχει πόσα νήματα χρησιμοποιούνται για την επεξεργασία των εισερχόμενων αιτημάτων ταυτόχρονα. Η αύξηση αυτής της τιμής μπορεί να βελτιώσει την απόδοση σε εργασίες υψηλής συγχρονισμένης φόρτωσης αλλά μπορεί επίσης να καταναλώσει περισσότερους πόρους CPU.", "Set Voice": "Ορισμός Φωνής", "Set whisper model": "Ορισμός μοντέλου whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Αρχή του καναλιού", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "Μοντέλο Μετατροπής Ομιλίας σε Κείμενο", "STT Settings": "Ρυθμίσεις Μετατροπής Ομιλίας σε Κείμενο", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Υπότιτλος (π.χ. για την Ρωμαϊκή Αυτοκρατορία)", + "Subtitle": "", "Success": "Επιτυχία", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Επιτυχώς ενημερώθηκε.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Απαιτείται το URL διακομιστή Tika.", "Tiktoken": "", "Title": "Τίτλος", - "Title (e.g. Tell me a fun fact)": "Τίτλος (π.χ. Πες μου ένα διασκεδαστικό γεγονός)", "Title Auto-Generation": "Αυτόματη Γενιά Τίτλων", "Title cannot be an empty string.": "Ο τίτλος δεν μπορεί να είναι κενή συμβολοσειρά.", "Title Generation": "Δημιουργία Τίτλου", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Ενημέρωση και Αντιγραφή Συνδέσμου", "Update for the latest features and improvements.": "Ενημερωθείτε για τις τελευταίες λειτουργίες και βελτιώσεις.", "Update password": "Ενημέρωση κωδικού", + "Update your status": "", "Updated": "Ενημερώθηκε", "Updated at": "Ενημερώθηκε στις", "Updated At": "Ενημερώθηκε στις", @@ -1723,6 +1746,7 @@ "View Replies": "Προβολή Απαντήσεων", "View Result from **{{NAME}}**": "Προβολή Αποτελέσματος από **{{NAME}}**", "Visibility": "Ορατότητα", + "Visible to all users": "", "Vision": "Όραση", "Voice": "Φωνή", "Voice Input": "Εισαγωγή Φωνής", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Τι προσπαθείτε να πετύχετε?", "What are you working on?": "Τι εργάζεστε;", "What's New in": "Τι νέο υπάρχει στο", + "What's on your mind?": "", "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": "οπουδήποτε βρίσκεστε", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/en-GB/translation.json b/src/lib/i18n/locales/en-GB/translation.json index 837b00a13d..f4920bd19c 100644 --- a/src/lib/i18n/locales/en-GB/translation.json +++ b/src/lib/i18n/locales/en-GB/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "", "{{webUIName}} Backend Required": "", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "", "a user": "", "About": "", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "", "Add Model": "", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "", "Color": "Colour", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "", @@ -1263,9 +1282,9 @@ "Previous 7 days": "", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalise repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Sets a scaling bias against tokens to penalise repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalise repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "", "STT Settings": "", "Stylized PDF Export": "Stylised PDF Export", - "Subtitle (e.g. about the Roman Empire)": "", + "Subtitle": "", "Success": "", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "", - "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/en-US/translation.json b/src/lib/i18n/locales/en-US/translation.json index 9e8a1e8e53..a217d4c6ed 100644 --- a/src/lib/i18n/locales/en-US/translation.json +++ b/src/lib/i18n/locales/en-US/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "", "{{webUIName}} Backend Required": "", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "", "a user": "", "About": "", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "", "Add Model": "", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "", @@ -1263,9 +1282,9 @@ "Previous 7 days": "", "Previous message": "Previous message", "Private": "", + "Private conversation between selected users": "", "Profile": "", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "", "STT Settings": "", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "", + "Subtitle": "", "Success": "", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "", - "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/es-ES/translation.json b/src/lib/i18n/locales/es-ES/translation.json index ee1d976a95..3c2ff42c26 100644 --- a/src/lib/i18n/locales/es-ES/translation.json +++ b/src/lib/i18n/locales/es-ES/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} palabras", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} a las {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "La descarga de {{model}} ha sido cancelada", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Chats de {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Servidor Requerido", "*Prompt node ID(s) are required for image generation": "Los ID de nodo son requeridos para la generación de imágenes", "1 Source": "1 Fuente", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Nueva versión (v{{LATEST_VERSION}}) disponible.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "El modelo de tareas realiza tareas como la generación de títulos para chats y consultas de búsqueda web", "a user": "un usuario", "About": "Acerca de", @@ -53,7 +57,8 @@ "Add Custom Prompt": "Añadir Indicador Personalizado", "Add Details": "Añadir Detalles", "Add Files": "Añadir Archivos", - "Add Group": "Añadir Grupo", + "Add Member": "", + "Add Members": "", "Add Memory": "Añadir Memoria", "Add Model": "Añadir Modelo", "Add Reaction": "Añadir Reacción", @@ -252,6 +257,7 @@ "Citations": "Citas", "Clear memory": "Liberar memoria", "Clear Memory": "Liberar Memoria", + "Clear status": "", "click here": "Pulsar aquí", "Click here for filter guides.": "Pulsar aquí para guías de filtros", "Click here for help.": "Pulsar aquí para Ayuda.", @@ -288,6 +294,7 @@ "Code Interpreter": "Interprete de Código", "Code Interpreter Engine": "Motor del Interprete de Código", "Code Interpreter Prompt Template": "Plantilla del Indicador del Interprete de Código", + "Collaboration channel where people join as members": "", "Collapse": "Plegar", "Collection": "Colección", "Color": "Color", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Descubre, descarga, y explora indicadores personalizados", "Discover, download, and explore custom tools": "Descubre, descarga y explora herramientas personalizadas", "Discover, download, and explore model presets": "Descubre, descarga y explora modelos con preajustados", + "Discussion channel where access is based on groups and permissions": "", "Display": "Mostrar", "Display chat title in tab": "Mostrar título del chat en el tabulador", "Display Emoji in Call": "Muestra Emojis en Llamada", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "p.ej. \"json\" o un esquema JSON", "e.g. 60": "p.ej. 60", "e.g. A filter to remove profanity from text": "p.ej. Un filtro para eliminar malas palabras del texto", + "e.g. about the Roman Empire": "", "e.g. en": "p.ej. es", "e.g. My Filter": "p.ej. Mi Filtro", "e.g. My Tools": "p.ej. Mis Herramientas", "e.g. my_filter": "p.ej. mi_filtro", "e.g. my_tools": "p.ej. mis_herramientas", "e.g. pdf, docx, txt": "p.ej. pdf, docx, txt ...", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "p.ej. Herramientas para realizar diversas operaciones", "e.g., 3, 4, 5 (leave blank for default)": "p.ej. , 3, 4, 5 ...", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "e.g., audio/wav,audio/mpeg,video/* (dejar en blanco para predeterminados)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exportar Configuración a archivo JSON", "Export Models": "Exportar Modelos", "Export Presets": "Exportar Preajustes", - "Export Prompt Suggestions": "Exportar Sugerencias de Indicador", "Export Prompts": "Exportar Indicadores", "Export to CSV": "Exportar a CSV", "Export Tools": "Exportar Herramientas", @@ -704,6 +714,8 @@ "External Web Search URL": "URL del Buscador Web Externo", "Fade Effect for Streaming Text": "Efecto de desvanecimiento para texto transmitido (streaming)", "Failed to add file.": "Fallo al añadir el archivo.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Fallo al conectar al servidor de herramientas {{URL}}", "Failed to copy link": "Fallo al copiar enlace", "Failed to create API Key.": "Fallo al crear la Clave API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Fallo al cargar el contenido del archivo", "Failed to move chat": "Fallo al mover el chat", "Failed to read clipboard contents": "Fallo al leer el contenido del portapapeles", + "Failed to remove member": "", "Failed to render diagram": "Fallo al renderizar el diagrama", "Failed to render visualization": "Fallo al renderizar la visualización", "Failed to save connections": "Fallo al guardar las conexiones", "Failed to save conversation": "Fallo al guardar la conversación", "Failed to save models configuration": "Fallo al guardar la configuración de los modelos", "Failed to update settings": "Fallo al actualizar los ajustes", + "Failed to update status": "", "Failed to upload file.": "Fallo al subir el archivo.", "Features": "Características", "Features Permissions": "Permisos de las Características", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID del Motor PSE de Google", "Gravatar": "Gravatar", "Group": "Grupo", + "Group Channel": "", "Group created successfully": "Grupo creado correctamente", "Group deleted successfully": "Grupo eliminado correctamente", "Group Description": "Descripción del Grupo", "Group Name": "Nombre del Grupo", "Group updated successfully": "Grupo actualizado correctamente", + "groups": "", "Groups": "Grupos", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "Importar Modelos", "Import Notes": "Importar Notas", "Import Presets": "Importar Preajustes", - "Import Prompt Suggestions": "Importar Sugerencias de Indicador", "Import Prompts": "Importar Indicadores", "Import successful": "Importación realizada correctamente", "Import Tools": "Importar Herramientas", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El soporte de MCP es experimental y su especificación cambia con frecuencia, lo que puede generar incompatibilidades. El equipo de Open WebUI mantiene directamente la compatibilidad con la especificación OpenAPI, lo que la convierte en la opción más fiable para la compatibilidad.", "Medium": "Medio", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Las memorias accesibles por los LLMs se mostrarán aquí.", "Memory": "Memoria", "Memory added successfully": "Memoria añadida correctamente", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo están permitidos en la cadena de comandos caracteres alfanuméricos y guiones.", "Only can be triggered when the chat input is in focus.": "Solo se puede activar cuando el foco está en la entrada del chat.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar las colecciones, para añadir/editar documentos hay que crear una nueva base de conocimientos", + "Only invited users can access": "", "Only markdown files are allowed": "Solo están permitidos archivos markdown", "Only select users and groups with permission can access": "Solo pueden acceder los usuarios y grupos con permiso", "Oops! Looks like the URL is invalid. Please double-check and try again.": "¡vaya! Parece que la URL es inválida. Por favor, revisala y reintenta de nuevo.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 días previos", "Previous message": "Mensaje anterior", "Private": "Privado", + "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "Indicador", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Indicador (p.ej. Cuéntame una cosa divertida sobre el Imperio Romano)", "Prompt Autocompletion": "Autocompletado del Indicador", "Prompt Content": "Contenido del Indicador", "Prompt created successfully": "Indicador creado exitosamente", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Establece el número de hilos de trabajo utilizados para el computo. Esta opción controla cuántos hilos son usados para procesar solicitudes entrantes concurrentes. Aumentar este valor puede mejorar el rendimiento bajo cargas de trabajo de alta concurrencia, pero también puede consumir más recursos de la CPU.", "Set Voice": "Establecer la voz", "Set whisper model": "Establecer modelo whisper (transcripción)", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo plano contra los tokens que han aparecido al menos una vez. Un valor más alto (p.ej. 1.5) penalizará las repeticiones más fuertemente, mientras que un valor más bajo (p.ej. 0.9) será más indulgente. En 0, está deshabilitado.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo escalado contra los tokens para penalizar las repeticiones, basado en cuántas veces han aparecido. Un valor más alto (por ejemplo, 1.5) penalizará las repeticiones más fuertemente, mientras que un valor más bajo (por ejemplo, 0.9) será más indulgente. En 0, está deshabilitado.", "Sets how far back for the model to look back to prevent repetition.": "Establece cuántos tokens debe mirar atrás el modelo para prevenir la repetición. ", @@ -1504,6 +1524,9 @@ "Start a new conversation": "Comenzar una conversación nueva", "Start of the channel": "Inicio del canal", "Start Tag": "Etiqueta de Inicio", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Actualizaciones de Estado", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Pasos", @@ -1519,7 +1542,7 @@ "STT Model": "Modelo STT", "STT Settings": "Ajustes Voz a Texto (STT)", "Stylized PDF Export": "Exportar PDF Estilizado", - "Subtitle (e.g. about the Roman Empire)": "Subtítulo (p.ej. sobre el Imperio Romano)", + "Subtitle": "", "Success": "Correcto", "Successfully imported {{userCount}} users.": "{{userCount}} usuarios importados correctamente.", "Successfully updated.": "Actualizado correctamente.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "URL del Servidor Tika necesaria", "Tiktoken": "Tiktoken", "Title": "Título", - "Title (e.g. Tell me a fun fact)": "Título (p.ej. cuéntame un hecho divertidado)", "Title Auto-Generation": "AutoGeneración de Títulos", "Title cannot be an empty string.": "El título no puede ser una cadena vacía.", "Title Generation": "Generación de Títulos", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Actualizar y Copiar Enlace", "Update for the latest features and improvements.": "Actualizar para las últimas características y mejoras.", "Update password": "Actualizar contraseña", + "Update your status": "", "Updated": "Actualizado", "Updated at": "Actualizado el", "Updated At": "Actualizado El", @@ -1724,6 +1747,7 @@ "View Replies": "Ver Respuestas", "View Result from **{{NAME}}**": "Ver Resultado desde **{{NAME}}**", "Visibility": "Visibilidad", + "Visible to all users": "", "Vision": "Visión", "Voice": "Voz", "Voice Input": "Entrada de Voz", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "¿Qué estás tratando de conseguir?", "What are you working on?": "¿En qué estás trabajando?", "What's New in": "Que hay de Nuevo en", + "What's on your mind?": "", "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.": "Cuando está habilitado, el modelo responderá a cada mensaje de chat en tiempo real, generando una respuesta tan pronto como se envíe un mensaje. Este modo es útil para aplicaciones de chat en vivo, pero puede afectar al rendimiento en equipos más lentos.", "wherever you are": "dondequiera que estés", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Al paginar la salida. Cada página será separada por una línea horizontal y número de página. Por defecto: Falso", diff --git a/src/lib/i18n/locales/et-EE/translation.json b/src/lib/i18n/locales/et-EE/translation.json index f05715bccb..d04f42b906 100644 --- a/src/lib/i18n/locales/et-EE/translation.json +++ b/src/lib/i18n/locales/et-EE/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} sõna", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} kell {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} allalaadimine on tühistatud", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} vestlused", "{{webUIName}} Backend Required": "{{webUIName}} taustaserver on vajalik", "*Prompt node ID(s) are required for image generation": "*Vihje sõlme ID(d) on piltide genereerimiseks vajalikud", "1 Source": "1 allikas", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Uus versioon (v{{LATEST_VERSION}}) on saadaval.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Ülesande mudelit kasutatakse selliste toimingute jaoks nagu vestluste pealkirjade ja veebiotsingu päringute genereerimine", "a user": "kasutaja", "About": "Teave", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "Lisa üksikasjad", "Add Files": "Lisa faile", - "Add Group": "Lisa grupp", + "Add Member": "", + "Add Members": "", "Add Memory": "Lisa mälu", "Add Model": "Lisa mudel", "Add Reaction": "Lisa reaktsioon", @@ -252,6 +257,7 @@ "Citations": "Citations", "Clear memory": "Tühjenda mälu", "Clear Memory": "Tühjenda mälu", + "Clear status": "", "click here": "klõpsake siia", "Click here for filter guides.": "Filtri juhiste jaoks klõpsake siia.", "Click here for help.": "Abi saamiseks klõpsake siia.", @@ -288,6 +294,7 @@ "Code Interpreter": "Koodi interpretaator", "Code Interpreter Engine": "Koodi interpretaatori mootor", "Code Interpreter Prompt Template": "Koodi interpretaatori vihje mall", + "Collaboration channel where people join as members": "", "Collapse": "Ahenda", "Collection": "Kogu", "Color": "Värv", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Avasta, laadi alla ja uuri kohandatud vihjeid", "Discover, download, and explore custom tools": "Avasta, laadi alla ja uuri kohandatud tööriistu", "Discover, download, and explore model presets": "Avasta, laadi alla ja uuri mudeli eelseadistusi", + "Discussion channel where access is based on groups and permissions": "", "Display": "Kuva", "Display chat title in tab": "Display vestlus title in tab", "Display Emoji in Call": "Kuva kõnes emoji", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "nt \"json\" või JSON skeem", "e.g. 60": "nt 60", "e.g. A filter to remove profanity from text": "nt filter, mis eemaldab tekstist roppused", + "e.g. about the Roman Empire": "", "e.g. en": "nt en", "e.g. My Filter": "nt Minu Filter", "e.g. My Tools": "nt Minu Tööriistad", "e.g. my_filter": "nt minu_filter", "e.g. my_tools": "nt minu_toriistad", "e.g. pdf, docx, txt": "nt pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "nt tööriistad mitmesuguste operatsioonide teostamiseks", "e.g., 3, 4, 5 (leave blank for default)": "nt 3, 4, 5 (jäta vaikimisi jaoks tühjaks)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "nt audio/wav,audio/mpeg,video/* (vaikeväärtuste jaoks jäta tühjaks)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Ekspordi seadistus JSON-failina", "Export Models": "", "Export Presets": "Ekspordi eelseadistused", - "Export Prompt Suggestions": "Ekspordi vihje soovitused", "Export Prompts": "", "Export to CSV": "Ekspordi CSV-na", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "Välise veebiotsingu URL", "Fade Effect for Streaming Text": "Hajuefekt voogteksti jaoks", "Failed to add file.": "Faili lisamine ebaõnnestus.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Ebaõnnestus kuni connect kuni {{URL}} OpenAPI tööriist server", "Failed to copy link": "Lingi kopeerimine ebaõnnestus", "Failed to create API Key.": "API võtme loomine ebaõnnestus.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Ebaõnnestus kuni load fail content.", "Failed to move chat": "Ebaõnnestus kuni teisalda vestlus", "Failed to read clipboard contents": "Lõikelaua sisu lugemine ebaõnnestus", + "Failed to remove member": "", "Failed to render diagram": "Diagrammi renderdamine ebaõnnestus", "Failed to render visualization": "", "Failed to save connections": "Ebaõnnestus kuni salvesta connections", "Failed to save conversation": "Vestluse salvestamine ebaõnnestus", "Failed to save models configuration": "Mudelite konfiguratsiooni salvestamine ebaõnnestus", "Failed to update settings": "Seadete uuendamine ebaõnnestus", + "Failed to update status": "", "Failed to upload file.": "Faili üleslaadimine ebaõnnestus.", "Features": "Funktsioonid", "Features Permissions": "Funktsioonide õigused", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE mootori ID", "Gravatar": "Gravatar", "Group": "Rühm", + "Group Channel": "", "Group created successfully": "Grupp edukalt loodud", "Group deleted successfully": "Grupp edukalt kustutatud", "Group Description": "Grupi kirjeldus", "Group Name": "Grupi nimi", "Group updated successfully": "Grupp edukalt uuendatud", + "groups": "", "Groups": "Grupid", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Impordi märkmed", "Import Presets": "Impordi eelseadistused", - "Import Prompt Suggestions": "Impordi vihje soovitused", "Import Prompts": "", "Import successful": "Import õnnestus", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP support is katsetuslik ja its specification changes often, which can lead kuni incompatibilities. OpenAPI specification support is directly maintained autor the Ava WebUI team, making it the more reliable option for compatibility.", "Medium": "Keskmine", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM-idele ligipääsetavad mälestused kuvatakse siin.", "Memory": "Mälu", "Memory added successfully": "Mälu edukalt lisatud", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Käsustringis on lubatud ainult tähtede-numbrite kombinatsioonid ja sidekriipsud.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Muuta saab ainult kogusid, dokumentide muutmiseks/lisamiseks looge uus teadmiste baas.", + "Only invited users can access": "", "Only markdown files are allowed": "Only markdown failid are allowed", "Only select users and groups with permission can access": "Juurdepääs on ainult valitud õigustega kasutajatel ja gruppidel", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oih! URL tundub olevat vigane. Palun kontrollige ja proovige uuesti.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Eelmised 7 päeva", "Previous message": "Previous sõnum", "Private": "Privaatne", + "Private conversation between selected users": "", "Profile": "Profiil", "Prompt": "Vihje", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Vihje (nt Räägi mulle üks huvitav fakt Rooma impeeriumi kohta)", "Prompt Autocompletion": "Prompt Autocompletion", "Prompt Content": "Vihje sisu", "Prompt created successfully": "Vihje edukalt loodud", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Määrake arvutusteks kasutatavate töölõimede arv. See valik kontrollib, mitu lõime kasutatakse saabuvate päringute samaaegseks töötlemiseks. Selle väärtuse suurendamine võib parandada jõudlust suure samaaegsusega töökoormuste korral, kuid võib tarbida rohkem CPU ressursse.", "Set Voice": "Määra hääl", "Set whisper model": "Määra whisper mudel", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Seab tasase kallutatuse tokenite vastu, mis on esinenud vähemalt üks kord. Kõrgem väärtus (nt 1,5) karistab kordusi tugevamalt, samas kui madalam väärtus (nt 0,9) on leebem. Väärtuse 0 korral on see keelatud.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Seab skaleeritava kallutatuse tokenite vastu korduste karistamiseks, põhinedes sellel, mitu korda need on esinenud. Kõrgem väärtus (nt 1,5) karistab kordusi tugevamalt, samas kui madalam väärtus (nt 0,9) on leebem. Väärtuse 0 korral on see keelatud.", "Sets how far back for the model to look back to prevent repetition.": "Määrab, kui kaugele mudel tagasi vaatab, et vältida kordusi.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "Käivita a new conversation", "Start of the channel": "Kanali algus", "Start Tag": "Käivita Silt", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Olek Updates", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT mudel", "STT Settings": "STT seaded", "Stylized PDF Export": "Stylized PDF Ekspordi", - "Subtitle (e.g. about the Roman Empire)": "Alampealkiri (nt Rooma impeeriumi kohta)", + "Subtitle": "", "Success": "Õnnestus", "Successfully imported {{userCount}} users.": "Successfully imported {{userCount}} kasutajat.", "Successfully updated.": "Edukalt uuendatud.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika serveri URL on nõutav.", "Tiktoken": "Tiktoken", "Title": "Pealkiri", - "Title (e.g. Tell me a fun fact)": "Pealkiri (nt Räägi mulle üks huvitav fakt)", "Title Auto-Generation": "Pealkirja automaatne genereerimine", "Title cannot be an empty string.": "Pealkiri ei saa olla tühi string.", "Title Generation": "Pealkirja genereerimine", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Uuenda ja kopeeri link", "Update for the latest features and improvements.": "Uuendage, et saada uusimad funktsioonid ja täiustused.", "Update password": "Uuenda parooli", + "Update your status": "", "Updated": "Uuendatud", "Updated at": "Uuendamise aeg", "Updated At": "Uuendamise aeg", @@ -1723,6 +1746,7 @@ "View Replies": "Vaata vastuseid", "View Result from **{{NAME}}**": "Vaata Result alates **{{NAME}}**", "Visibility": "Nähtavus", + "Visible to all users": "", "Vision": "Vision", "Voice": "Hääl", "Voice Input": "Hääle sisend", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Mida te püüate saavutada?", "What are you working on?": "Millega te tegelete?", "What's New in": "Mis on uut", + "What's on your mind?": "", "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.": "Kui see on lubatud, vastab mudel igale vestlussõnumile reaalajas, genereerides vastuse niipea, kui kasutaja sõnumi saadab. See režiim on kasulik reaalajas vestlusrakendustes, kuid võib mõjutada jõudlust aeglasema riistvara puhul.", "wherever you are": "kus iganes te olete", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Whether kuni paginate the output. Each leht will be separated autor a horizontal rule ja leht number. Defaults kuni False.", diff --git a/src/lib/i18n/locales/eu-ES/translation.json b/src/lib/i18n/locales/eu-ES/translation.json index 93fa267202..31d22abaeb 100644 --- a/src/lib/i18n/locales/eu-ES/translation.json +++ b/src/lib/i18n/locales/eu-ES/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}-ren Txatak", "{{webUIName}} Backend Required": "{{webUIName}} Backend-a Beharrezkoa", "*Prompt node ID(s) are required for image generation": "Prompt nodoaren IDa(k) beharrezkoak dira irudiak sortzeko", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Bertsio berri bat (v{{LATEST_VERSION}}) eskuragarri dago orain.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Ataza eredua erabiltzen da txatentzako izenburuak eta web bilaketa kontsultak sortzeko bezalako atazak egitean", "a user": "erabiltzaile bat", "About": "Honi buruz", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Gehitu Fitxategiak", - "Add Group": "Gehitu Taldea", + "Add Member": "", + "Add Members": "", "Add Memory": "Gehitu Memoria", "Add Model": "Gehitu Eredua", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Garbitu memoria", "Clear Memory": "", + "Clear status": "", "click here": "klikatu hemen", "Click here for filter guides.": "Klikatu hemen iragazkien gidak ikusteko.", "Click here for help.": "Klikatu hemen laguntzarako.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Bilduma", "Color": "Kolorea", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Aurkitu, deskargatu eta esploratu prompt pertsonalizatuak", "Discover, download, and explore custom tools": "Aurkitu, deskargatu eta esploratu tresna pertsonalizatuak", "Discover, download, and explore model presets": "Aurkitu, deskargatu eta esploratu ereduen aurrezarpenak", + "Discussion channel where access is based on groups and permissions": "", "Display": "Bistaratu", "Display chat title in tab": "", "Display Emoji in Call": "Bistaratu Emojiak Deietan", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "adib. Testutik lizunkeriak kentzeko iragazki bat", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "adib. Nire Iragazkia", "e.g. My Tools": "adib. Nire Tresnak", "e.g. my_filter": "adib. nire_iragazkia", "e.g. my_tools": "adib. nire_tresnak", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "adib. Hainbat eragiketa egiteko tresnak", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Esportatu Konfigurazioa JSON Fitxategira", "Export Models": "", "Export Presets": "Esportatu Aurrezarpenak", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Esportatu CSVra", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Huts egin du fitxategia gehitzean.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Huts egin du API Gakoa sortzean.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Huts egin du arbelaren edukia irakurtzean", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Huts egin du elkarrizketa gordetzean", "Failed to save models configuration": "Huts egin du ereduen konfigurazioa gordetzean", "Failed to update settings": "Huts egin du ezarpenak eguneratzean", + "Failed to update status": "", "Failed to upload file.": "Huts egin du fitxategia igotzean.", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE Motor IDa", "Gravatar": "", "Group": "Taldea", + "Group Channel": "", "Group created successfully": "Taldea ongi sortu da", "Group deleted successfully": "Taldea ongi ezabatu da", "Group Description": "Taldearen Deskribapena", "Group Name": "Taldearen Izena", "Group updated successfully": "Taldea ongi eguneratu da", + "groups": "", "Groups": "Taldeak", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Inportatu Aurrezarpenak", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMek atzitu ditzaketen memoriak hemen erakutsiko dira.", "Memory": "Memoria", "Memory added successfully": "Memoria ongi gehitu da", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Karaktere alfanumerikoak eta marratxoak soilik onartzen dira komando katean.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Bildumak soilik edita daitezke, sortu ezagutza-base berri bat dokumentuak editatzeko/gehitzeko.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Baimena duten erabiltzaile eta talde hautatuek soilik sar daitezke", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! URLa ez da baliozkoa. Mesedez, egiaztatu eta saiatu berriro.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Aurreko 7 egunak", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profila", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt-a (adib. Kontatu datu dibertigarri bat Erromatar Inperioari buruz)", "Prompt Autocompletion": "", "Prompt Content": "Prompt edukia", "Prompt created successfully": "Prompt-a ongi sortu da", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ezarri kalkulurako erabilitako langile harien kopurua. Aukera honek kontrolatzen du zenbat hari erabiltzen diren sarrerako eskaerak aldi berean prozesatzeko. Balio hau handitzeak errendimendua hobetu dezake konkurrentzia altuko lan-kargetan, baina CPU baliabide gehiago kontsumitu ditzake.", "Set Voice": "Ezarri ahotsa", "Set whisper model": "Ezarri whisper modeloa", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Kanalaren hasiera", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT modeloa", "STT Settings": "STT ezarpenak", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Azpititulua (adib. Erromatar Inperioari buruz)", + "Subtitle": "", "Success": "Arrakasta", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Ongi eguneratu da.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika zerbitzariaren URLa beharrezkoa da.", "Tiktoken": "Tiktoken", "Title": "Izenburua", - "Title (e.g. Tell me a fun fact)": "Izenburua (adib. Kontatu datu dibertigarri bat)", "Title Auto-Generation": "Izenburuen sorrera automatikoa", "Title cannot be an empty string.": "Izenburua ezin da kate hutsa izan.", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Eguneratu eta kopiatu esteka", "Update for the latest features and improvements.": "Eguneratu azken ezaugarri eta hobekuntzak izateko.", "Update password": "Eguneratu pasahitza", + "Update your status": "", "Updated": "Eguneratuta", "Updated at": "Noiz eguneratuta", "Updated At": "Noiz eguneratuta", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "Ikusgarritasuna", + "Visible to all users": "", "Vision": "", "Voice": "Ahotsa", "Voice Input": "Ahots sarrera", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Zer lortu nahi duzu?", "What are you working on?": "Zertan ari zara lanean?", "What's New in": "Zer berri honetan:", + "What's on your mind?": "", "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.": "Gaituta dagoenean, modeloak txat mezu bakoitzari denbora errealean erantzungo dio, erantzun bat sortuz erabiltzaileak mezua bidaltzen duen bezain laster. Modu hau erabilgarria da zuzeneko txat aplikazioetarako, baina errendimenduan eragina izan dezake hardware motelagoan.", "wherever you are": "zauden tokian zaudela", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/fa-IR/translation.json b/src/lib/i18n/locales/fa-IR/translation.json index 0134fda521..613bad9a90 100644 --- a/src/lib/i18n/locales/fa-IR/translation.json +++ b/src/lib/i18n/locales/fa-IR/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} کلمه", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} در {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "دانلود {{model}} لغو شده است", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} گفتگوهای", "{{webUIName}} Backend Required": "بکند {{webUIName}} نیاز است.", "*Prompt node ID(s) are required for image generation": "*شناسه(های) گره پرامپت برای تولید تصویر مورد نیاز است", "1 Source": "۱ منبع", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "نسخه جدید (v{{LATEST_VERSION}}) در دسترس است.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "یک مدل وظیفه هنگام انجام وظایف مانند تولید عناوین برای چت ها و نمایش های جستجوی وب استفاده می شود.", "a user": "یک کاربر", "About": "درباره", @@ -53,7 +57,8 @@ "Add Custom Prompt": "افزودن پرامپت سفارشی", "Add Details": "افزودن جزئیات", "Add Files": "افزودن فایل\u200cها", - "Add Group": "افزودن گروه", + "Add Member": "", + "Add Members": "", "Add Memory": "افزودن حافظه", "Add Model": "افزودن مدل", "Add Reaction": "افزودن واکنش", @@ -252,6 +257,7 @@ "Citations": "ارجاعات", "Clear memory": "پاک کردن حافظه", "Clear Memory": "پاک کردن حافظه", + "Clear status": "", "click here": "اینجا کلیک کنید", "Click here for filter guides.": "برای راهنمای فیلترها اینجا کلیک کنید.", "Click here for help.": "برای کمک اینجا را کلیک کنید.", @@ -288,6 +294,7 @@ "Code Interpreter": "مفسر کد", "Code Interpreter Engine": "موتور مفسر کد", "Code Interpreter Prompt Template": "قالب پرامپت مفسر کد", + "Collaboration channel where people join as members": "", "Collapse": "جمع کردن", "Collection": "مجموعه", "Color": "رنگ", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "پرامپت\u200cهای سفارشی را کشف، دانلود و کاوش کنید", "Discover, download, and explore custom tools": "کشف، دانلود و کاوش ابزارهای سفارشی", "Discover, download, and explore model presets": "پیش تنظیمات مدل را کشف، دانلود و کاوش کنید", + "Discussion channel where access is based on groups and permissions": "", "Display": "نمایش", "Display chat title in tab": "نمایش عنوان چت در تب", "Display Emoji in Call": "نمایش اموجی در تماس", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "مثلا \"json\" یا یک طرح JSON", "e.g. 60": "مثلا 60", "e.g. A filter to remove profanity from text": "مثلا فیلتری برای حذف ناسزا از متن", + "e.g. about the Roman Empire": "", "e.g. en": "مثلاً en", "e.g. My Filter": "مثلا فیلتر من", "e.g. My Tools": "مثلا ابزارهای من", "e.g. my_filter": "مثلا my_filter", "e.g. my_tools": "مثلا my_tools", "e.g. pdf, docx, txt": "مثلاً pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "مثلا ابزارهایی برای انجام عملیات مختلف", "e.g., 3, 4, 5 (leave blank for default)": "مثلاً ۳، ۴، ۵ (برای پیش\u200cفرض خالی بگذارید)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "مثلاً audio/wav,audio/mpeg,video/* (برای پیش\u200cفرض\u200cها خالی بگذارید)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "برون\u200cریزی پیکربندی به پروندهٔ JSON", "Export Models": "", "Export Presets": "برون\u200cریزی پیش\u200cتنظیم\u200cها", - "Export Prompt Suggestions": "خروجی گرفتن از پیشنهادات پرامپت", "Export Prompts": "", "Export to CSV": "برون\u200cریزی به CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "آدرس URL جستجوی وب خارجی", "Fade Effect for Streaming Text": "جلوه محو شدن برای متن جریانی", "Failed to add file.": "خطا در افزودن پرونده", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "خطا در اتصال به سرور ابزار OpenAPI {{URL}}", "Failed to copy link": "کپی لینک ناموفق بود", "Failed to create API Key.": "ایجاد کلید API با خطا مواجه شد.", @@ -717,12 +729,14 @@ "Failed to load file content.": "بارگیری محتوای فایل ناموفق بود.", "Failed to move chat": "انتقال چت ناموفق بود", "Failed to read clipboard contents": "خواندن محتوای کلیپ بورد ناموفق بود", + "Failed to remove member": "", "Failed to render diagram": "رندر دیاگرام ناموفق بود", "Failed to render visualization": "رندر بصری\u200cسازی ناموفق بود", "Failed to save connections": "خطا در ذخیره\u200cسازی اتصالات", "Failed to save conversation": "خطا در ذخیره\u200cسازی گفت\u200cوگو", "Failed to save models configuration": "خطا در ذخیره\u200cسازی پیکربندی مدل\u200cها", "Failed to update settings": "خطا در به\u200cروزرسانی تنظیمات", + "Failed to update status": "", "Failed to upload file.": "خطا در بارگذاری پرونده", "Features": "ویژگی\u200cها", "Features Permissions": "مجوزهای ویژگی\u200cها", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "شناسه موتور PSE گوگل", "Gravatar": "گراواتار", "Group": "گروه", + "Group Channel": "", "Group created successfully": "گروه با موفقیت ایجاد شد", "Group deleted successfully": "گروه با موفقیت حذف شد", "Group Description": "توضیحات گروه", "Group Name": "نام گروه", "Group updated successfully": "گروه با موفقیت به\u200cروز شد", + "groups": "", "Groups": "گروه\u200cها", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "وارد کردن یادداشت\u200cها", "Import Presets": "درون\u200cریزی پیش\u200cتنظیم\u200cها", - "Import Prompt Suggestions": "وارد کردن پیشنهادات پرامپت", "Import Prompts": "", "Import successful": "وارد کردن با موفقیت انجام شد", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "پشتیبانی MCP آزمایشی است و مشخصات آن اغلب تغییر می\u200cکند، که می\u200cتواند منجر به ناسازگاری شود. پشتیبانی از مشخصات OpenAPI مستقیماً توسط تیم Open WebUI نگهداری می\u200cشود و آن را به گزینه قابل اعتماد\u200cتری برای سازگاری تبدیل می\u200cکند.", "Medium": "متوسط", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "حافظه های دسترسی به LLMs در اینجا نمایش داده می شوند.", "Memory": "حافظه", "Memory added successfully": "حافظه با موفقیت اضافه شد", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "فقط کاراکترهای الفبایی و خط فاصله در رشته فرمان مجاز هستند.", "Only can be triggered when the chat input is in focus.": "فقط زمانی قابل اجرا است که ورودی چت در فوکوس باشد.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "فقط مجموعه\u200cها قابل ویرایش هستند، برای ویرایش/افزودن اسناد یک پایگاه دانش جدید ایجاد کنید.", + "Only invited users can access": "", "Only markdown files are allowed": "فقط فایل\u200cهای مارک\u200cداون مجاز هستند", "Only select users and groups with permission can access": "فقط کاربران و گروه\u200cهای دارای مجوز می\u200cتوانند دسترسی داشته باشند", "Oops! Looks like the URL is invalid. Please double-check and try again.": "اوه! به نظر می رسد URL نامعتبر است. لطفاً دوباره بررسی کنید و دوباره امتحان کنید.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 روز قبل", "Previous message": "پیام قبلی", "Private": "خصوصی", + "Private conversation between selected users": "", "Profile": "پروفایل", "Prompt": "پرامپت", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "پیشنهاد (برای مثال: به من بگوید چیزی که برای من یک کاربرد داره درباره ایران)", "Prompt Autocompletion": "تکمیل خودکار پرامپت", "Prompt Content": "محتویات پرامپت", "Prompt created successfully": "پرامپت با موفقیت ایجاد شد", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "تعداد نخ\u200cهای کارگر مورد استفاده برای محاسبات را تنظیم کنید. این گزینه کنترل می\u200cکند که چند نخ برای پردازش همزمان درخواست\u200cهای ورودی استفاده می\u200cشود. افزایش این مقدار می\u200cتواند عملکرد را در بارهای کاری با همزمانی بالا بهبود بخشد اما ممکن است منابع CPU بیشتری مصرف کند.", "Set Voice": "تنظیم صدا", "Set whisper model": "تنظیم مدل ویسپر", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "یک بایاس ثابت در برابر توکن\u200cهایی که حداقل یک بار ظاهر شده\u200cاند تنظیم می\u200cکند. مقدار بالاتر (مثلاً 1.5) تکرارها را شدیدتر جریمه می\u200cکند، در حالی که مقدار پایین\u200cتر (مثلاً 0.9) آسان\u200cگیرتر خواهد بود. در 0، غیرفعال می\u200cشود.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "یک بایاس مقیاس\u200cپذیر در برابر توکن\u200cها برای جریمه کردن تکرارها، بر اساس تعداد دفعات ظاهر شدن آنها تنظیم می\u200cکند. مقدار بالاتر (مثلاً 1.5) تکرارها را شدیدتر جریمه می\u200cکند، در حالی که مقدار پایین\u200cتر (مثلاً 0.9) آسان\u200cگیرتر خواهد بود. در 0، غیرفعال می\u200cشود.", "Sets how far back for the model to look back to prevent repetition.": "تنظیم می\u200cکند که مدل چقدر به عقب نگاه کند تا از تکرار جلوگیری شود.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "شروع یک مکالمه جدید", "Start of the channel": "آغاز کانال", "Start Tag": "تگ شروع", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "به\u200cروزرسانی\u200cهای وضعیت", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "مراحل", @@ -1518,7 +1541,7 @@ "STT Model": "مدل تبدیل صدا به متن", "STT Settings": "تنظیمات تبدیل صدا به متن", "Stylized PDF Export": "خروجی گرفتن از PDF با استایل", - "Subtitle (e.g. about the Roman Empire)": "زیرنویس (برای مثال: درباره رمانی)", + "Subtitle": "", "Success": "موفقیت", "Successfully imported {{userCount}} users.": "{{userCount}} کاربر با موفقیت وارد شدند.", "Successfully updated.": "با موفقیت به\u200cروز شد", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "آدرس سرور تیکا مورد نیاز است.", "Tiktoken": "تیک توکن", "Title": "عنوان", - "Title (e.g. Tell me a fun fact)": "عنوان (برای مثال: به من بگوید چیزی که دوست دارید)", "Title Auto-Generation": "تولید خودکار عنوان", "Title cannot be an empty string.": "عنوان نمی تواند یک رشته خالی باشد.", "Title Generation": "تولید عنوان", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "به روزرسانی و کپی لینک", "Update for the latest features and improvements.": "برای آخرین ویژگی\u200cها و بهبودها به\u200cروزرسانی کنید.", "Update password": "به روزرسانی رمزعبور", + "Update your status": "", "Updated": "بارگذاری شد", "Updated at": "بارگذاری در", "Updated At": "بارگذاری در", @@ -1723,6 +1746,7 @@ "View Replies": "مشاهده پاسخ\u200cها", "View Result from **{{NAME}}**": "مشاهده نتیجه از **{{NAME}}**", "Visibility": "قابلیت مشاهده", + "Visible to all users": "", "Vision": "بینایی", "Voice": "صوت", "Voice Input": "ورودی صوتی", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "به دنبال دستیابی به چه هدفی هستید؟", "What are you working on?": "روی چه چیزی کار می\u200cکنید؟", "What's New in": "چه چیز جدیدی در", + "What's on your mind?": "", "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.": "وقتی فعال باشد، مدل به هر پیام گفتگو در زمان واقعی پاسخ می\u200cدهد و به محض ارسال پیام توسط کاربر، پاسخی تولید می\u200cکند. این حالت برای برنامه\u200cهای گفتگوی زنده مفید است، اما ممکن است در سخت\u200cافزارهای کندتر بر عملکرد تأثیر بگذارد.", "wherever you are": "هر جا که هستید", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "آیا خروجی صفحه\u200cبندی شود یا خیر. هر صفحه با یک خط افقی و شماره صفحه از هم جدا می\u200cشود. پیش\u200cفرض: False.", diff --git a/src/lib/i18n/locales/fi-FI/translation.json b/src/lib/i18n/locales/fi-FI/translation.json index 1cf41620e3..21ca7a584d 100644 --- a/src/lib/i18n/locales/fi-FI/translation.json +++ b/src/lib/i18n/locales/fi-FI/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} sanaa", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} lataus peruttu", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}:n keskustelut", "{{webUIName}} Backend Required": "{{webUIName}}-backend vaaditaan", "*Prompt node ID(s) are required for image generation": "Kuvan luomiseen vaaditaan kehote-solmun ID(t)", "1 Source": "1 lähde", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Uusi versio (v{{LATEST_VERSION}}) on nyt saatavilla.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Tehtävämallia käytetään tehtävien suorittamiseen, kuten otsikoiden luomiseen keskusteluille ja verkkohakukyselyille", "a user": "käyttäjä", "About": "Tietoja", @@ -53,7 +57,8 @@ "Add Custom Prompt": "Lisää mukautettu kehoite", "Add Details": "Lisää yksityiskohtia", "Add Files": "Lisää tiedostoja", - "Add Group": "Lisää ryhmä", + "Add Member": "", + "Add Members": "", "Add Memory": "Lisää muistiin", "Add Model": "Lisää malli", "Add Reaction": "Lisää reaktio", @@ -252,6 +257,7 @@ "Citations": "Lähdeviitteet", "Clear memory": "Tyhjennä muisti", "Clear Memory": "Tyhjennä Muisti", + "Clear status": "", "click here": "klikkaa tästä", "Click here for filter guides.": "Katso suodatinohjeita klikkaamalla tästä.", "Click here for help.": "Klikkaa tästä saadaksesi apua.", @@ -288,6 +294,7 @@ "Code Interpreter": "Ohjelmatulkki", "Code Interpreter Engine": "Ohjelmatulkin moottori", "Code Interpreter Prompt Template": "Ohjelmatulkin kehotemalli", + "Collaboration channel where people join as members": "", "Collapse": "Pienennä", "Collection": "Kokoelma", "Color": "Väri", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Löydä ja lataa mukautettuja kehotteita", "Discover, download, and explore custom tools": "Etsi, lataa ja tutki mukautettuja työkaluja", "Discover, download, and explore model presets": "Löydä ja lataa mallien esiasetuksia", + "Discussion channel where access is based on groups and permissions": "", "Display": "Näytä", "Display chat title in tab": "Näytä keskustelu otiskko välilehdessä", "Display Emoji in Call": "Näytä hymiöitä puhelussa", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "esim. \"json\" tai JSON kaava", "e.g. 60": "esim. 60", "e.g. A filter to remove profanity from text": "esim. suodatin, joka poistaa kirosanoja tekstistä", + "e.g. about the Roman Empire": "", "e.g. en": "esim. en", "e.g. My Filter": "esim. Oma suodatin", "e.g. My Tools": "esim. Omat työkalut", "e.g. my_filter": "esim. oma_suodatin", "e.g. my_tools": "esim. omat_työkalut", "e.g. pdf, docx, txt": "esim. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "esim. työkaluja erilaisten toimenpiteiden suorittamiseen", "e.g., 3, 4, 5 (leave blank for default)": "esim. 3, 4, 5 (jätä tyhjäksi, jos haluat oletusarvon)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "esim. audio/wav,audio/mpeg,video/* (oletusarvot tyhjänä)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Vie asetukset JSON-tiedostoon", "Export Models": "", "Export Presets": "Vie esiasetukset", - "Export Prompt Suggestions": "Vie kehote ehdotukset", "Export Prompts": "", "Export to CSV": "Vie CSV-tiedostoon", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "Ulkoinen Web Search verkko-osoite", "Fade Effect for Streaming Text": "Häivytystehoste suoratoistetulle tekstille", "Failed to add file.": "Tiedoston lisääminen epäonnistui.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Yhdistäminen {{URL}} OpenAPI työkalu palvelimeen epäonnistui", "Failed to copy link": "Linkin kopiointi epäonnistui", "Failed to create API Key.": "API-avaimen luonti epäonnistui.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Tiedoston sisällön lataaminen epäonnistui.", "Failed to move chat": "Keskustelun siirto epäonnistui", "Failed to read clipboard contents": "Leikepöydän sisällön lukeminen epäonnistui", + "Failed to remove member": "", "Failed to render diagram": "Diagrammin renderöinti epäonnistui", "Failed to render visualization": "Visualisoinnin renderöinti epäonnistui", "Failed to save connections": "Yhteyksien tallentaminen epäonnistui", "Failed to save conversation": "Keskustelun tallentaminen epäonnistui", "Failed to save models configuration": "Mallien määrityksen tallentaminen epäonnistui", "Failed to update settings": "Asetusten päivittäminen epäonnistui", + "Failed to update status": "", "Failed to upload file.": "Tiedoston lataaminen epäonnistui.", "Features": "Ominaisuudet", "Features Permissions": "Ominaisuuksien käyttöoikeudet", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE -moottorin tunnus", "Gravatar": "Gravatar", "Group": "Ryhmä", + "Group Channel": "", "Group created successfully": "Ryhmä luotu onnistuneesti", "Group deleted successfully": "Ryhmä poistettu onnistuneesti", "Group Description": "Ryhmän kuvaus", "Group Name": "Ryhmän nimi", "Group updated successfully": "Ryhmä päivitetty onnistuneesti", + "groups": "", "Groups": "Ryhmät", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Tuo muistiinpanoja", "Import Presets": "Tuo esiasetuksia", - "Import Prompt Suggestions": "Tuo kehote ehdotukset", "Import Prompts": "", "Import successful": "Tuonti onnistui", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP-tuki on kokeellinen ja sen määritykset muuttuvat usein, mikä voi johtaa yhteensopivuus ongelmiin. OpenAPI-määritysten tuesta vastaa suoraan Open WebUI -tiimi, joten se on luotettavampi vaihtoehto yhteensopivuuden kannalta.", "Medium": "Keskitaso", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Muistitiedostot, joita LLM-ohjelmat käyttävät, näkyvät tässä.", "Memory": "Muisti", "Memory added successfully": "Muisti lisätty onnistuneesti", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Vain kirjaimet, numerot ja väliviivat ovat sallittuja komentosarjassa.", "Only can be triggered when the chat input is in focus.": "Voidaan laukaista vain, kun tekstikenttä on kohdistettuna.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Vain kokoelmia voi muokata, luo uusi tietokanta muokataksesi/lisätäksesi asiakirjoja.", + "Only invited users can access": "", "Only markdown files are allowed": "Vain markdown tiedostot ovat sallittuja", "Only select users and groups with permission can access": "Vain valitut käyttäjät ja ryhmät, joilla on käyttöoikeus, pääsevät käyttämään", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hups! Näyttää siltä, että verkko-osoite on virheellinen. Tarkista se ja yritä uudelleen.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Edelliset 7 päivää", "Previous message": "Edellinen viesti", "Private": "Yksityinen", + "Private conversation between selected users": "", "Profile": "Profiili", "Prompt": "Kehote", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Kehote (esim. Kerro hauska fakta Rooman valtakunnasta)", "Prompt Autocompletion": "Kehotteen automaattinen täydennys", "Prompt Content": "Kehotteen sisältö", "Prompt created successfully": "Kehote luotu onnistuneesti", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Aseta työntekijäsäikeiden määrä laskentaa varten. Tämä asetus kontrolloi, kuinka monta säiettä käytetään saapuvien pyyntöjen rinnakkaiseen käsittelyyn. Arvon kasvattaminen voi parantaa suorituskykyä suurissa samanaikaisissa työkuormissa, mutta voi myös kuluttaa enemmän keskussuorittimen resursseja.", "Set Voice": "Aseta puheääni", "Set whisper model": "Aseta whisper-malli", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "Määrittää kuinka kauas taaksepäin malli katsoo toistumisen estämiseksi.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "Aloita uusi keskustelu", "Start of the channel": "Kanavan alku", "Start Tag": "Aloitus tagi", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Tila päivitykset", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Askeleet", @@ -1518,7 +1541,7 @@ "STT Model": "Puheentunnistusmalli", "STT Settings": "Puheentunnistuksen asetukset", "Stylized PDF Export": "Muotoiltun PDF-vienti", - "Subtitle (e.g. about the Roman Empire)": "Alaotsikko (esim. Rooman valtakunta)", + "Subtitle": "", "Success": "Onnistui", "Successfully imported {{userCount}} users.": "{{userCount}} käyttäjää tuottiin onnistuneesti.", "Successfully updated.": "Päivitetty onnistuneesti.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika palvelimen verkko-osoite vaaditaan.", "Tiktoken": "Tiktoken", "Title": "Otsikko", - "Title (e.g. Tell me a fun fact)": "Otsikko (esim. Kerro hauska fakta)", "Title Auto-Generation": "Otsikon automaattinen luonti", "Title cannot be an empty string.": "Otsikko ei voi olla tyhjä merkkijono.", "Title Generation": "Otsikon luonti", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Päivitä ja kopioi linkki", "Update for the latest features and improvements.": "Päivitä uusimpiin ominaisuuksiin ja parannuksiin.", "Update password": "Päivitä salasana", + "Update your status": "", "Updated": "Päivitetty", "Updated at": "Päivitetty", "Updated At": "Päivitetty", @@ -1723,6 +1746,7 @@ "View Replies": "Näytä vastaukset", "View Result from **{{NAME}}**": "Näytä **{{NAME}}** tulokset", "Visibility": "Näkyvyys", + "Visible to all users": "", "Vision": "Visio", "Voice": "Ääni", "Voice Input": "Äänitulolaitteen käyttö", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Mitä yrität saavuttaa?", "What are you working on?": "Mitä olet työskentelemässä?", "What's New in": "Mitä uutta", + "What's on your mind?": "", "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.": "Kun käytössä, malli vastaa jokaiseen chatviestiin reaaliajassa, tuottaen vastauksen heti kun käyttäjä lähettää viestin. Tämä tila on hyödyllinen reaaliaikaisissa chat-sovelluksissa, mutta voi vaikuttaa suorituskykyyn hitaammilla laitteistoilla.", "wherever you are": "missä tahansa oletkin", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Sivutetaanko tuloste. Jokainen sivu erotetaan toisistaan vaakasuoralla viivalla ja sivunumerolla. Oletusarvo ei käytössä.", diff --git a/src/lib/i18n/locales/fr-CA/translation.json b/src/lib/i18n/locales/fr-CA/translation.json index 9c8c35bb9b..f34e4c589f 100644 --- a/src/lib/i18n/locales/fr-CA/translation.json +++ b/src/lib/i18n/locales/fr-CA/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Conversations de {{user}}", "{{webUIName}} Backend Required": "Backend {{webUIName}} requis", "*Prompt node ID(s) are required for image generation": "*Les ID de noeud du prompt sont nécessaires pour la génération d'images", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Une nouvelle version (v{{LATEST_VERSION}}) est disponible.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un modèle de tâche est utilisé lors de l'exécution de tâches telles que la génération de titres pour les conversations et les requêtes de recherche sur le web.", "a user": "un utilisateur", "About": "À propos", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Ajouter des fichiers", - "Add Group": "Ajouter un groupe", + "Add Member": "", + "Add Members": "", "Add Memory": "Ajouter un souvenir", "Add Model": "Ajouter un modèle", "Add Reaction": "Ajouter une réaction", @@ -252,6 +257,7 @@ "Citations": "Citations", "Clear memory": "Effacer la mémoire", "Clear Memory": "Effacer la mémoire", + "Clear status": "", "click here": "cliquez ici", "Click here for filter guides.": "Cliquez ici pour les guides de filtrage.", "Click here for help.": "Cliquez ici pour obtenir de l'aide.", @@ -288,6 +294,7 @@ "Code Interpreter": "Interpreteur de code", "Code Interpreter Engine": "Moteur de l'interpreteur de code", "Code Interpreter Prompt Template": "Modèle d'invite pour l'interpréteur de code", + "Collaboration channel where people join as members": "", "Collapse": "Réduire", "Collection": "Collection", "Color": "Couleur", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Découvrez, téléchargez et explorez des prompts personnalisés", "Discover, download, and explore custom tools": "Découvrez, téléchargez et explorez des outils personnalisés", "Discover, download, and explore model presets": "Découvrir, télécharger et explorer des préréglages de modèles", + "Discussion channel where access is based on groups and permissions": "", "Display": "Afficher", "Display chat title in tab": "", "Display Emoji in Call": "Afficher les emojis pendant l'appel", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "par ex. \"json\" ou un schéma JSON", "e.g. 60": "par ex. 60", "e.g. A filter to remove profanity from text": "par ex. un filtre pour retirer les vulgarités du texte", + "e.g. about the Roman Empire": "", "e.g. en": "par ex. fr", "e.g. My Filter": "par ex. Mon Filtre", "e.g. My Tools": "par ex. Mes Outils", "e.g. my_filter": "par ex. mon_filtre", "e.g. my_tools": "par ex. mes_outils", "e.g. pdf, docx, txt": "par ex. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "par ex. Outils pour effectuer diverses opérations", "e.g., 3, 4, 5 (leave blank for default)": "par ex., 3, 4, 5 (laisser vide pour par défaut)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exporter la configuration vers un fichier JSON", "Export Models": "", "Export Presets": "Exporter les préréglages", - "Export Prompt Suggestions": "Exporter les suggestions de prompt", "Export Prompts": "", "Export to CSV": "Exporter en CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "URL de la recherche Web externe", "Fade Effect for Streaming Text": "", "Failed to add file.": "Échec de l'ajout du fichier.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}", "Failed to copy link": "Échec de la copie du lien", "Failed to create API Key.": "Échec de la création de la clé API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Échec du chargement du contenu du fichier", "Failed to move chat": "", "Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Échec de la sauvegarde des connexions", "Failed to save conversation": "Échec de la sauvegarde de la conversation", "Failed to save models configuration": "Échec de la sauvegarde de la configuration des modèles", "Failed to update settings": "Échec de la mise à jour des réglages", + "Failed to update status": "", "Failed to upload file.": "Échec du téléversement du fichier.", "Features": "Fonctionnalités", "Features Permissions": "Autorisations des fonctionnalités", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID du moteur de recherche PSE de Google", "Gravatar": "", "Group": "Groupe", + "Group Channel": "", "Group created successfully": "Groupe créé avec succès", "Group deleted successfully": "Groupe supprimé avec succès", "Group Description": "Description du groupe", "Group Name": "Nom du groupe", "Group updated successfully": "Groupe mis à jour avec succès", + "groups": "", "Groups": "Groupes", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Importer des notes", "Import Presets": "Importer les préréglages", - "Import Prompt Suggestions": "Importer des suggestions de prompt", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Les souvenirs accessibles par les LLMs seront affichées ici.", "Memory": "Mémoire", "Memory added successfully": "Souvenir ajoutée avec succès", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Seules les collections peuvent être modifiées, créez une nouvelle base de connaissance pour modifier/ajouter des documents.", + "Only invited users can access": "", "Only markdown files are allowed": "Seul les fichiers markdown sont autorisés", "Only select users and groups with permission can access": "Seuls les utilisateurs et groupes autorisés peuvent accéder", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Veuillez vérifier à nouveau et réessayer.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 derniers jours", "Previous message": "Message précédent", "Private": "Privé", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (par ex. Dites-moi un fait amusant à propos de l'Empire romain)", "Prompt Autocompletion": "Autocomplétion de prompt", "Prompt Content": "Contenu du prompt", "Prompt created successfully": "Prompt créé avec succès", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Définir le nombre de threads de travail utilisés pour le calcul. Cette option contrôle combien de threads sont utilisés pour traiter les demandes entrantes simultanément. L'augmentation de cette valeur peut améliorer les performances sous de fortes charges de travail concurrentes mais peut également consommer plus de ressources CPU.", "Set Voice": "Choisir la voix", "Set whisper model": "Choisir le modèle Whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Applique un biais uniforme contre les jetons déjà apparus. Une valeur élevée (ex. : 1,5) pénalise fortement les répétitions, une valeur faible (ex. : 0,9) les tolère davantage. À 0, ce réglage est désactivé.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Applique un biais progressif contre les jetons en fonction de leur fréquence d'apparition. Une valeur plus élevée les pénalise davantage ; une valeur plus faible est plus indulgente. À 0, ce réglage est désactivé.", "Sets how far back for the model to look back to prevent repetition.": "Définit la profondeur de rétrospection du modèle pour éviter les répétitions.", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "Début du canal", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "Modèle de Speech-to-Text", "STT Settings": "Réglages de Speech-to-Text", "Stylized PDF Export": "Export de PDF stylisés", - "Subtitle (e.g. about the Roman Empire)": "Sous-titres (par ex. sur l'Empire romain)", + "Subtitle": "", "Success": "Réussite", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Mise à jour réussie.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "URL du serveur Tika requise.", "Tiktoken": "Tiktoken", "Title": "Titre", - "Title (e.g. Tell me a fun fact)": "Titre (par ex. raconte-moi un fait amusant)", "Title Auto-Generation": "Génération automatique des titres", "Title cannot be an empty string.": "Le titre ne peut pas être une chaîne de caractères vide.", "Title Generation": "Génération du Titre", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Mettre à jour et copier le lien", "Update for the latest features and improvements.": "Mettez à jour pour bénéficier des dernières fonctionnalités et améliorations.", "Update password": "Mettre à jour le mot de passe", + "Update your status": "", "Updated": "Mis à jour", "Updated at": "Mise à jour le", "Updated At": "Mise à jour le", @@ -1724,6 +1747,7 @@ "View Replies": "Voir les réponses", "View Result from **{{NAME}}**": "Voir le résultat de **{{NAME}}**", "Visibility": "Visibilité", + "Visible to all users": "", "Vision": "Vision", "Voice": "Voix", "Voice Input": "Saisie vocale", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "Que cherchez-vous à accomplir ?", "What are you working on?": "Sur quoi travaillez-vous ?", "What's New in": "Quoi de neuf dans", + "What's on your mind?": "", "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.": "Lorsqu'il est activé, le modèle répondra à chaque message de la conversation en temps réel, générant une réponse dès que l'utilisateur envoie un message. Ce mode est utile pour les applications de conversation en direct, mais peut affecter les performances sur un matériel plus lent.", "wherever you are": "où que vous soyez", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Indique si la sortie doit être paginée. Chaque page sera séparée par une règle horizontale et un numéro de page. La valeur par défaut est False.", diff --git a/src/lib/i18n/locales/fr-FR/translation.json b/src/lib/i18n/locales/fr-FR/translation.json index 89d08043af..f5d3436133 100644 --- a/src/lib/i18n/locales/fr-FR/translation.json +++ b/src/lib/i18n/locales/fr-FR/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} mots", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} à {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Le téléchargement de {{model}} a été annulé", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Conversations de {{user}}", "{{webUIName}} Backend Required": "Backend {{webUIName}} requis", "*Prompt node ID(s) are required for image generation": "*Les ID de noeud du prompt sont nécessaires pour la génération d'images", "1 Source": "1 Source", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Une nouvelle version (v{{LATEST_VERSION}}) est disponible.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un modèle de tâche est utilisé lors de l'exécution de tâches telles que la génération de titres pour les conversations et les requêtes de recherche sur le web.", "a user": "un utilisateur", "About": "À propos", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "Ajouter des détails", "Add Files": "Ajouter des fichiers", - "Add Group": "Ajouter un groupe", + "Add Member": "", + "Add Members": "", "Add Memory": "Ajouter un souvenir", "Add Model": "Ajouter un modèle", "Add Reaction": "Ajouter une réaction", @@ -252,6 +257,7 @@ "Citations": "Citations", "Clear memory": "Effacer la mémoire", "Clear Memory": "Effacer la mémoire", + "Clear status": "", "click here": "cliquez ici", "Click here for filter guides.": "Cliquez ici pour les guides de filtrage.", "Click here for help.": "Cliquez ici pour obtenir de l'aide.", @@ -288,6 +294,7 @@ "Code Interpreter": "Interpreteur de code", "Code Interpreter Engine": "Moteur de l'interpreteur de code", "Code Interpreter Prompt Template": "Modèle d'invite pour l'interpréteur de code", + "Collaboration channel where people join as members": "", "Collapse": "Réduire", "Collection": "Collection", "Color": "Couleur", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Découvrez, téléchargez et explorez des prompts personnalisés", "Discover, download, and explore custom tools": "Découvrez, téléchargez et explorez des outils personnalisés", "Discover, download, and explore model presets": "Découvrir, télécharger et explorer des préréglages de modèles", + "Discussion channel where access is based on groups and permissions": "", "Display": "Afficher", "Display chat title in tab": "", "Display Emoji in Call": "Afficher les emojis pendant l'appel", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "par ex. \"json\" ou un schéma JSON", "e.g. 60": "par ex. 60", "e.g. A filter to remove profanity from text": "par ex. un filtre pour retirer les vulgarités du texte", + "e.g. about the Roman Empire": "", "e.g. en": "par ex. fr", "e.g. My Filter": "par ex. Mon Filtre", "e.g. My Tools": "par ex. Mes Outils", "e.g. my_filter": "par ex. mon_filtre", "e.g. my_tools": "par ex. mes_outils", "e.g. pdf, docx, txt": "par ex. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "par ex. Outils pour effectuer diverses opérations", "e.g., 3, 4, 5 (leave blank for default)": "par ex., 3, 4, 5 (laisser vide pour par défaut)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "Ex : audio/wav,audio/mpeg,video/* (laisser vide pour les valeurs par défaut)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exporter la configuration vers un fichier JSON", "Export Models": "", "Export Presets": "Exporter les préréglages", - "Export Prompt Suggestions": "Exporter les suggestions de prompt", "Export Prompts": "", "Export to CSV": "Exporter en CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "URL de la recherche Web externe", "Fade Effect for Streaming Text": "Effet de fondu pour le texte en streaming", "Failed to add file.": "Échec de l'ajout du fichier.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}", "Failed to copy link": "Échec de la copie du lien", "Failed to create API Key.": "Échec de la création de la clé API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Échec du chargement du contenu du fichier", "Failed to move chat": "Échec du déplacement du chat", "Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Échec de la sauvegarde des connexions", "Failed to save conversation": "Échec de la sauvegarde de la conversation", "Failed to save models configuration": "Échec de la sauvegarde de la configuration des modèles", "Failed to update settings": "Échec de la mise à jour des réglages", + "Failed to update status": "", "Failed to upload file.": "Échec du téléversement du fichier.", "Features": "Fonctionnalités", "Features Permissions": "Autorisations des fonctionnalités", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID du moteur de recherche PSE de Google", "Gravatar": "", "Group": "Groupe", + "Group Channel": "", "Group created successfully": "Groupe créé avec succès", "Group deleted successfully": "Groupe supprimé avec succès", "Group Description": "Description du groupe", "Group Name": "Nom du groupe", "Group updated successfully": "Groupe mis à jour avec succès", + "groups": "", "Groups": "Groupes", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Importer des notes", "Import Presets": "Importer les préréglages", - "Import Prompt Suggestions": "Importer des suggestions de prompt", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "Moyen", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Les souvenirs accessibles par les LLMs seront affichées ici.", "Memory": "Mémoire", "Memory added successfully": "Souvenir ajoutée avec succès", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Seules les collections peuvent être modifiées, créez une nouvelle base de connaissance pour modifier/ajouter des documents.", + "Only invited users can access": "", "Only markdown files are allowed": "Seul les fichiers markdown sont autorisés", "Only select users and groups with permission can access": "Seuls les utilisateurs et groupes autorisés peuvent accéder", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Veuillez vérifier à nouveau et réessayer.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 derniers jours", "Previous message": "Message précédent", "Private": "Privé", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (par ex. Dites-moi un fait amusant à propos de l'Empire romain)", "Prompt Autocompletion": "Autocomplétion de prompt", "Prompt Content": "Contenu du prompt", "Prompt created successfully": "Prompt créé avec succès", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Définir le nombre de threads de travail utilisés pour le calcul. Cette option contrôle combien de threads sont utilisés pour traiter les demandes entrantes simultanément. L'augmentation de cette valeur peut améliorer les performances sous de fortes charges de travail concurrentes mais peut également consommer plus de ressources CPU.", "Set Voice": "Choisir la voix", "Set whisper model": "Choisir le modèle Whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Applique un biais uniforme contre les jetons déjà apparus. Une valeur élevée (ex. : 1,5) pénalise fortement les répétitions, une valeur faible (ex. : 0,9) les tolère davantage. À 0, ce réglage est désactivé.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Applique un biais progressif contre les jetons en fonction de leur fréquence d'apparition. Une valeur plus élevée les pénalise davantage ; une valeur plus faible est plus indulgente. À 0, ce réglage est désactivé.", "Sets how far back for the model to look back to prevent repetition.": "Définit la profondeur de rétrospection du modèle pour éviter les répétitions.", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "Début du canal", "Start Tag": "Balise de départ", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Mises à jour de statut", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "Modèle de Speech-to-Text", "STT Settings": "Réglages de Speech-to-Text", "Stylized PDF Export": "Export de PDF stylisés", - "Subtitle (e.g. about the Roman Empire)": "Sous-titres (par ex. sur l'Empire romain)", + "Subtitle": "", "Success": "Réussite", "Successfully imported {{userCount}} users.": "{{userCount}} utilisateurs ont été importés avec succès.", "Successfully updated.": "Mise à jour réussie.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "URL du serveur Tika requise.", "Tiktoken": "Tiktoken", "Title": "Titre", - "Title (e.g. Tell me a fun fact)": "Titre (par ex. raconte-moi un fait amusant)", "Title Auto-Generation": "Génération automatique des titres", "Title cannot be an empty string.": "Le titre ne peut pas être une chaîne de caractères vide.", "Title Generation": "Génération du Titre", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Mettre à jour et copier le lien", "Update for the latest features and improvements.": "Mettez à jour pour bénéficier des dernières fonctionnalités et améliorations.", "Update password": "Mettre à jour le mot de passe", + "Update your status": "", "Updated": "Mis à jour", "Updated at": "Mise à jour le", "Updated At": "Mise à jour le", @@ -1724,6 +1747,7 @@ "View Replies": "Voir les réponses", "View Result from **{{NAME}}**": "Voir le résultat de **{{NAME}}**", "Visibility": "Visibilité", + "Visible to all users": "", "Vision": "Vision", "Voice": "Voix", "Voice Input": "Saisie vocale", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "Que cherchez-vous à accomplir ?", "What are you working on?": "Sur quoi travaillez-vous ?", "What's New in": "Quoi de neuf dans", + "What's on your mind?": "", "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.": "Lorsqu'il est activé, le modèle répondra à chaque message de la conversation en temps réel, générant une réponse dès que l'utilisateur envoie un message. Ce mode est utile pour les applications de conversation en direct, mais peut affecter les performances sur un matériel plus lent.", "wherever you are": "où que vous soyez", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Indique si la sortie doit être paginée. Chaque page sera séparée par une règle horizontale et un numéro de page. La valeur par défaut est False.", diff --git a/src/lib/i18n/locales/gl-ES/translation.json b/src/lib/i18n/locales/gl-ES/translation.json index 389ebcd120..821585008c 100644 --- a/src/lib/i18n/locales/gl-ES/translation.json +++ b/src/lib/i18n/locales/gl-ES/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Chats do {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Servidor Requerido", "*Prompt node ID(s) are required for image generation": "Os ID do nodo son requeridos para a xeneración de imáxes", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Unha nova versión (v{{LATEST_VERSION}}) está disponible.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "o modelo de tarefas utilizase realizando tarefas como a xeneración de títulos para chats e consultas da búsqueda web", "a user": "un usuario", "About": "Sobre nos", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Agregar Arquivos", - "Add Group": "Agregar Grupo", + "Add Member": "", + "Add Members": "", "Add Memory": "Agregar Memoria", "Add Model": "Agregar Modelo", "Add Reaction": "Agregar Reacción", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Liberar memoria", "Clear Memory": "Limpar memoria", + "Clear status": "", "click here": "Pica aquí", "Click here for filter guides.": "Pica aquí para guías de filtros", "Click here for help.": "Pica aquí para obter axuda.", @@ -288,6 +294,7 @@ "Code Interpreter": "Interprete de Código", "Code Interpreter Engine": "Motor interprete de código", "Code Interpreter Prompt Template": "Exemplos de Prompt para o Interprete de Código", + "Collaboration channel where people join as members": "", "Collapse": "Esconder", "Collection": "Colección", "Color": "Cor", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Descubre, descarga, y explora Prompts personalizados", "Discover, download, and explore custom tools": "Descubre, descarga y explora ferramentas personalizadas", "Discover, download, and explore model presets": "Descubre, descarga y explora ajustes preestablecidos de modelos", + "Discussion channel where access is based on groups and permissions": "", "Display": "Mostrar", "Display chat title in tab": "", "Display Emoji in Call": "Muestra Emoji en chamada", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "e.g. 60", "e.g. A filter to remove profanity from text": "p.ej. Un filtro para eliminar a profanidade do texto", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "p.ej. O meu Filtro", "e.g. My Tools": "p.ej. As miñas ferramentas", "e.g. my_filter": "p.ej. meu_filtro", "e.g. my_tools": "p.ej. miñas_ferramentas", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "p.ej. ferramentas para realizar diversas operacions", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exportar configuración a Arquivo JSON", "Export Models": "", "Export Presets": "Exportar ajustes preestablecidos", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Exportar a CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Non pudo agregarse o Arquivo.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Non pudo xerarse a chave API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Non pudo Lerse o contido do portapapeles", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Non puido gardarse a conversa", "Failed to save models configuration": "Non pudogardarse a configuración de os modelos", "Failed to update settings": "Falla al actualizar os ajustes", + "Failed to update status": "", "Failed to upload file.": "Falla al subir o Arquivo.", "Features": "Características", "Features Permissions": "Permisos de características", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID do motor PSE de Google", "Gravatar": "", "Group": "Grupo", + "Group Channel": "", "Group created successfully": "Grupo creado correctamente", "Group deleted successfully": "Grupo eliminado correctamente", "Group Description": "Descripción do grupo", "Group Name": "Nome do grupo", "Group updated successfully": "Grupo actualizado correctamente", + "groups": "", "Groups": "Grupos", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Importar ajustes preestablecidos", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "As memorias accesibles por os LLMs mostraránse aquí.", "Memory": "Memoria", "Memory added successfully": "Memoria añadida correctamente", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo se permiten caracteres alfanuméricos y guiones en a cadena de comando.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar as coleccions, xerar unha nova base de coñecementos para editar / añadir documentos", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Solo os usuarios y grupos con permiso pueden acceder", "Oops! Looks like the URL is invalid. Please double-check and try again.": "¡Ups! Parece que a URL no es válida. Vuelva a verificar e inténtelo novamente.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Últimos 7 días", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (por Exemplo, cuéntame unha cosa divertida sobre o Imperio Romano)", "Prompt Autocompletion": "", "Prompt Content": "Contenido do Prompt", "Prompt created successfully": "Prompt creado exitosamente", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Establece o número de hilos de trabajo utilizados para o cálculo. Esta opción controla cuántos hilos se utilizan para procesar as solicitudes entrantes simultáneamente. Aumentar este valor puede mejorar o rendimiento bajo cargas de trabajo de alta concurrencia, pero también puede consumir mais recursos de CPU.", "Set Voice": "Establecer la voz", "Set whisper model": "Establecer modelo de whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo plano contra os tokens que han aparecido al menos una vez. Un valor más alto (por Exemplo, 1.5) penalizará más fuertemente las repeticiones, mientras que un valor más bajo (por Exemplo, 0.9) será más indulgente. En 0, está deshabilitado.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo de escala contra os tokens para penalizar las repeticiones, basado en cuántas veces han aparecido. Un valor más alto (por Exemplo, 1.5) penalizará más fuertemente las repeticiones, mientras que un valor más bajo (por Exemplo, 0.9) será más indulgente. En 0, está deshabilitado.", "Sets how far back for the model to look back to prevent repetition.": "Establece canto tempo debe retroceder o modelo para evitar a repetición.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Inicio da canle", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "Modelo STT", "STT Settings": "Configuracions de STT", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Subtítulo (por Exemplo, sobre o Imperio Romano)", + "Subtitle": "", "Success": "Éxito", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Actualizado exitosamente.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "URL do servidor de Tika", "Tiktoken": "Tiktoken", "Title": "Título", - "Title (e.g. Tell me a fun fact)": "Título (por Exemplo, cóntame unha curiosidad)", "Title Auto-Generation": "xeneración automática de títulos", "Title cannot be an empty string.": "O título non pode ser unha cadena vacía.", "Title Generation": "Xeneración de titulos", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Actualizar y copiar enlace", "Update for the latest features and improvements.": "Actualize para as últimas características e mejoras.", "Update password": "Actualizar contrasinal ", + "Update your status": "", "Updated": "Actualizado", "Updated at": "Actualizado en", "Updated At": "Actualizado en", @@ -1723,6 +1746,7 @@ "View Replies": "Ver respuestas", "View Result from **{{NAME}}**": "", "Visibility": "Visibilidad", + "Visible to all users": "", "Vision": "", "Voice": "Voz", "Voice Input": "Entrada de voz", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "¿Qué estás tratando de lograr?", "What are you working on?": "¿En qué estás trabajando?", "What's New in": "Novedades en", + "What's on your mind?": "", "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.": "Cando está habilitado, o modelo responderá a cada mensaxe de chat en tempo real, generando unha resposta tan pronto como o usuario envíe un mensaxe. Este modo es útil para aplicacions de chat en vivo, pero puede afectar o rendimiento en hardware mais lento.", "wherever you are": "Donde queira que estés", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/he-IL/translation.json b/src/lib/i18n/locales/he-IL/translation.json index bac52cf336..e2bb677e9f 100644 --- a/src/lib/i18n/locales/he-IL/translation.json +++ b/src/lib/i18n/locales/he-IL/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "צ'אטים של {{user}}", "{{webUIName}} Backend Required": "נדרש Backend של {{webUIName}}", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "מודל משימה משמש בעת ביצוע משימות כגון יצירת כותרות עבור צ'אטים ושאילתות חיפוש באינטרנט", "a user": "משתמש", "About": "אודות", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "הוסף קבצים", - "Add Group": "הוסף קבוצה", + "Add Member": "", + "Add Members": "", "Add Memory": "הוסף זיכרון", "Add Model": "הוסף מודל", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "נקה זיכרון", "Clear Memory": "נקה", + "Clear status": "", "click here": "לחץ פה", "Click here for filter guides.": "", "Click here for help.": "לחץ כאן לעזרה.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "אוסף", "Color": "צבע", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "גלה, הורד, וחקור פקודות מותאמות אישית", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "גלה, הורד, וחקור הגדרות מודל מוגדרות מראש", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "יצירת מפתח API נכשלה.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "קריאת תוכן הלוח נכשלה", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "שמירת השיחה נכשלה", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "מזהה מנוע PSE של Google", "Gravatar": "", "Group": "קבוצה", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "קבוצות", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "ייבוא פתקים", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "מזכירים נגישים על ידי LLMs יוצגו כאן.", "Memory": "זיכרון", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "רק תווים אלפאנומריים ומקפים מותרים במחרוזת הפקודה.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "אופס! נראה שהכתובת URL אינה תקינה. אנא בדוק שוב ונסה שנית.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 הימים הקודמים", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "פרופיל", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "פקודה (למשל, ספר לי עובדה מעניינת על האימפריה הרומית)", "Prompt Autocompletion": "", "Prompt Content": "תוכן הפקודה", "Prompt created successfully": "", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "הגדר קול", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "תחילת הערוץ", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "", "STT Settings": "הגדרות חקירה של TTS", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "תחקור (לדוגמה: על מעמד הרומי)", + "Subtitle": "", "Success": "הצלחה", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "עדכון הצלחה.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "שם", - "Title (e.g. Tell me a fun fact)": "שם (לדוגמה: תרגום)", "Title Auto-Generation": "יצירת שם אוטומטית", "Title cannot be an empty string.": "שם לא יכול להיות מחרוזת ריקה.", "Title Generation": "", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "עדכן ושכפל קישור", "Update for the latest features and improvements.": "", "Update password": "עדכן סיסמה", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1724,6 +1747,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "מה חדש ב", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/hi-IN/translation.json b/src/lib/i18n/locales/hi-IN/translation.json index 23bcb203a9..1127218ebc 100644 --- a/src/lib/i18n/locales/hi-IN/translation.json +++ b/src/lib/i18n/locales/hi-IN/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} की चैट", "{{webUIName}} Backend Required": "{{webUIName}} बैकएंड आवश्यक", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "चैट और वेब खोज क्वेरी के लिए शीर्षक उत्पन्न करने जैसे कार्य करते समय कार्य मॉडल का उपयोग किया जाता है", "a user": "एक उपयोगकर्ता", "About": "हमारे बारे में", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "फाइलें जोड़ें", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "मेमोरी जोड़ें", "Add Model": "मॉडल जोड़ें", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "सहायता के लिए यहां क्लिक करें।", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "संग्रह", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "कस्टम प्रॉम्प्ट को खोजें, डाउनलोड करें और एक्सप्लोर करें", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "मॉडल प्रीसेट खोजें, डाउनलोड करें और एक्सप्लोर करें", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "एपीआई कुंजी बनाने में विफल.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "क्लिपबोर्ड सामग्री पढ़ने में विफल", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "वार्तालाप सहेजने में विफल", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE इंजन आईडी", "Gravatar": "", "Group": "समूह", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "एलएलएम द्वारा सुलभ यादें यहां दिखाई जाएंगी।", "Memory": "मेमोरी", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "कमांड स्ट्रिंग में केवल अल्फ़ान्यूमेरिक वर्ण और हाइफ़न की अनुमति है।", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "उफ़! ऐसा लगता है कि यूआरएल अमान्य है. कृपया दोबारा जांचें और पुनः प्रयास करें।", @@ -1263,9 +1282,9 @@ "Previous 7 days": "पिछले 7 दिन", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "प्रोफ़ाइल", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "प्रॉम्प्ट (उदाहरण के लिए मुझे रोमन साम्राज्य के बारे में एक मजेदार तथ्य बताएं)", "Prompt Autocompletion": "", "Prompt Content": "प्रॉम्प्ट सामग्री", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "आवाज सेट करें", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "चैनल की शुरुआत", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "", "STT Settings": "STT सेटिंग्स ", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "उपशीर्षक (जैसे रोमन साम्राज्य के बारे में)", + "Subtitle": "", "Success": "संपन्न", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "सफलतापूर्वक उत्परिवर्तित।", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "शीर्षक", - "Title (e.g. Tell me a fun fact)": "शीर्षक (उदा. मुझे एक मज़ेदार तथ्य बताएं)", "Title Auto-Generation": "शीर्षक ऑटो-जेनरेशन", "Title cannot be an empty string.": "शीर्षक नहीं खाली पाठ हो सकता है.", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "अपडेट करें और लिंक कॉपी करें", "Update for the latest features and improvements.": "", "Update password": "पासवर्ड अपडेट करें", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "इसमें नया क्या है", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/hr-HR/translation.json b/src/lib/i18n/locales/hr-HR/translation.json index d3e8258e23..03b8810777 100644 --- a/src/lib/i18n/locales/hr-HR/translation.json +++ b/src/lib/i18n/locales/hr-HR/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Razgovori korisnika {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Backend je potreban", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model zadatka koristi se pri izvođenju zadataka kao što su generiranje naslova za razgovore i upite za pretraživanje weba", "a user": "korisnik", "About": "O aplikaciji", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Dodaj datoteke", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "Dodaj memoriju", "Add Model": "Dodaj model", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Očisti memoriju", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Kliknite ovdje za pomoć.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolekcija", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Otkrijte, preuzmite i istražite prilagođene prompte", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Otkrijte, preuzmite i istražite unaprijed postavljene modele", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Neuspješno stvaranje API ključa.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Neuspješno spremanje razgovora", "Failed to save models configuration": "", "Failed to update settings": "Greška kod ažuriranja postavki", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID Google PSE modula", "Gravatar": "", "Group": "Grupa", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Ovdje će biti prikazana memorija kojoj mogu pristupiti LLM-ovi.", "Memory": "Memorija", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Prethodnih 7 dana", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (npr. Reci mi zanimljivost o Rimskom carstvu)", "Prompt Autocompletion": "", "Prompt Content": "Sadržaj prompta", "Prompt created successfully": "", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Postavi glas", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "Početak kanala", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "STT model", "STT Settings": "STT postavke", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Podnaslov (npr. o Rimskom carstvu)", + "Subtitle": "", "Success": "Uspjeh", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Uspješno ažurirano.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Naslov", - "Title (e.g. Tell me a fun fact)": "Naslov (npr. Reci mi zanimljivost)", "Title Auto-Generation": "Automatsko generiranje naslova", "Title cannot be an empty string.": "Naslov ne može biti prazni niz.", "Title Generation": "", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Ažuriraj i kopiraj vezu", "Update for the latest features and improvements.": "", "Update password": "Ažuriraj lozinku", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1724,6 +1747,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Što je novo u", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/hu-HU/translation.json b/src/lib/i18n/locales/hu-HU/translation.json index 4803bea601..dcc8ab379e 100644 --- a/src/lib/i18n/locales/hu-HU/translation.json +++ b/src/lib/i18n/locales/hu-HU/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} beszélgetései", "{{webUIName}} Backend Required": "{{webUIName}} Backend szükséges", "*Prompt node ID(s) are required for image generation": "*Prompt node ID(k) szükségesek a képgeneráláshoz", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Új verzió (v{{LATEST_VERSION}}) érhető el.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "A feladat modell olyan feladatokhoz használatos, mint a beszélgetések címeinek generálása és webes keresési lekérdezések", "a user": "egy felhasználó", "About": "Névjegy", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Fájlok hozzáadása", - "Add Group": "Csoport hozzáadása", + "Add Member": "", + "Add Members": "", "Add Memory": "Memória hozzáadása", "Add Model": "Modell hozzáadása", "Add Reaction": "Reakció hozzáadása", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Memória törlése", "Clear Memory": "Memória törlése", + "Clear status": "", "click here": "kattints ide", "Click here for filter guides.": "Kattints ide a szűrő útmutatókért.", "Click here for help.": "Kattints ide segítségért.", @@ -288,6 +294,7 @@ "Code Interpreter": "Kód értelmező", "Code Interpreter Engine": "Kód értelmező motor", "Code Interpreter Prompt Template": "Kód értelmező prompt sablon", + "Collaboration channel where people join as members": "", "Collapse": "Összecsukás", "Collection": "Gyűjtemény", "Color": "Szín", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Fedezz fel, tölts le és fedezz fel egyéni promptokat", "Discover, download, and explore custom tools": "Fedezz fel, tölts le és fedezz fel egyéni eszközöket", "Discover, download, and explore model presets": "Fedezz fel, tölts le és fedezz fel modell beállításokat", + "Discussion channel where access is based on groups and permissions": "", "Display": "Megjelenítés", "Display chat title in tab": "", "Display Emoji in Call": "Emoji megjelenítése hívásban", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "pl. \"json\" vagy egy JSON séma", "e.g. 60": "pl. 60", "e.g. A filter to remove profanity from text": "pl. Egy szűrő a trágárság eltávolítására a szövegből", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "pl. Az én szűrőm", "e.g. My Tools": "pl. Az én eszközeim", "e.g. my_filter": "pl. az_en_szűrőm", "e.g. my_tools": "pl. az_en_eszkozeim", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "pl. Eszközök különböző műveletek elvégzéséhez", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Konfiguráció exportálása JSON fájlba", "Export Models": "", "Export Presets": "Előre beállított exportálás", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Exportálás CSV-be", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Nem sikerült hozzáadni a fájlt.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Nem sikerült csatlakozni a {{URL}} OpenAPI eszköszerverhez", "Failed to copy link": "", "Failed to create API Key.": "Nem sikerült létrehozni az API kulcsot.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Nem sikerült olvasni a vágólap tartalmát", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Nem sikerült menteni a kapcsolatokat", "Failed to save conversation": "Nem sikerült menteni a beszélgetést", "Failed to save models configuration": "Nem sikerült menteni a modellek konfigurációját", "Failed to update settings": "Nem sikerült frissíteni a beállításokat", + "Failed to update status": "", "Failed to upload file.": "Nem sikerült feltölteni a fájlt.", "Features": "Funkciók", "Features Permissions": "Funkciók engedélyei", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE motor azonosító", "Gravatar": "", "Group": "Csoport", + "Group Channel": "", "Group created successfully": "Csoport sikeresen létrehozva", "Group deleted successfully": "Csoport sikeresen törölve", "Group Description": "Csoport leírása", "Group Name": "Csoport neve", "Group updated successfully": "Csoport sikeresen frissítve", + "groups": "", "Groups": "Csoportok", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Előre beállított importálás", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Az LLM-ek által elérhető emlékek itt jelennek meg.", "Memory": "Memória", "Memory added successfully": "Memória sikeresen hozzáadva", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Csak alfanumerikus karakterek és kötőjelek engedélyezettek a parancssorban.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Csak gyűjtemények szerkeszthetők, hozzon létre új tudásbázist dokumentumok szerkesztéséhez/hozzáadásához.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Csak a kiválasztott, engedéllyel rendelkező felhasználók és csoportok férhetnek hozzá", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppá! Úgy tűnik, az URL érvénytelen. Kérjük, ellenőrizze és próbálja újra.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Előző 7 nap", "Previous message": "", "Private": "Privát", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (pl. Mondj egy érdekes tényt a Római Birodalomról)", "Prompt Autocompletion": "Prompt automatikus kiegészítés", "Prompt Content": "Prompt tartalom", "Prompt created successfully": "Prompt sikeresen létrehozva", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Állítsd be a számítási feladatokhoz használt munkaszálak számát. Ez az opció szabályozza, hány szál dolgozik párhuzamosan a bejövő kérések feldolgozásán. Az érték növelése javíthatja a teljesítményt nagy párhuzamosságú munkaterhelés esetén, de több CPU-erőforrást is fogyaszthat.", "Set Voice": "Hang beállítása", "Set whisper model": "Whisper modell beállítása", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Egységes elfogultságot állít be az egyszer már megjelent tokenek ellen. Magasabb érték (pl. 1,5) erősebben bünteti az ismétléseket, alacsonyabb érték (pl. 0,9) engedékenyebb. 0-nál kikapcsolva.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Skálázott elfogultságot állít be az ismétlések büntetésére a tokenek megjelenési száma alapján. Magasabb érték (pl. 1,5) erősebben bünteti az ismétléseket, alacsonyabb érték (pl. 0,9) engedékenyebb. 0-nál kikapcsolva.", "Sets how far back for the model to look back to prevent repetition.": "Beállítja, hogy a modell mennyire nézzen vissza az ismétlések elkerülése érdekében.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "A csatorna eleje", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT modell", "STT Settings": "STT beállítások", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Alcím (pl. a Római Birodalomról)", + "Subtitle": "", "Success": "Siker", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Sikeresen frissítve.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika szerver URL szükséges.", "Tiktoken": "Tiktoken", "Title": "Cím", - "Title (e.g. Tell me a fun fact)": "Cím (pl. Mondj egy érdekes tényt)", "Title Auto-Generation": "Cím automatikus generálása", "Title cannot be an empty string.": "A cím nem lehet üres karakterlánc.", "Title Generation": "Cím generálás", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Frissítés és link másolása", "Update for the latest features and improvements.": "Frissítsen a legújabb funkciókért és fejlesztésekért.", "Update password": "Jelszó frissítése", + "Update your status": "", "Updated": "Frissítve", "Updated at": "Frissítve ekkor", "Updated At": "Frissítve ekkor", @@ -1723,6 +1746,7 @@ "View Replies": "Válaszok megtekintése", "View Result from **{{NAME}}**": "Eredmény megtekintése innen: **{{NAME}}**", "Visibility": "Láthatóság", + "Visible to all users": "", "Vision": "", "Voice": "Hang", "Voice Input": "Hangbevitel", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Mit próbálsz elérni?", "What are you working on?": "Min dolgozol?", "What's New in": "Mi újság a", + "What's on your mind?": "", "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.": "Ha engedélyezve van, a modell valós időben válaszol minden csevegőüzenetre, amint a felhasználó elküldi az üzenetet. Ez a mód hasznos élő csevegőalkalmazásokhoz, de lassabb hardveren befolyásolhatja a teljesítményt.", "wherever you are": "bárhol is vagy", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/id-ID/translation.json b/src/lib/i18n/locales/id-ID/translation.json index 9470800202..54f46a88d4 100644 --- a/src/lib/i18n/locales/id-ID/translation.json +++ b/src/lib/i18n/locales/id-ID/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Obrolan {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Diperlukan Backend", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model tugas digunakan saat melakukan tugas seperti membuat judul untuk obrolan dan kueri penelusuran web", "a user": "seorang pengguna", "About": "Tentang", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Menambahkan File", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "Menambahkan Memori", "Add Model": "Tambahkan Model", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Menghapus memori", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Klik di sini untuk bantuan.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Koleksi", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Temukan, unduh, dan jelajahi prompt khusus", "Discover, download, and explore custom tools": "Menemukan, mengunduh, dan menjelajahi alat khusus", "Discover, download, and explore model presets": "Menemukan, mengunduh, dan menjelajahi preset model", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Menampilkan Emoji dalam Panggilan", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Gagal membuat API Key.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Gagal membaca konten papan klip", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Gagal menyimpan percakapan", "Failed to save models configuration": "", "Failed to update settings": "Gagal memperbarui pengaturan", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Id Mesin Google PSE", "Gravatar": "", "Group": "Grup", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memori yang dapat diakses oleh LLM akan ditampilkan di sini.", "Memory": "Memori", "Memory added successfully": "Memori berhasil ditambahkan", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Hanya karakter alfanumerik dan tanda hubung yang diizinkan dalam string perintah.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Sepertinya URL tidak valid. Mohon periksa ulang dan coba lagi.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 hari sebelumnya", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Permintaan (mis. Ceritakan sebuah fakta menarik tentang Kekaisaran Romawi)", "Prompt Autocompletion": "", "Prompt Content": "Konten yang Diminta", "Prompt created successfully": "", @@ -1450,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Mengatur Suara", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1502,6 +1522,9 @@ "Start a new conversation": "", "Start of the channel": "Awal saluran", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1517,7 +1540,7 @@ "STT Model": "Model STT", "STT Settings": "Pengaturan STT", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Subtitle (misalnya tentang Kekaisaran Romawi)", + "Subtitle": "", "Success": "Berhasil", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Berhasil diperbarui.", @@ -1600,7 +1623,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Judul", - "Title (e.g. Tell me a fun fact)": "Judul (misalnya, Ceritakan sebuah fakta menarik)", "Title Auto-Generation": "Pembuatan Judul Secara Otomatis", "Title cannot be an empty string.": "Judul tidak boleh berupa string kosong.", "Title Generation": "", @@ -1669,6 +1691,7 @@ "Update and Copy Link": "Perbarui dan Salin Tautan", "Update for the latest features and improvements.": "", "Update password": "Perbarui kata sandi", + "Update your status": "", "Updated": "", "Updated at": "Diperbarui di", "Updated At": "", @@ -1722,6 +1745,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "Suara", "Voice Input": "", @@ -1749,6 +1773,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Apa yang Baru di", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ie-GA/translation.json b/src/lib/i18n/locales/ie-GA/translation.json index 4b7a4e8baa..f9017c4a15 100644 --- a/src/lib/i18n/locales/ie-GA/translation.json +++ b/src/lib/i18n/locales/ie-GA/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} focail", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} ag {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Tá íoslódáil {{model}} curtha ar ceal", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Comhráite {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Ceoldeireadh Riachtanach", "*Prompt node ID(s) are required for image generation": "* Tá ID nód leid ag teastáil chun íomhá a ghiniúint", "1 Source": "1 Foinse", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Tá leagan nua (v {{LATEST_VERSION}}) ar fáil anois.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Úsáidtear samhail tascanna agus tascanna á ndéanamh amhail teidil a ghiniúint le haghaidh comhráite agus fiosrúcháin chuardaigh ghréasáin", "a user": "úsáideoir", "About": "Maidir", @@ -53,7 +57,8 @@ "Add Custom Prompt": "Cuir Leid Saincheaptha leis", "Add Details": "Cuir Sonraí leis", "Add Files": "Cuir Comhaid", - "Add Group": "Cuir Grúpa leis", + "Add Member": "", + "Add Members": "", "Add Memory": "Cuir Cuimhne", "Add Model": "Cuir Samhail leis", "Add Reaction": "Cuir Frithghníomh leis", @@ -252,6 +257,7 @@ "Citations": "Comhlua", "Clear memory": "Cuimhne ghlan", "Clear Memory": "Glan Cuimhne", + "Clear status": "", "click here": "cliceáil anseo", "Click here for filter guides.": "Cliceáil anseo le haghaidh treoracha scagaire.", "Click here for help.": "Cliceáil anseo le haghaidh cabhair.", @@ -288,6 +294,7 @@ "Code Interpreter": "Ateangaire Cód", "Code Interpreter Engine": "Inneall Ateangaire Cóid", "Code Interpreter Prompt Template": "Teimpléad Pras Ateangaire Cód", + "Collaboration channel where people join as members": "", "Collapse": "Laghdaigh", "Collection": "Bailiúchán", "Color": "Dath", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Leideanna saincheaptha a fháil amach, a íoslódáil agus a iniúchadh", "Discover, download, and explore custom tools": "Uirlisí saincheaptha a fháil amach, íoslódáil agus iniúchadh", "Discover, download, and explore model presets": "Réamhshocruithe samhail a fháil amach, a íoslódáil agus a iniúchadh", + "Discussion channel where access is based on groups and permissions": "", "Display": "Taispeáin", "Display chat title in tab": "Taispeáin teideal an chomhrá sa chluaisín", "Display Emoji in Call": "Taispeáin Emoji i nGlao", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "m.sh. \"json\" nó scéimre JSON", "e.g. 60": "m.sh. 60", "e.g. A filter to remove profanity from text": "m.sh. Scagaire chun profanity a bhaint as téacs", + "e.g. about the Roman Empire": "", "e.g. en": "m.sh. en", "e.g. My Filter": "m.sh. Mo Scagaire", "e.g. My Tools": "m.sh. Mo Uirlisí", "e.g. my_filter": "m.sh. mo_scagaire", "e.g. my_tools": "m.sh. mo_uirlisí", "e.g. pdf, docx, txt": "m.sh. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "m.sh. Uirlisí chun oibríochtaí éagsúla a dhéanamh", "e.g., 3, 4, 5 (leave blank for default)": "m.sh., 3, 4, 5 (fág bán le haghaidh réamhshocraithe)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "m.sh., fuaim/wav, fuaim/mpeg, físeán/* (fág bán le haghaidh réamhshocruithe)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Easpórtáil Cumraíocht chuig Comhad JSON", "Export Models": "", "Export Presets": "Easpórtáil Gach Comhrá Cartlainne", - "Export Prompt Suggestions": "Moltaí Easpórtála", "Export Prompts": "", "Export to CSV": "Easpórtáil go CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "URL Cuardaigh Gréasáin Sheachtrach", "Fade Effect for Streaming Text": "Éifeacht Céimnithe le haghaidh Sruthú Téacs", "Failed to add file.": "Theip ar an gcomhad a chur leis.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Theip ar nascadh le {{URL}} freastalaí uirlisí OpenAPI", "Failed to copy link": "Theip ar an nasc a chóipeáil", "Failed to create API Key.": "Theip ar an eochair API a chruthú.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Theip ar lódáil ábhar an chomhaid.", "Failed to move chat": "Theip ar an gcomhrá a bhogadh", "Failed to read clipboard contents": "Theip ar ábhar gearrthaisce a lé", + "Failed to remove member": "", "Failed to render diagram": "Theip ar an léaráid a rindreáil", "Failed to render visualization": "Theip ar an léirshamhlú a rindreáil", "Failed to save connections": "Theip ar na naisc a shábháil", "Failed to save conversation": "Theip ar an gcomhrá a shábháil", "Failed to save models configuration": "Theip ar chumraíocht na samhlacha a shábháil", "Failed to update settings": "Theip ar shocruithe a nuashonrú", + "Failed to update status": "", "Failed to upload file.": "Theip ar uaslódáil an chomhaid.", "Features": "Gnéithe", "Features Permissions": "Ceadanna Gnéithe", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID Inneall Google PSE", "Gravatar": "Gravatar", "Group": "Grúpa", + "Group Channel": "", "Group created successfully": "Grúpa cruthaithe go rathúil", "Group deleted successfully": "D'éirigh le scriosadh an ghrúpa", "Group Description": "Cur síos ar an nGrúpa", "Group Name": "Ainm an Ghrúpa", "Group updated successfully": "D'éirigh le nuashonrú an ghrúpa", + "groups": "", "Groups": "Grúpaí", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Nótaí Iompórtála", "Import Presets": "Réamhshocruithe Iompórtáil", - "Import Prompt Suggestions": "Moltaí Pras Iompórtála", "Import Prompts": "", "Import successful": "D'éirigh leis an allmhairiú", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "Is turgnamhach tacaíocht MCP agus athraítear a shonraíocht go minic, rud a d’fhéadfadh neamh-chomhoiriúnachtaí a bheith mar thoradh air. Déanann foireann Open WebUI cothabháil dhíreach ar thacaíocht sonraíochta OpenAPI, rud a fhágann gurb é an rogha is iontaofa é le haghaidh comhoiriúnachta.", "Medium": "Meánach", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Taispeánfar cuimhní atá inrochtana ag LLManna anseo.", "Memory": "Cuimhne", "Memory added successfully": "Cuireadh cuimhne leis go", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Ní cheadaítear ach carachtair alfauméireacha agus braithíní sa sreangán ordaithe.", "Only can be triggered when the chat input is in focus.": "Ní féidir é a spreagadh ach amháin nuair a bhíonn an t-ionchur comhrá i bhfócas.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Ní féidir ach bailiúcháin a chur in eagar, bonn eolais nua a chruthú chun doiciméid a chur in eagar/a chur leis.", + "Only invited users can access": "", "Only markdown files are allowed": "Ní cheadaítear ach comhaid marcála síos", "Only select users and groups with permission can access": "Ní féidir ach le húsáideoirí roghnaithe agus le grúpaí a bhfuil cead acu rochtain a fháil", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Is cosúil go bhfuil an URL neamhbhailí. Seiceáil faoi dhó le do thoil agus iarracht arís.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 lá roimhe seo", "Previous message": "Teachtaireacht roimhe seo", "Private": "Príobháideach", + "Private conversation between selected users": "", "Profile": "Próifíl", "Prompt": "Leid", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Leid (m.sh. inis dom fíric spraíúil faoin Impireacht Rómhánach)", "Prompt Autocompletion": "Uathchríochnú Pras", "Prompt Content": "Ábhar Leid", "Prompt created successfully": "Leid cruthaithe go rathúil", @@ -1453,6 +1472,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Socraigh líon na snáitheanna oibrithe a úsáidtear le haghaidh ríomh. Rialaíonn an rogha seo cé mhéad snáithe a úsáidtear chun iarratais a thagann isteach a phróiseáil i gcomhthráth. D'fhéadfadh méadú ar an luach seo feidhmíocht a fheabhsú faoi ualaí oibre comhairgeadra ard ach féadfaidh sé níos mó acmhainní LAP a úsáid freisin.", "Set Voice": "Socraigh Guth", "Set whisper model": "Socraigh samhail cogarnaí", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Socraíonn sé claonadh cothrom i gcoinne comharthaí a tháinig chun solais uair amháin ar a laghad. Cuirfidh luach níos airde (m.sh., 1.5) pionós níos láidre ar athrá, agus beidh luach níos ísle (m.sh., 0.9) níos boige. Ag 0, tá sé díchumasaithe.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Socraíonn sé laofacht scálaithe i gcoinne comharthaí chun pionós a ghearradh ar athrá, bunaithe ar cé mhéad uair a tháinig siad chun solais. Cuirfidh luach níos airde (m.sh., 1.5) pionós níos láidre ar athrá, agus beidh luach níos ísle (m.sh., 0.9) níos boige. Ag 0, tá sé díchumasaithe.", "Sets how far back for the model to look back to prevent repetition.": "Socraíonn sé cé chomh fada siar is atá an tsamhail le breathnú siar chun athrá a chosc.", @@ -1505,6 +1525,9 @@ "Start a new conversation": "Tosaigh comhrá nua", "Start of the channel": "Tús an chainéil", "Start Tag": "Clib Tosaigh", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Nuashonruithe Stádais", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Céimeanna", @@ -1520,7 +1543,7 @@ "STT Model": "Samhail STT", "STT Settings": "Socruithe STT", "Stylized PDF Export": "Easpórtáil PDF Stílithe", - "Subtitle (e.g. about the Roman Empire)": "Fotheideal (m.sh. faoin Impireacht Rómhánach)", + "Subtitle": "", "Success": "Rath", "Successfully imported {{userCount}} users.": "Iompórtáladh {{userCount}} úsáideoir go rathúil.", "Successfully updated.": "Nuashonraithe go rathúil.", @@ -1603,7 +1626,6 @@ "Tika Server URL required.": "Teastaíonn URL Freastalaí Tika.", "Tiktoken": "Tiktoken", "Title": "Teideal", - "Title (e.g. Tell me a fun fact)": "Teideal (m.sh. inis dom fíric spraíúil)", "Title Auto-Generation": "Teideal Auto-Generation", "Title cannot be an empty string.": "Ní féidir leis an teideal a bheith ina teaghrán folamh.", "Title Generation": "Giniúint Teidil", @@ -1672,6 +1694,7 @@ "Update and Copy Link": "Nuashonraigh agus Cóipeáil Nasc", "Update for the latest features and improvements.": "Nuashonrú le haghaidh na gnéithe agus na feabhsuithe is déanaí.", "Update password": "Nuashonrú pasfhocal", + "Update your status": "", "Updated": "Nuashonraithe", "Updated at": "Nuashonraithe ag", "Updated At": "Nuashonraithe Ag", @@ -1725,6 +1748,7 @@ "View Replies": "Féach ar Fhreagraí", "View Result from **{{NAME}}**": "Féach ar Thoradh ó **{{NAME}}**", "Visibility": "Infheictheacht", + "Visible to all users": "", "Vision": "Fís", "Voice": "Guth", "Voice Input": "Ionchur Gutha", @@ -1752,6 +1776,7 @@ "What are you trying to achieve?": "Cad atá tú ag iarraidh a bhaint amach?", "What are you working on?": "Cad air a bhfuil tú ag obair?", "What's New in": "Cad atá Nua i", + "What's on your mind?": "", "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.": "Nuair a bheidh sé cumasaithe, freagróidh an tsamhail gach teachtaireacht comhrá i bhfíor-am, ag giniúint freagra a luaithe a sheolann an t-úsáideoir teachtaireacht. Tá an mód seo úsáideach le haghaidh feidhmchláir chomhrá beo, ach d'fhéadfadh tionchar a bheith aige ar fheidhmíocht ar chrua-earraí níos moille.", "wherever you are": "aon áit a bhfuil tú", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Cibé acu an ndéanfar an t-aschur a roinnt le leathanaigh nó nach ndéanfar. Beidh riail chothrománach agus uimhir leathanaigh ag scartha ó gach leathanach. Is é Bréag an rogha réamhshocraithe.", diff --git a/src/lib/i18n/locales/it-IT/translation.json b/src/lib/i18n/locales/it-IT/translation.json index 44e5e33e85..86d85be79e 100644 --- a/src/lib/i18n/locales/it-IT/translation.json +++ b/src/lib/i18n/locales/it-IT/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} Chat", "{{webUIName}} Backend Required": "{{webUIName}} Richiesta Backend", "*Prompt node ID(s) are required for image generation": "*ID nodo prompt sono necessari per la generazione di immagini", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Una nuova versione (v{{LATEST_VERSION}}) è ora disponibile.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un task model viene utilizzato durante l'esecuzione di attività come la generazione di titoli per chat e query di ricerca Web", "a user": "un utente", "About": "Informazioni", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Aggiungi dei file", - "Add Group": "Aggiungi un gruppo", + "Add Member": "", + "Add Members": "", "Add Memory": "Aggiungi memoria", "Add Model": "Aggiungi un modello", "Add Reaction": "Aggiungi una reazione", @@ -252,6 +257,7 @@ "Citations": "Citazioni", "Clear memory": "Cancella memoria", "Clear Memory": "Cancella memoria", + "Clear status": "", "click here": "clicca qui", "Click here for filter guides.": "Clicca qui per le guide ai filtri.", "Click here for help.": "Clicca qui per aiuto.", @@ -288,6 +294,7 @@ "Code Interpreter": "Interprete codice", "Code Interpreter Engine": "Motore interprete codice", "Code Interpreter Prompt Template": "Template di prompt per interprete codice", + "Collaboration channel where people join as members": "", "Collapse": "Riduci", "Collection": "Collezione", "Color": "Colore", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Scopri, scarica ed esplora prompt personalizzati", "Discover, download, and explore custom tools": "Scopri, scarica ed esplora strumenti personalizzati", "Discover, download, and explore model presets": "Scopri, scarica ed esplora i preset dei modello", + "Discussion channel where access is based on groups and permissions": "", "Display": "Visualizza", "Display chat title in tab": "", "Display Emoji in Call": "Visualizza emoji nella chiamata", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "ad esempio \"json\" o uno schema JSON", "e.g. 60": "ad esempio 60", "e.g. A filter to remove profanity from text": "ad esempio un filtro per rimuovere le parolacce dal testo", + "e.g. about the Roman Empire": "", "e.g. en": "ad esempio en", "e.g. My Filter": "ad esempio il Mio Filtro", "e.g. My Tools": "ad esempio i Miei Strumenti", "e.g. my_filter": "ad esempio il mio_filtro", "e.g. my_tools": "ad esempio i miei_strumenti", "e.g. pdf, docx, txt": "ad esempio pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "ad esempio strumenti per eseguire varie operazioni", "e.g., 3, 4, 5 (leave blank for default)": "ad esempio, 3, 4, 5 (lascia vuoto per predefinito)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Esporta Configurazione in file JSON", "Export Models": "", "Export Presets": "Esporta Preset", - "Export Prompt Suggestions": "Esporta i suggerimenti per il prompt", "Export Prompts": "", "Export to CSV": "Esporta in CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "URL di ricerca web esterna", "Fade Effect for Streaming Text": "", "Failed to add file.": "Impossibile aggiungere il file.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Impossibile connettersi al server dello strumento OpenAPI {{URL}}", "Failed to copy link": "Impossibile copiare il link", "Failed to create API Key.": "Impossibile creare Chiave API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Impossibile caricare il contenuto del file.", "Failed to move chat": "", "Failed to read clipboard contents": "Impossibile leggere il contenuto degli appunti", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Impossibile salvare le connessioni", "Failed to save conversation": "Impossibile salvare la conversazione", "Failed to save models configuration": "Impossibile salvare la configurazione dei modelli", "Failed to update settings": "Impossibile aggiornare le impostazioni", + "Failed to update status": "", "Failed to upload file.": "Impossibile caricare il file.", "Features": "Caratteristiche", "Features Permissions": "Permessi delle funzionalità", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID motore PSE di Google", "Gravatar": "", "Group": "Gruppo", + "Group Channel": "", "Group created successfully": "Gruppo creato con successo", "Group deleted successfully": "Gruppo eliminato con successo", "Group Description": "Descrizione Gruppo", "Group Name": "Nome Gruppo", "Group updated successfully": "Gruppo aggiornato con successo", + "groups": "", "Groups": "Gruppi", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Importa Note", "Import Presets": "Importa Preset", - "Import Prompt Suggestions": "Importa suggerimenti Prompt", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "I memori accessibili ai LLM saranno mostrati qui.", "Memory": "Memoria", "Memory added successfully": "Memoria aggiunta con successo", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Nella stringa di comando sono consentiti solo caratteri alfanumerici e trattini.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo le collezioni possono essere modificate, crea una nuova base di conoscenza per modificare/aggiungere documenti.", + "Only invited users can access": "", "Only markdown files are allowed": "Sono consentiti solo file markdown", "Only select users and groups with permission can access": "Solo gli utenti e i gruppi selezionati con autorizzazione possono accedere", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Sembra che l'URL non sia valido. Si prega di ricontrollare e riprovare.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Ultimi 7 giorni", "Previous message": "", "Private": "Privato", + "Private conversation between selected users": "", "Profile": "Profilo", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ad esempio Dimmi un fatto divertente sull'Impero Romano)", "Prompt Autocompletion": "Autocompletamento del Prompt", "Prompt Content": "Contenuto del Prompt", "Prompt created successfully": "Prompt creato con successo", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Imposta il numero di thread di lavoro utilizzati per il calcolo. Questa opzione controlla quanti thread vengono utilizzati per elaborare le richieste in arrivo in modo concorrente. Aumentare questo valore può migliorare le prestazioni sotto carichi di lavoro ad alta concorrenza, ma può anche consumare più risorse CPU.", "Set Voice": "Imposta voce", "Set whisper model": "Imposta modello whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Imposta un bias piatto contro i token che sono apparsi almeno una volta. Un valore più alto (ad esempio, 1,5) penalizzerà le ripetizioni in modo più forte, mentre un valore più basso (ad esempio, 0,9) sarà più indulgente. A 0, è disabilitato.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Imposta un bias di scaling contro i token per penalizzare le ripetizioni, in base a quante volte sono apparsi. Un valore più alto (ad esempio, 1,5) penalizzerà le ripetizioni in modo più forte, mentre un valore più basso (ad esempio, 0,9) sarà più indulgente. A 0, è disabilitato.", "Sets how far back for the model to look back to prevent repetition.": "Imposta quanto lontano il modello deve guardare indietro per prevenire la ripetizione.", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "Inizio del canale", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "Modello STT", "STT Settings": "Impostazioni STT", "Stylized PDF Export": "Esportazione PDF Stilizzata", - "Subtitle (e.g. about the Roman Empire)": "Sottotitolo (ad esempio sull'Impero Romano)", + "Subtitle": "", "Success": "Successo", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Aggiornato con successo.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "L'URL del server Tika è obbligatorio.", "Tiktoken": "Tiktoken", "Title": "Titolo", - "Title (e.g. Tell me a fun fact)": "Titolo (ad esempio Dimmi un fatto divertente)", "Title Auto-Generation": "Generazione automatica del titolo", "Title cannot be an empty string.": "Il titolo non può essere una stringa vuota.", "Title Generation": "Generazione del titolo", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Aggiorna e Copia Link", "Update for the latest features and improvements.": "Aggiorna per le ultime funzionalità e miglioramenti.", "Update password": "Aggiorna password", + "Update your status": "", "Updated": "Aggiornato", "Updated at": "Aggiornato il", "Updated At": "Aggiornato Il", @@ -1724,6 +1747,7 @@ "View Replies": "Visualizza Risposte", "View Result from **{{NAME}}**": "Visualizza risultato da **{{NAME}}**", "Visibility": "Visibilità", + "Visible to all users": "", "Vision": "", "Voice": "Voce", "Voice Input": "Input vocale", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "Cosa stai cercando di ottenere?", "What are you working on?": "Su cosa stai lavorando?", "What's New in": "Novità in", + "What's on your mind?": "", "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.": "Quando abilitato, il modello risponderà a ciascun messaggio della chat in tempo reale, generando una risposta non appena l'utente invia un messaggio. Questa modalità è utile per le applicazioni di chat dal vivo, ma potrebbe influire sulle prestazioni su hardware più lento.", "wherever you are": "Ovunque tu sia", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Specifica se paginare l'output. Ogni pagina sarà separata da una riga orizzontale e dal numero di pagina. Predefinito è Falso.", diff --git a/src/lib/i18n/locales/ja-JP/translation.json b/src/lib/i18n/locales/ja-JP/translation.json index a5f11ef2e4..e8ca7a7e8a 100644 --- a/src/lib/i18n/locales/ja-JP/translation.json +++ b/src/lib/i18n/locales/ja-JP/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} 語", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "{{model}} のダウンロードがキャンセルされました", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} のチャット", "{{webUIName}} Backend Required": "{{webUIName}} バックエンドが必要です", "*Prompt node ID(s) are required for image generation": "*画像生成にはプロンプトノードIDが必要です", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "新しいバージョン (v{{LATEST_VERSION}}) が利用可能です。", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "タスクモデルは、チャットやウェブ検索クエリのタイトルの生成などのタスクを実行するときに使用されます", "a user": "ユーザー", "About": "概要", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "より詳しく", "Add Files": "ファイルを追加", - "Add Group": "グループを追加", + "Add Member": "", + "Add Members": "", "Add Memory": "メモリを追加", "Add Model": "モデルを追加", "Add Reaction": "リアクションを追加", @@ -252,6 +257,7 @@ "Citations": "引用", "Clear memory": "メモリをクリア", "Clear Memory": "メモリをクリア", + "Clear status": "", "click here": "ここをクリック", "Click here for filter guides.": "フィルターガイドはこちらをクリックしてください。", "Click here for help.": "ヘルプについてはここをクリックしてください。", @@ -288,6 +294,7 @@ "Code Interpreter": "コードインタプリタ", "Code Interpreter Engine": "コードインタプリタエンジン", "Code Interpreter Prompt Template": "コードインタプリタプロンプトテンプレート", + "Collaboration channel where people join as members": "", "Collapse": "折りたたむ", "Collection": "コレクション", "Color": "色", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "カスタムプロンプトを探してダウンロードする", "Discover, download, and explore custom tools": "カスタムツールを探てしダウンロードする", "Discover, download, and explore model presets": "モデルプリセットを探してダウンロードする", + "Discussion channel where access is based on groups and permissions": "", "Display": "表示", "Display chat title in tab": "", "Display Emoji in Call": "コールで絵文字を表示", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "例: \"json\" または JSON スキーマ", "e.g. 60": "", "e.g. A filter to remove profanity from text": "例: テキストから不適切な表現を削除するフィルター", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "e.g. 様々な操作を実行するためのツール", "e.g., 3, 4, 5 (leave blank for default)": "e.g. 3, 4, 5 (空白でデフォルト)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "e.g., audio/wav,audio/mpeg,video/* (空白でデフォルト)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "設定をJSONファイルでエクスポート", "Export Models": "", "Export Presets": "プリセットのエクスポート", - "Export Prompt Suggestions": "プロンプトの提案をエクスポート", "Export Prompts": "", "Export to CSV": "CSVにエクスポート", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "外部Web検索のURL", "Fade Effect for Streaming Text": "ストリームテキストのフェーディング効果", "Failed to add file.": "ファイルの追加に失敗しました。", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPIツールサーバーへの接続に失敗しました。", "Failed to copy link": "リンクのコピーに失敗しました。", "Failed to create API Key.": "APIキーの作成に失敗しました。", @@ -717,12 +729,14 @@ "Failed to load file content.": "ファイルの内容を読み込めませんでした。", "Failed to move chat": "チャットの移動に失敗しました。", "Failed to read clipboard contents": "クリップボードの内容を読み取れませんでした。", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "接続の保存に失敗しました。", "Failed to save conversation": "会話の保存に失敗しました。", "Failed to save models configuration": "モデルの設定の保存に失敗しました。", "Failed to update settings": "設定アップデートに失敗しました。", + "Failed to update status": "", "Failed to upload file.": "ファイルアップロードに失敗しました。", "Features": "機能", "Features Permissions": "機能の許可", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE エンジン ID", "Gravatar": "", "Group": "グループ", + "Group Channel": "", "Group created successfully": "グループの作成が成功しました。", "Group deleted successfully": "グループの削除が成功しました。", "Group Description": "グループの説明", "Group Name": "グループ名", "Group updated successfully": "グループの更新が成功しました。", + "groups": "", "Groups": "グループ", "H1": "見出し1", "H2": "見出し2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "ノートをインポート", "Import Presets": "プリセットをインポート", - "Import Prompt Suggestions": "プロンプトの提案をインポート", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "中", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM がアクセスできるメモリはここに表示されます。", "Memory": "メモリ", "Memory added successfully": "メモリに追加されました。", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "コマンド文字列には英数字とハイフンのみが使用できます。", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "コレクションのみ編集できます。新しいナレッジベースを作成してドキュメントを編集/追加してください。", + "Only invited users can access": "", "Only markdown files are allowed": "マークダウンファイルのみが許可されています", "Only select users and groups with permission can access": "許可されたユーザーとグループのみがアクセスできます", "Oops! Looks like the URL is invalid. Please double-check and try again.": "おっと! URL が無効なようです。もう一度確認してやり直してください。", @@ -1263,9 +1282,9 @@ "Previous 7 days": "過去7日間", "Previous message": "前のメッセージ", "Private": "プライベート", + "Private conversation between selected users": "", "Profile": "プロフィール", "Prompt": "プロンプト", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "プロンプト(例:ローマ帝国についての楽しい事を教えてください)", "Prompt Autocompletion": "プロンプトの自動補完", "Prompt Content": "プロンプトの内容", "Prompt created successfully": "プロンプトが正常に作成されました", @@ -1450,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "計算に使用するワーカースレッドの数を設定します。このオプションは、同時に処理可能なリクエスト数(スレッド数)を制御します。値を増やすことで、高い同時実行負荷下でのパフォーマンスが向上する可能性がありますが、その分CPUリソースの消費も増加します。", "Set Voice": "音声を設定", "Set whisper model": "whisperモデルを設定", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "一度でも出現したトークンに対して一定のペナルティを設定します。値が高い(例:1.5)ほど繰り返しを強く抑制し、低い値(例:0.9)では寛容になります。0の場合は無効です。", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "出現回数に応じてトークンにスケーリングされたペナルティを設定します。値が高い(例:1.5)ほど繰り返しを強く抑制し、低い値(例:0.9)では寛容になります。0の場合は無効です。", "Sets how far back for the model to look back to prevent repetition.": "モデルが繰り返しを防止するために遡る履歴の長さを設定します。", @@ -1502,6 +1522,9 @@ "Start a new conversation": "", "Start of the channel": "チャンネルの開始", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1517,7 +1540,7 @@ "STT Model": "STTモデル", "STT Settings": "STT設定", "Stylized PDF Export": "スタイル付きPDFエクスポート", - "Subtitle (e.g. about the Roman Empire)": "サブタイトル(例:ローマ帝国について)", + "Subtitle": "", "Success": "成功", "Successfully imported {{userCount}} users.": "{{userCount}} 人のユーザが正常にインポートされました。", "Successfully updated.": "正常に更新されました。", @@ -1600,7 +1623,6 @@ "Tika Server URL required.": "Tika Server URLが必要です。", "Tiktoken": "Tiktoken", "Title": "タイトル", - "Title (e.g. Tell me a fun fact)": "タイトル (例: 楽しい事を教えて)", "Title Auto-Generation": "タイトル自動生成", "Title cannot be an empty string.": "タイトルは空文字列にできません。", "Title Generation": "タイトル生成", @@ -1669,6 +1691,7 @@ "Update and Copy Link": "リンクの更新とコピー", "Update for the latest features and improvements.": "最新の機能と改善点を更新します。", "Update password": "パスワードを更新", + "Update your status": "", "Updated": "更新されました", "Updated at": "更新日時", "Updated At": "更新日時", @@ -1722,6 +1745,7 @@ "View Replies": "リプライを表示", "View Result from **{{NAME}}**": "**{{NAME}}**の結果を表示", "Visibility": "可視性", + "Visible to all users": "", "Vision": "視覚", "Voice": "ボイス", "Voice Input": "音声入力", @@ -1749,6 +1773,7 @@ "What are you trying to achieve?": "何を達成したいですか?", "What are you working on?": "何に取り組んでいますか?", "What's New in": "新機能", + "What's on your mind?": "", "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": "どこにいても", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "出力をページ分けするかどうか。各ページは水平線とページ番号で分割されます。デフォルトでは無効", diff --git a/src/lib/i18n/locales/ka-GE/translation.json b/src/lib/i18n/locales/ka-GE/translation.json index 8222b8fa98..2c2684e4ec 100644 --- a/src/lib/i18n/locales/ka-GE/translation.json +++ b/src/lib/i18n/locales/ka-GE/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} სიტყვა", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} დრო {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} მოდელი გაუქმდა", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}-ის ჩათები", "{{webUIName}} Backend Required": "{{webUIName}} საჭიროა უკანაბოლო", "*Prompt node ID(s) are required for image generation": "", "1 Source": "1 წყარო", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "ხელმისაწვდომია ახალი ვერსია (v{{LATEST_VERSION}}).", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "დავალების მოდელი გამოიყენება ისეთი ამოცანების შესრულებისას, როგორიცაა ჩეთების სათაურების გენერირება და ვებ – ძიების მოთხოვნები", "a user": "მომხმარებელი", "About": "შესახებ", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "დეტალების დამატება", "Add Files": "ფაილების დამატება", - "Add Group": "ჯგუფის დამატება", + "Add Member": "", + "Add Members": "", "Add Memory": "მეხსიერების დამატება", "Add Model": "მოდელის დამატება", "Add Reaction": "რეაქციის დამატება", @@ -252,6 +257,7 @@ "Citations": "ციტატები", "Clear memory": "მეხსიერების გასუფთავება", "Clear Memory": "მეხსიერების გასუფთავება", + "Clear status": "", "click here": "აქ დააწკაპუნეთ", "Click here for filter guides.": "", "Click here for help.": "დახმარებისთვის დააწკაპუნეთ აქ.", @@ -288,6 +294,7 @@ "Code Interpreter": "კოდის ინტერპრეტატორი", "Code Interpreter Engine": "კოდის ინტერპრეტატორის ძრავა", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "აკეცვა", "Collection": "კოლექცია", "Color": "ფერი", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "აღმოაჩინეთ, გადმოწერეთ და შეისწავლეთ მორგებული მოთხოვნები", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "აღმოაჩინეთ, გადმოწერეთ და შეისწავლეთ მოდელის პარამეტრები", + "Discussion channel where access is based on groups and permissions": "", "Display": "ჩვენება", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "მაგ: 60", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "მაგ: en", "e.g. My Filter": "მაგ: ჩემი ფილტრი", "e.g. My Tools": "მაგ: ჩემი ხელსაწყოები", "e.g. my_filter": "მაგ: ჩემი_ფილტრი", "e.g. my_tools": "მაგ: ჩემი_ხელსაწყოები", "e.g. pdf, docx, txt": "მაგ: pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "პრესეტების გატანა", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "CVS-ში გატანა", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "გარე ვებძებნის URL", "Fade Effect for Streaming Text": "", "Failed to add file.": "ფაილის დამატების შეცდომა.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "ბმულის კოპირება ჩავარდა", "Failed to create API Key.": "API-ის გასაღების შექმნა ჩავარდა.", @@ -717,12 +729,14 @@ "Failed to load file content.": "ფაილის შემცველობის ჩატვირთვა ჩავარდა.", "Failed to move chat": "ჩატის გადატანა ჩავარდა", "Failed to read clipboard contents": "ბუფერის შემცველობის წაკითხვა ჩავარდა", + "Failed to remove member": "", "Failed to render diagram": "დიაგრამის რენდერი ჩავარდა", "Failed to render visualization": "", "Failed to save connections": "კავშირების შენახვა ჩავარდა", "Failed to save conversation": "საუბრის შენახვა ვერ მოხერხდა", "Failed to save models configuration": "მოდელების კონფიგურაციის შენახვა ჩავარდა", "Failed to update settings": "პარამეტრების განახლება ჩავარდა", + "Failed to update status": "", "Failed to upload file.": "ფაილის ატვირთვა ჩავარდა.", "Features": "მახასიათებლები", "Features Permissions": "უფლებები ფუნქციებზე", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE ძრავის Id", "Gravatar": "გრავატარი", "Group": "ჯგუფი", + "Group Channel": "", "Group created successfully": "ჯგუფი წარმატებით შეიქმნა", "Group deleted successfully": "ჯგუფი წარმატებით წაიშალა", "Group Description": "ჯგუფის აღწერა", "Group Name": "ჯგუფის სახელი", "Group updated successfully": "ჯგუფის წარმატებით განახლდა", + "groups": "", "Groups": "ჯგუფები", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "შენიშვნების შემოტანა", "Import Presets": "პრესეტების შემოტანა", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "შემოტანა წარმატებულია", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "საშუალო", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM-ებისთვის ხელმისაწვდომი მეხსიერებები აქ გამოჩნდება.", "Memory": "მეხსიერება", "Memory added successfully": "მოგონება წარმატებით დაემატა", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "ბრძანების სტრიქონში დაშვებულია, მხოლოდ, ალფარიცხვითი სიმბოლოები და ტირეები.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "უი! როგორც ჩანს, მისამართი არასწორია. გთხოვთ, გადაამოწმოთ და ისევ სცადოთ.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "წინა 7 დღე", "Previous message": "წინა შეტყობინება", "Private": "პირადი", + "Private conversation between selected users": "", "Profile": "პროფილი", "Prompt": "ბრძანების შეყვანის შეხსენება", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (მაგ. მითხარი სახალისო ფაქტი რომის იმპერიის შესახებ)", "Prompt Autocompletion": "", "Prompt Content": "მოთხოვნის შემცველობა", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "ხმის დაყენება", "Set whisper model": "Whisper-ის მოდელის დაყენება", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "არხის დასაწყისი", "Start Tag": "დაწყების ჭდე", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "სტატუსის განახლებები", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT მოდელი", "STT Settings": "STT-ის მორგება", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "სუბტიტრები (მაგ. რომის იმპერიის შესახებ)", + "Subtitle": "", "Success": "წარმატება", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "წარმატებით განახლდა.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika-ის სერვერის URL აუცილებელია.", "Tiktoken": "Tiktoken", "Title": "სათაური", - "Title (e.g. Tell me a fun fact)": "სათაური (მაგ. მითხარი რამე სასაცილო)", "Title Auto-Generation": "სათაურის ავტოგენერაცია", "Title cannot be an empty string.": "სათაურის ველი ცარიელი სტრიქონი ვერ იქნება.", "Title Generation": "სათაურის გენერაცია", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "განახლება და ბმულის კოპირება", "Update for the latest features and improvements.": "", "Update password": "პაროლის განახლება", + "Update your status": "", "Updated": "განახლებულია", "Updated at": "განახლების დრო", "Updated At": "განახლების დრო", @@ -1723,6 +1746,7 @@ "View Replies": "პასუხების ნახვა", "View Result from **{{NAME}}**": "", "Visibility": "ხილვადობა", + "Visible to all users": "", "Vision": "ხედვა", "Voice": "ხმა", "Voice Input": "ხმოვანი შეყვანა", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "რას ცდილობთ, მიაღწიოთ?", "What are you working on?": "რაზე მუშაობთ?", "What's New in": "რა არის ახალი", + "What's on your mind?": "", "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": "სადაც არ უნდა ბრძანდებოდეთ", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/kab-DZ/translation.json b/src/lib/i18n/locales/kab-DZ/translation.json index be64cec7de..32bfb38e7f 100644 --- a/src/lib/i18n/locales/kab-DZ/translation.json +++ b/src/lib/i18n/locales/kab-DZ/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} n wawalen", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} ɣef {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Azdam n {{model}} yettusemmet", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Asqerdec n {{user}}", "{{webUIName}} Backend Required": "", "*Prompt node ID(s) are required for image generation": "", "1 Source": "1 n weɣbalu", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Lqem amaynut n (v{{LATEST_VERSION}}), yella akka tura.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Tamudemt n temsekra tettuseqdec mi ara tgeḍ timsekra am usirew n yizwal i yidiwenniyen akked tuttriwin n unadi deg web", "a user": "aseqdac", "About": "Awal ɣef", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "Rnu talqayt", "Add Files": "Rnu ifuyla", - "Add Group": "Rnu agraw", + "Add Member": "", + "Add Members": "", "Add Memory": "Rnu cfawat", "Add Model": "Rnu tamudemt", "Add Reaction": "Rnu tamyigawt", @@ -252,6 +257,7 @@ "Citations": "Tinebdurin", "Clear memory": "Sfeḍ takatut", "Clear Memory": "Sfeḍ takatut", + "Clear status": "", "click here": "sit da", "Click here for filter guides.": "Tekki da i yimniren n tṣeffayt.", "Click here for help.": "Sit da i wawway n tallalt.", @@ -288,6 +294,7 @@ "Code Interpreter": "Asegzay n tengalt", "Code Interpreter Engine": "Amsedday n usegzay n tengalt", "Code Interpreter Prompt Template": "Tamudemt n uneftaɣ n usegzay n tengalt", + "Collaboration channel where people join as members": "", "Collapse": "Sneḍfes", "Collection": "Tagrumma", "Color": "Ini", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Af-d, zdem-d, tesnirmeḍ-d ineftaɣen udmawanen", "Discover, download, and explore custom tools": "Af-d, zdem-d, tesnirmeḍ ifecka udmawanen", "Discover, download, and explore model presets": "Af-d, zdem-d, tesnirmeḍ-d iferdisen n tmudemt", + "Discussion channel where access is based on groups and permissions": "", "Display": "Beqqeḍ", "Display chat title in tab": "", "Display Emoji in Call": "Sken imujitin lawan n usiwel", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "amedya: \"json\" neɣ azenziɣ JSON", "e.g. 60": "amedya. 60", "e.g. A filter to remove profanity from text": "e.g. Imzizdig akken ad yekkes tukksa n sser seg uḍris", + "e.g. about the Roman Empire": "", "e.g. en": "amedya kab", "e.g. My Filter": "amedya Imsizdeg-iw", "e.g. My Tools": "amedya ifecka-inu", "e.g. my_filter": "amedya amsizdeg_iw", "e.g. my_tools": "amedya ifecka_inu", "e.g. pdf, docx, txt": "amedya: pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "g. Ifecka i usexdem n tigawin yemgaraden", "e.g., 3, 4, 5 (leave blank for default)": "e.g., 3, 4, 5 (iɣes n temtunt d ilem i tazwara)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "amedya, audio/wav,audio/mpeg,video/* (anef-as d ilem i yimezwura)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Sifeḍ asesteb ɣer ufaylu JSON", "Export Models": "", "Export Presets": "Sifeḍ isestab uzwiren", - "Export Prompt Suggestions": "Sifeḍ isumar n uneftaɣ", "Export Prompts": "", "Export to CSV": "Kter ɣer CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "Tansa URL yeffɣen n unadi deg Web", "Fade Effect for Streaming Text": "", "Failed to add file.": "Tecceḍ tmerna n ufaylu.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Ur yessaweḍ ara ad yeqqen ɣer {{URL}} n uqeddac n yifecka OpenAPI", "Failed to copy link": "Ur yessaweḍ ara ad yessukken aseɣwen", "Failed to create API Key.": "Ur yessaweḍ ara ad d-yesnulfu tasarut API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Ur yessaweḍ ara ad d-yessali agbur n yifuyla.", "Failed to move chat": "Tuccḍa deg unkaz n udiwenni", "Failed to read clipboard contents": "Ur yessaweḍ ara ad iɣer agbur n tfelwit", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Yecceḍ uklas n tuqqniwin", "Failed to save conversation": "Yecceḍ uklas n udiwenni", "Failed to save models configuration": "Ur yessaweḍ ara ad d-yessukkes tamudemt n usneftaɣ", "Failed to update settings": "Yecceḍ uleqqem n yiɣewwaren", + "Failed to update status": "", "Failed to upload file.": "Yecceḍ uzdam n ufaylu.", "Features": "Timahilin", "Features Permissions": "Tisirag n tmehilin", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Asulay n umsadday n unadi PSE n Google", "Gravatar": "Gravatar", "Group": "Agraw", + "Group Channel": "", "Group created successfully": "Agraw yennulfa-d akken iwata", "Group deleted successfully": "Agraw yettwakkes akken iwata", "Group Description": "Aglam n ugraw", "Group Name": "Isem n ugraw", "Group updated successfully": "Agraw yettwaleqqem akken iwata", + "groups": "", "Groups": "Igrawen", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Kter tizmilin", "Import Presets": "Kter iɣewwaren uzwiren", - "Import Prompt Suggestions": "Kter isumar n uneftaɣ", "Import Prompts": "", "Import successful": "Taktert tella-d akken iwata", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Da ara d-banent teḥkayin ara yaweḍ yiwen ɣer LLMs.", "Memory": "Takatut", "Memory added successfully": "Asmekti yettwarna akken iwata", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Ala iwudam ifenyanen d tfendiwin i yettusirgen deg uzrar n ukman.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Ala tigrummiwin i izemren ad ttwabeddlent, ad d-snulfunt azadur amaynut n tmussni i ubeddel/ad arraten.", + "Only invited users can access": "", "Only markdown files are allowed": "Ala ifuyla n tuccar i yettusirgen", "Only select users and groups with permission can access": "Ala iseqdacen akked yegrawen yesɛan tisirag i izemren ad kecmen", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ayhuh! Yettban-d dakken URL-nni ur tṣeḥḥa ara. Ttxil-k, ssefqed snat n tikkal yernu ɛreḍ tikkelt niḍen.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 n wussan yezrin", "Previous message": "Izen udfir", "Private": "Uslig", + "Private conversation between selected users": "", "Profile": "Amaɣnu", "Prompt": "Aneftaɣ", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Aneftaɣ (amedya. Ini-yi-d kra yessedhayen ɣef Temnekda Tarumanit)", "Prompt Autocompletion": "Asmad awurman n uneftaɣ", "Prompt Content": "Agbur n uneftaɣ", "Prompt created successfully": "Aneftaɣ yettwarna akken iwata", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Sbadu amḍan n tnelli n yixeddamen yettwasqedcen i umṣada. Tifrat-a teḥkem acḥal n tnelli i yennumen ttḥerriken issutren i d-iteddun akka tura. Asenqes n wazal-a yezmer ad yesnerni aswir deg usali n yisali n umahil n uḥezzeb meqqren maca yezmer daɣen ad yečč ugar n teɣbula CPU.", "Set Voice": "Fren taɣect", "Set whisper model": "Fren tamudemt Whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Tazwara n ubadu", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "Tamudemt n uɛqal n taɣect", "STT Settings": "Iɣewwaren n uɛqal n tavect", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Addad amaruz (amedya ɣef tgelda Tarumanit)", + "Subtitle": "", "Success": "Yedda", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Yettwaleqqem akken iwata.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tansa URL n Tika Server tettwasra.", "Tiktoken": "Tiktoken", "Title": "Azwel", - "Title (e.g. Tell me a fun fact)": "Azwel (amedya. Ini-yi-d ayen yessedhayen)", "Title Auto-Generation": "Asirew awurman n izwilen", "Title cannot be an empty string.": "Azwel ur yettili ara d azrir ilem.", "Title Generation": "Asirew n uzwel", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Leqqem aseɣwen", "Update for the latest features and improvements.": "Leqqem tiɣawsiwin tineggura d usnerni.", "Update password": "Leqqem awal n uɛeddi", + "Update your status": "", "Updated": "Yettuleqqmen", "Updated at": "Yettwaleqqem", "Updated At": "Yettwaleqqem", @@ -1723,6 +1746,7 @@ "View Replies": "Sken-d tiririyin", "View Result from **{{NAME}}**": "Tamuɣli i d-yettuɣalen seg tazwara **{NAME}}**", "Visibility": "Tametwalant", + "Visible to all users": "", "Vision": "Vision", "Voice": "Taɣect", "Voice Input": "Anekcam s taɣect", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Sanda ay tettarmed ad tessiwḍed?", "What are you working on?": "Ɣef wacu ay la tettmahaled?", "What's New in": "D acu d amaynut deg", + "What's on your mind?": "", "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": "anda yebɣu tiliḍ", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Ma tebɣiḍ ad d-tessugneḍ tuffɣa. Yal asebter ad yebḍu s ulugen igli d wuṭṭun n usebter. Imezwura ɣer False.", diff --git a/src/lib/i18n/locales/ko-KR/translation.json b/src/lib/i18n/locales/ko-KR/translation.json index 5eb6357707..e143c88187 100644 --- a/src/lib/i18n/locales/ko-KR/translation.json +++ b/src/lib/i18n/locales/ko-KR/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} 단어", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "{{model}} 다운로드가 취소되었습니다.", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}의 채팅", "{{webUIName}} Backend Required": "{{webUIName}} 백엔드가 필요합니다.", "*Prompt node ID(s) are required for image generation": "이미지 생성에는 프롬프트 노드 ID가 필요합니다.", "1 Source": "소스1", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "새로운 버전 (v{{LATEST_VERSION}})을 사용할 수 있습니다.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "작업 모델은 채팅 및 웹 검색 쿼리에 대한 제목 생성 등의 작업 수행 시 사용됩니다.", "a user": "사용자", "About": "정보", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "디테일 추가", "Add Files": "파일 추가", - "Add Group": "그룹 추가", + "Add Member": "", + "Add Members": "", "Add Memory": "메모리 추가", "Add Model": "모델 추가", "Add Reaction": "리액션 추가", @@ -252,6 +257,7 @@ "Citations": "인용", "Clear memory": "메모리 초기화", "Clear Memory": "메모리 지우기", + "Clear status": "", "click here": "여기를 클릭하세요", "Click here for filter guides.": "필터 가이드를 보려면 여기를 클릭하세요.", "Click here for help.": "도움말을 보려면 여기를 클릭하세요.", @@ -288,6 +294,7 @@ "Code Interpreter": "코드 인터프리터", "Code Interpreter Engine": "코드 인터프리터 엔진", "Code Interpreter Prompt Template": "코드 인터프리터 프롬프트 템플릿", + "Collaboration channel where people join as members": "", "Collapse": "접기", "Collection": "컬렉션", "Color": "색상", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "사용자 정의 프롬프트 검색, 다운로드 및 탐색", "Discover, download, and explore custom tools": "사용자 정의 도구 검색, 다운로드 및 탐색", "Discover, download, and explore model presets": "모델 사전 설정 검색, 다운로드 및 탐색", + "Discussion channel where access is based on groups and permissions": "", "Display": "표시", "Display chat title in tab": "탭에 채팅 목록 표시", "Display Emoji in Call": "음성기능에서 이모지 표시", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "예: \\\"json\\\" 또는 JSON 스키마", "e.g. 60": "예: 60", "e.g. A filter to remove profanity from text": "예: 텍스트에서 비속어를 제거하는 필터", + "e.g. about the Roman Empire": "", "e.g. en": "예: en", "e.g. My Filter": "예: 내 필터", "e.g. My Tools": "예: 내 도구", "e.g. my_filter": "예: my_filter", "e.g. my_tools": "예: my_tools", "e.g. pdf, docx, txt": "예: pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "예: 다양한 작업을 수행하는 도구", "e.g., 3, 4, 5 (leave blank for default)": "예: 3, 4, 5 (기본값을 위해 비워 두세요)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "예: audio/wav,audio/mpeg,video/* (기본값은 빈칸)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Config를 JSON 파일로 내보내기", "Export Models": "", "Export Presets": "프리셋 내보내기", - "Export Prompt Suggestions": "프롬프트 제안 내보내기", "Export Prompts": "", "Export to CSV": "CSV로 내보내기", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "외부 웹 검색 URL", "Fade Effect for Streaming Text": "스트리밍 텍스트에 대한 페이드 효과", "Failed to add file.": "파일추가에 실패했습니다", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI 도구 서버 연결 실패", "Failed to copy link": "링크 복사 실패", "Failed to create API Key.": "API 키 생성에 실패했습니다.", @@ -717,12 +729,14 @@ "Failed to load file content.": "파일 내용 로드 실패.", "Failed to move chat": "채팅 이동 실패", "Failed to read clipboard contents": "클립보드 내용 가져오기를 실패하였습니다", + "Failed to remove member": "", "Failed to render diagram": "다이어그램을 표시할 수 없습니다", "Failed to render visualization": "", "Failed to save connections": "연결 저장 실패", "Failed to save conversation": "대화 저장 실패", "Failed to save models configuration": "모델 구성 저장 실패", "Failed to update settings": "설정 업데이트에 실패하였습니다.", + "Failed to update status": "", "Failed to upload file.": "파일 업로드에 실패했습니다", "Features": "기능", "Features Permissions": "기능 권한", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE 엔진 ID", "Gravatar": "", "Group": "그룹", + "Group Channel": "", "Group created successfully": "성공적으로 그룹을 생성했습니다", "Group deleted successfully": "성공적으로 그룹을 삭제했습니다", "Group Description": "그룹 설명", "Group Name": "그룹 명", "Group updated successfully": "성공적으로 그룹을 수정했습니다", + "groups": "", "Groups": "그룹", "H1": "제목 1", "H2": "제목 2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "노트 가져오기", "Import Presets": "프리셋 가져오기", - "Import Prompt Suggestions": "프롬프트 제안 가져오기", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 지원은 실험적이며 명세가 자주 변경되므로, 호환성 문제가 발생할 수 있습니다. Open WebUI 팀이 OpenAPI 명세 지원을 직접 유지·관리하고 있어, 호환성 측면에서는 더 신뢰할 수 있는 선택입니다.", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM에서 접근할 수 있는 메모리는 여기에 표시됩니다.", "Memory": "메모리", "Memory added successfully": "성공적으로 메모리가 추가되었습니다", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "명령어 문자열에는 영문자, 숫자 및 하이픈(-)만 허용됩니다.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "가지고 있는 컬렉션만 수정 가능합니다, 새 지식 기반을 생성하여 문서를 수정 혹은 추가하십시오.", + "Only invited users can access": "", "Only markdown files are allowed": "마크다운 파일만 허용됩니다", "Only select users and groups with permission can access": "권한이 있는 사용자와 그룹만 접근 가능합니다.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "이런! URL이 잘못된 것 같습니다. 다시 한번 확인하고 다시 시도해주세요.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "이전 7일", "Previous message": "이전 메시지", "Private": "비공개", + "Private conversation between selected users": "", "Profile": "프로필", "Prompt": "프롬프트", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "프롬프트 (예: 로마 황제에 대해 재미있는 사실을 알려주세요)", "Prompt Autocompletion": "프롬프트 자동 완성", "Prompt Content": "프롬프트 내용", "Prompt created successfully": "성공적으로 프롬프트를 생성했습니다", @@ -1450,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "계산에 사용되는 작업자 스레드 수를 설정합니다. 이 옵션은 들어오는 요청을 동시에 처리하는 데 사용되는 스레드 수를 제어합니다. 이 값을 높이면 동시성이 높은 워크로드에서 성능을 향상시킬 수 있지만 더 많은 CPU 리소스를 소비할 수도 있습니다.", "Set Voice": "음성 설정", "Set whisper model": "자막 생성기 모델 설정", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "적어도 한 번 이상 나타난 토큰에 대해 평평한 편향을 설정합니다. 값이 높을수록 반복에 더 강력한 불이익을 주는 반면, 값이 낮을수록(예: 0.9) 더 관대해집니다. 0에서는 비활성화됩니다.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "토큰에 대한 스케일링 편향을 설정하여 반복 횟수에 따라 반복 횟수에 불이익을 줍니다. 값이 높을수록(예: 1.5) 반복 횟수에 더 강하게 불이익을 주는 반면, 값이 낮을수록(예: 0.9) 더 관대해집니다. 0에서는 반복 횟수가 비활성화됩니다.", "Sets how far back for the model to look back to prevent repetition.": "모델이 반복을 방지하기 위해 되돌아볼 수 있는 거리를 설정합니다.", @@ -1502,6 +1522,9 @@ "Start a new conversation": "새 대화 시작", "Start of the channel": "채널 시작", "Start Tag": "시작 태그", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "상태 업데이트", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1517,7 +1540,7 @@ "STT Model": "STT 모델", "STT Settings": "STT 설정", "Stylized PDF Export": "서식이 적용된 PDF 내보내기", - "Subtitle (e.g. about the Roman Empire)": "자막 (예: 로마 제국에 대하여)", + "Subtitle": "", "Success": "성공", "Successfully imported {{userCount}} users.": "성공적으로 {{userCount}}명의 사용자를 가져왔습니다.", "Successfully updated.": "성공적으로 업데이트되었습니다.", @@ -1600,7 +1623,6 @@ "Tika Server URL required.": "Tika 서버 URL이 필요합니다.", "Tiktoken": "틱토큰 (Tiktoken)", "Title": "제목", - "Title (e.g. Tell me a fun fact)": "제목 (예: 재미있는 사실을 알려주세요.)", "Title Auto-Generation": "제목 자동 생성", "Title cannot be an empty string.": "제목은 빈 문자열일 수 없습니다.", "Title Generation": "제목 생성", @@ -1669,6 +1691,7 @@ "Update and Copy Link": "링크 업데이트 및 복사", "Update for the latest features and improvements.": "이번 업데이트의 새로운 기능과 개선", "Update password": "비밀번호 업데이트", + "Update your status": "", "Updated": "업데이트됨", "Updated at": "업데이트 일시", "Updated At": "업데이트 일시", @@ -1722,6 +1745,7 @@ "View Replies": "답글 보기", "View Result from **{{NAME}}**": "**{{NAME}}**의 결과 보기", "Visibility": "공개 범위", + "Visible to all users": "", "Vision": "비전", "Voice": "음성", "Voice Input": "음성 입력", @@ -1749,6 +1773,7 @@ "What are you trying to achieve?": "무엇을 성취하고 싶으신가요?", "What are you working on?": "어떤 작업을 하고 계신가요?", "What's New in": "새로운 기능:", + "What's on your mind?": "", "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": "당신이 어디에 있든", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "출력을 페이지로 나눌지 여부입니다. 각 페이지는 구분선과 페이지 번호로 구분됩니다. 기본값은 False입니다.", diff --git a/src/lib/i18n/locales/lt-LT/translation.json b/src/lib/i18n/locales/lt-LT/translation.json index 30aa24ac01..658470eb88 100644 --- a/src/lib/i18n/locales/lt-LT/translation.json +++ b/src/lib/i18n/locales/lt-LT/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} susirašinėjimai", "{{webUIName}} Backend Required": "{{webUIName}} būtinas serveris", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Užduočių modelis naudojamas pokalbių pavadinimų ir paieškos užklausų generavimui.", "a user": "naudotojas", "About": "Apie", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Pridėti failus", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "Pridėti atminį", "Add Model": "Pridėti modelį", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Ištrinti atmintį", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Paspauskite čia dėl pagalbos.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolekcija", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Atrasti ir parsisiųsti užklausas", "Discover, download, and explore custom tools": "Atrasti, atsisiųsti arba rasti naujų įrankių", "Discover, download, and explore model presets": "Atrasti ir parsisiųsti modelių konfigūracija", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Rodyti emoji pokalbiuose", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Nepavyko sukurti API rakto", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Nepavyko perskaityti kopijuoklės", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Nepavyko išsaugoti pokalbio", "Failed to save models configuration": "", "Failed to update settings": "Nepavyko atnaujinti nustatymų", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE variklio ID", "Gravatar": "", "Group": "Grupė", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Atminitis prieinama kalbos modelio bus rodoma čia.", "Memory": "Atmintis", "Memory added successfully": "Atmintis pridėta sėkmingai", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Leistinos tik raidės, skaičiai ir brūkšneliai.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Regis nuoroda nevalidi. Prašau patikrtinkite ir pabandykite iš naujo.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Paskutinės 7 dienos", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profilis", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Užklausa (pvz. supaprastink šį laišką)", "Prompt Autocompletion": "", "Prompt Content": "Užklausos turinys", "Prompt created successfully": "", @@ -1453,6 +1472,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Numatyti balsą", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1505,6 +1525,9 @@ "Start a new conversation": "", "Start of the channel": "Kanalo pradžia", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1520,7 +1543,7 @@ "STT Model": "STT modelis", "STT Settings": "STT nustatymai", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Subtitras", + "Subtitle": "", "Success": "Sėkmingai", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Sėkmingai atnaujinta.", @@ -1603,7 +1626,6 @@ "Tika Server URL required.": "Reiklainga Tika serverio nuorodą", "Tiktoken": "", "Title": "Pavadinimas", - "Title (e.g. Tell me a fun fact)": "Pavadinimas", "Title Auto-Generation": "Automatinis pavadinimų generavimas", "Title cannot be an empty string.": "Pavadinimas negali būti tuščias", "Title Generation": "", @@ -1672,6 +1694,7 @@ "Update and Copy Link": "Atnaujinti ir kopijuoti nuorodą", "Update for the latest features and improvements.": "", "Update password": "Atnaujinti slaptažodį", + "Update your status": "", "Updated": "", "Updated at": "Atnaujinta", "Updated At": "", @@ -1725,6 +1748,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "Balsas", "Voice Input": "", @@ -1752,6 +1776,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Kas naujo", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ms-MY/translation.json b/src/lib/i18n/locales/ms-MY/translation.json index 8be1d826bc..5eb1559e52 100644 --- a/src/lib/i18n/locales/ms-MY/translation.json +++ b/src/lib/i18n/locales/ms-MY/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Perbualan {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Backend diperlukan", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model tugas digunakan semasa melaksanakan tugas seperti menjana tajuk untuk perbualan dan pertanyaan carian web.", "a user": "seorang pengguna", "About": "Mengenai", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Tambah Fail", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "Tambah Memori", "Add Model": "Tambah Model", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Kosongkan memori", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Klik disini untuk mendapatkan bantuan", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Koleksi", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Temui, muat turun dan teroka gesaan tersuai", "Discover, download, and explore custom tools": "Temui, muat turun dan teroka alat tersuai", "Discover, download, and explore model presets": "Temui, muat turun dan teroka model pratetap", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Paparkan Emoji dalam Panggilan", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Gagal mencipta kekunci API", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Gagal membaca konten papan klip", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Gagal menyimpan perbualan", "Failed to save models configuration": "", "Failed to update settings": "Gagal mengemaskini tetapan", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID Enjin Google PSE", "Gravatar": "", "Group": "Kumpulan", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memori yang boleh diakses oleh LLM akan ditunjukkan di sini.", "Memory": "Memori", "Memory added successfully": "Memori berjaya ditambah", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Hanya aksara alfanumerik dan sempang dibenarkan dalam rentetan arahan.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Maaf, didapati URL tidak sah. Sila semak semula dan cuba lagi.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 hari sebelumnya", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Gesaan (cth Beritahu saya fakta yang menyeronokkan tentang Kesultanan Melaka)", "Prompt Autocompletion": "", "Prompt Content": "Kandungan Gesaan", "Prompt created successfully": "", @@ -1450,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Tetapan Suara", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1502,6 +1522,9 @@ "Start a new conversation": "", "Start of the channel": "Permulaan saluran", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1517,7 +1540,7 @@ "STT Model": "Model STT", "STT Settings": "Tetapan STT", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Sari kata (cth tentang Kesultanan Melaka)", + "Subtitle": "", "Success": "Berjaya", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Berjaya Dikemaskini", @@ -1600,7 +1623,6 @@ "Tika Server URL required.": "URL Pelayan Tika diperlukan.", "Tiktoken": "", "Title": "Tajuk", - "Title (e.g. Tell me a fun fact)": "Tajuk (cth Beritahu saya fakta yang menyeronokkan)", "Title Auto-Generation": "Penjanaan Auto Tajuk", "Title cannot be an empty string.": "Tajuk tidak boleh menjadi rentetan kosong", "Title Generation": "", @@ -1669,6 +1691,7 @@ "Update and Copy Link": "Kemaskini dan salin pautan", "Update for the latest features and improvements.": "", "Update password": "Kemaskini Kata Laluan", + "Update your status": "", "Updated": "", "Updated at": "Dikemaskini pada", "Updated At": "", @@ -1722,6 +1745,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "Suara", "Voice Input": "", @@ -1749,6 +1773,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Apakah yang terbaru dalam", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/nb-NO/translation.json b/src/lib/i18n/locales/nb-NO/translation.json index a8b6b574fc..7dde6e8404 100644 --- a/src/lib/i18n/locales/nb-NO/translation.json +++ b/src/lib/i18n/locales/nb-NO/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} sine samtaler", "{{webUIName}} Backend Required": "Backend til {{webUIName}} kreves", "*Prompt node ID(s) are required for image generation": "Node-ID-er for ledetekst kreves for generering av bilder", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "En ny versjon (v{{LATEST_VERSION}}) er nå tilgjengelig.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "En oppgavemodell brukes når du utfører oppgaver som å generere titler for samtaler eller utfører søkeforespørsler på nettet", "a user": "en bruker", "About": "Om", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Legg til filer", - "Add Group": "Legg til gruppe", + "Add Member": "", + "Add Members": "", "Add Memory": "Legg til minne", "Add Model": "Legg til modell", "Add Reaction": "Legg til reaksjon", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Tøm minnet", "Clear Memory": "", + "Clear status": "", "click here": "Klikk her", "Click here for filter guides.": "Klikk her for å få veiledning om filtre", "Click here for help.": "Klikk her for å få hjelp.", @@ -288,6 +294,7 @@ "Code Interpreter": "Kodetolker", "Code Interpreter Engine": "Motor for kodetolking", "Code Interpreter Prompt Template": "Mal for ledetekst for kodetolker", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Samling", "Color": "Farge", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Oppdag, last ned og utforsk tilpassede ledetekster", "Discover, download, and explore custom tools": "Oppdag, last ned og utforsk tilpassede verktøy", "Discover, download, and explore model presets": "Oppdag, last ned og utforsk forhåndsinnstillinger for modeller", + "Discussion channel where access is based on groups and permissions": "", "Display": "Visning", "Display chat title in tab": "", "Display Emoji in Call": "Vis emoji i samtale", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "f.eks. 60", "e.g. A filter to remove profanity from text": "f.eks. et filter for å fjerne banning fra tekst", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "f.eks. Mitt filter", "e.g. My Tools": "f.eks. Mine verktøy", "e.g. my_filter": "f.eks. mitt_filter", "e.g. my_tools": "f.eks. mine_verktøy", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "f.eks. Verktøy for å gjøre ulike handlinger", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Ekporter konfigurasjon til en JSON-fil", "Export Models": "", "Export Presets": "Eksporter forhåndsinnstillinger", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Eksporter til CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Kan ikke legge til filen.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Kan ikke opprette en API-nøkkel.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Kan ikke lese utklippstavlens innhold", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Kan ikke lagre samtalen", "Failed to save models configuration": "Kan ikke lagre konfigurasjonen av modeller", "Failed to update settings": "Kan ikke oppdatere innstillinger", + "Failed to update status": "", "Failed to upload file.": "Kan ikke laste opp filen.", "Features": "Funksjoner", "Features Permissions": "Tillatelser for funksjoner", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Motor-ID for Google PSE", "Gravatar": "", "Group": "Gruppe", + "Group Channel": "", "Group created successfully": "Gruppe opprettet", "Group deleted successfully": "Gruppe slettet", "Group Description": "Beskrivelse av gruppe", "Group Name": "Navn på gruppe", "Group updated successfully": "Gruppe oppdatert", + "groups": "", "Groups": "Grupper", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Importer forhåndsinnstillinger", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Språkmodellers tilgjengelige minner vises her.", "Memory": "Minne", "Memory added successfully": "Minne lagt til", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Bare alfanumeriske tegn og bindestreker er tillatt i kommandostrengen.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Bare samlinger kan redigeres, eller lag en ny kunnskapsbase for å kunne redigere / legge til dokumenter.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Bare utvalgte brukere og grupper med tillatelse kan få tilgang", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oi! Det ser ut som URL-en er ugyldig. Dobbeltsjekk, og prøv på nytt.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Siste 7 dager", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Ledetekst", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Ledetekst (f.eks. Fortell meg noe morsomt om romerriket)", "Prompt Autocompletion": "", "Prompt Content": "Ledetekstinnhold", "Prompt created successfully": "Ledetekst opprettet", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Angi antall arbeidstråder som skal brukes til beregning. Dette alternativet kontrollerer hvor mange tråder som brukes til å behandle innkommende forespørsler samtidig. Hvis du øker denne verdien, kan det forbedre ytelsen under arbeidsbelastninger med høy samtidighet, men det kan også føre til økt forbruk av CPU-ressurser.", "Set Voice": "Angi stemme", "Set whisper model": "Angi whisper-modell", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Starten av kanalen", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT-modell", "STT Settings": "STT-innstillinger", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Undertittel (f.eks. om romerriket)", + "Subtitle": "", "Success": "Suksess", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Oppdatert.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Server-URL for Tika kreves.", "Tiktoken": "Tiktoken", "Title": "Tittel", - "Title (e.g. Tell me a fun fact)": "Tittel (f.eks. Fortell meg noe morsomt)", "Title Auto-Generation": "Automatisk tittelgenerering", "Title cannot be an empty string.": "Tittel kan ikke være en tom streng.", "Title Generation": "Genering av tittel", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Oppdater og kopier lenke", "Update for the latest features and improvements.": "Oppdater for å få siste funksjoner og forbedringer.", "Update password": "Oppdater passord", + "Update your status": "", "Updated": "Oppdatert", "Updated at": "Oppdatert", "Updated At": "Oppdatert", @@ -1723,6 +1746,7 @@ "View Replies": "Vis svar", "View Result from **{{NAME}}**": "", "Visibility": "Synlighet", + "Visible to all users": "", "Vision": "", "Voice": "Stemme", "Voice Input": "Taleinndata", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Hva prøver du å oppnå?", "What are you working on?": "Hva jobber du på nå?", "What's New in": "Hva er nytt i", + "What's on your mind?": "", "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.": "Hvis denne modusen er aktivert, svarer modellen på alle chattemeldinger i sanntid, og genererer et svar så snart brukeren sender en melding. Denne modusen er nyttig for live chat-applikasjoner, men kan påvirke ytelsen på tregere maskinvare.", "wherever you are": "uansett hvor du er", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/nl-NL/translation.json b/src/lib/i18n/locales/nl-NL/translation.json index 410bf7c32e..15d721e5da 100644 --- a/src/lib/i18n/locales/nl-NL/translation.json +++ b/src/lib/i18n/locales/nl-NL/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} woorden", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'s chats", "{{webUIName}} Backend Required": "{{webUIName}} Backend verplicht", "*Prompt node ID(s) are required for image generation": "*Prompt node ID('s) zijn vereist voor het genereren van afbeeldingen", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Een nieuwe versie (v{{LATEST_VERSION}}) is nu beschikbaar", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Een taakmodel wordt gebruikt bij het uitvoeren van taken zoals het genereren van titels voor chats en zoekopdrachten op het internet", "a user": "een gebruiker", "About": "Over", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Voeg bestanden toe", - "Add Group": "Voeg groep toe", + "Add Member": "", + "Add Members": "", "Add Memory": "Voeg geheugen toe", "Add Model": "Voeg model toe", "Add Reaction": "Voeg reactie toe", @@ -252,6 +257,7 @@ "Citations": "Citaten", "Clear memory": "Geheugen wissen", "Clear Memory": "Geheugen wissen", + "Clear status": "", "click here": "klik hier", "Click here for filter guides.": "Klik hier voor filterhulp.", "Click here for help.": "Klik hier voor hulp.", @@ -288,6 +294,7 @@ "Code Interpreter": "Code-interpretatie", "Code Interpreter Engine": "Code-interpretatie engine", "Code Interpreter Prompt Template": "Code-interpretatie promptsjabloon", + "Collaboration channel where people join as members": "", "Collapse": "Inklappen", "Collection": "Verzameling", "Color": "Kleur", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Ontdek, download en verken aangepaste prompts", "Discover, download, and explore custom tools": "Ontdek, download en verken aangepaste gereedschappen", "Discover, download, and explore model presets": "Ontdek, download en verken model presets", + "Discussion channel where access is based on groups and permissions": "", "Display": "Toon", "Display chat title in tab": "", "Display Emoji in Call": "Emoji tonen tijdens gesprek", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "bijv. \"json\" of een JSON-schema", "e.g. 60": "bijv. 60", "e.g. A filter to remove profanity from text": "bijv. Een filter om gevloek uit tekst te verwijderen", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "bijv. Mijn filter", "e.g. My Tools": "bijv. Mijn gereedschappen", "e.g. my_filter": "bijv. mijn_filter", "e.g. my_tools": "bijv. mijn_gereedschappen", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "Gereedschappen om verschillende bewerkingen uit te voeren", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exporteer configuratie naar JSON-bestand", "Export Models": "", "Export Presets": "Exporteer voorinstellingen", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Exporteer naar CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Het is niet gelukt om het bestand toe te voegen.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Kan geen verbinding maken met {{URL}} OpenAPI gereedschapserver", "Failed to copy link": "", "Failed to create API Key.": "Kan API Key niet aanmaken.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Kan klembord inhoud niet lezen", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Het is niet gelukt om het gesprek op te slaan", "Failed to save models configuration": "Het is niet gelukt om de modelconfiguratie op te slaan", "Failed to update settings": "Instellingen konden niet worden bijgewerkt.", + "Failed to update status": "", "Failed to upload file.": "Bestand kon niet worden geüpload.", "Features": "Functies", "Features Permissions": "Functietoestemmingen", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE-engine-ID", "Gravatar": "", "Group": "Groep", + "Group Channel": "", "Group created successfully": "Groep succesvol aangemaakt", "Group deleted successfully": "Groep succesvol verwijderd", "Group Description": "Groepsbeschrijving", "Group Name": "Groepsnaam", "Group updated successfully": "Groep succesvol bijgewerkt", + "groups": "", "Groups": "Groepen", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Importeer voorinstellingen", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Geheugen toegankelijk voor LLMs wordt hier getoond.", "Memory": "Geheugen", "Memory added successfully": "Geheugen succesvol toegevoegd", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Alleen alfanumerieke karakters en streepjes zijn toegestaan in de commando string.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Alleen verzamelinge kunnen gewijzigd worden, maak een nieuwe kennisbank aan om bestanden aan te passen/toe te voegen", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Alleen geselecteerde gebruikers en groepen met toestemming hebben toegang", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oeps! Het lijkt erop dat de URL ongeldig is. Controleer het nogmaals en probeer opnieuw.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Afgelopen 7 dagen", "Previous message": "", "Private": "Privé", + "Private conversation between selected users": "", "Profile": "Profiel", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (bv. Vertel me een leuke gebeurtenis over het Romeinse Rijk)", "Prompt Autocompletion": "Automatische promptaanvulling", "Prompt Content": "Promptinhoud", "Prompt created successfully": "Prompt succesvol aangemaakt", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Stel het aantal threads in dat wordt gebruikt voor berekeningen. Deze optie bepaalt hoeveel threads worden gebruikt om gelijktijdig binnenkomende verzoeken te verwerken. Het verhogen van deze waarde kan de prestaties verbeteren onder hoge concurrency werklasten, maar kan ook meer CPU-bronnen verbruiken.", "Set Voice": "Stel stem in", "Set whisper model": "Stel Whisper-model in", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Stelt een vlakke bias in tegen tokens die minstens één keer zijn voorgekomen. Een hogere waarde (bijv. 1,5) straft herhalingen sterker af, terwijl een lagere waarde (bijv. 0,9) toegeeflijker is. Bij 0 is het uitgeschakeld.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Stelt een schaalvooroordeel in tegen tokens om herhalingen te bestraffen, gebaseerd op hoe vaak ze zijn voorgekomen. Een hogere waarde (bijv. 1,5) straft herhalingen sterker af, terwijl een lagere waarde (bijv. 0,9) toegeeflijker is. Bij 0 is het uitgeschakeld.", "Sets how far back for the model to look back to prevent repetition.": "Stelt in hoe ver het model terug moet kijken om herhaling te voorkomen.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Begin van het kanaal", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT Model", "STT Settings": "STT Instellingen", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Ondertitel (bijv. over de Romeinse Empire)", + "Subtitle": "", "Success": "Succes", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Succesvol bijgewerkt.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika Server-URL vereist", "Tiktoken": "Tiktoken", "Title": "Titel", - "Title (e.g. Tell me a fun fact)": "Titel (bv. Vertel me een leuke gebeurtenis)", "Title Auto-Generation": "Titel Auto-Generatie", "Title cannot be an empty string.": "Titel kan niet leeg zijn.", "Title Generation": "Titelgeneratie", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Bijwerken en kopieer link", "Update for the latest features and improvements.": "Bijwerken voor de nieuwste functies en verbeteringen", "Update password": "Wijzig wachtwoord", + "Update your status": "", "Updated": "Bijgewerkt", "Updated at": "Bijgewerkt om", "Updated At": "Bijgewerkt om", @@ -1723,6 +1746,7 @@ "View Replies": "Bekijke resultaten", "View Result from **{{NAME}}**": "", "Visibility": "Zichtbaarheid", + "Visible to all users": "", "Vision": "", "Voice": "Stem", "Voice Input": "Steminvoer", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Wat probeer je te bereiken?", "What are you working on?": "Waar werk je aan?", "What's New in": "Wat is nieuw in", + "What's on your mind?": "", "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.": "Als dit is ingeschakeld, reageert het model op elk chatbericht in real-time, waarbij een reactie wordt gegenereerd zodra de gebruiker een bericht stuurt. Deze modus is handig voor live chat-toepassingen, maar kan de prestaties op langzamere hardware beïnvloeden.", "wherever you are": "waar je ook bent", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/pa-IN/translation.json b/src/lib/i18n/locales/pa-IN/translation.json index 56d8d95a7c..6970e3335a 100644 --- a/src/lib/i18n/locales/pa-IN/translation.json +++ b/src/lib/i18n/locales/pa-IN/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} ਦੀਆਂ ਗੱਲਾਂ", "{{webUIName}} Backend Required": "{{webUIName}} ਬੈਕਐਂਡ ਲੋੜੀਂਦਾ ਹੈ", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "ਚੈਟਾਂ ਅਤੇ ਵੈੱਬ ਖੋਜ ਪੁੱਛਗਿੱਛਾਂ ਵਾਸਤੇ ਸਿਰਲੇਖ ਤਿਆਰ ਕਰਨ ਵਰਗੇ ਕਾਰਜ ਾਂ ਨੂੰ ਕਰਦੇ ਸਮੇਂ ਇੱਕ ਕਾਰਜ ਮਾਡਲ ਦੀ ਵਰਤੋਂ ਕੀਤੀ ਜਾਂਦੀ ਹੈ", "a user": "ਇੱਕ ਉਪਭੋਗਤਾ", "About": "ਬਾਰੇ", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "ਫਾਈਲਾਂ ਸ਼ਾਮਲ ਕਰੋ", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "ਮਿਹਾਨ ਸ਼ਾਮਲ ਕਰੋ", "Add Model": "ਮਾਡਲ ਸ਼ਾਮਲ ਕਰੋ", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "ਮਦਦ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "ਸੰਗ੍ਰਹਿ", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "ਕਸਟਮ ਪ੍ਰੰਪਟਾਂ ਨੂੰ ਖੋਜੋ, ਡਾਊਨਲੋਡ ਕਰੋ ਅਤੇ ਪੜਚੋਲ ਕਰੋ", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "ਮਾਡਲ ਪ੍ਰੀਸੈਟਾਂ ਨੂੰ ਖੋਜੋ, ਡਾਊਨਲੋਡ ਕਰੋ ਅਤੇ ਪੜਚੋਲ ਕਰੋ", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "API ਕੁੰਜੀ ਬਣਾਉਣ ਵਿੱਚ ਅਸਫਲ।", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਪੜ੍ਹਣ ਵਿੱਚ ਅਸਫਲ", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "ਗੱਲਬਾਤ ਸੰਭਾਲਣ ਵਿੱਚ ਅਸਫਲ", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ਗੂਗਲ PSE ਇੰਜਣ ID", "Gravatar": "", "Group": "ਗਰੁੱਪ", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMs ਲਈ ਸਮਰੱਥ ਕਾਰਨ ਇੱਕ ਸੂਚਨਾ ਨੂੰ ਸ਼ਾਮਲ ਕੀਤਾ ਗਿਆ ਹੈ।", "Memory": "ਮੀਮਰ", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "ਕਮਾਂਡ ਸਤਰ ਵਿੱਚ ਸਿਰਫ਼ ਅਲਫ਼ਾਨਯੂਮੈਰਿਕ ਅੱਖਰ ਅਤੇ ਹਾਈਫਨ ਦੀ ਆਗਿਆ ਹੈ।", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ਓਹੋ! ਲੱਗਦਾ ਹੈ ਕਿ URL ਗਲਤ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ ਦੁਬਾਰਾ ਜਾਂਚ ਕਰੋ ਅਤੇ ਮੁੜ ਕੋਸ਼ਿਸ਼ ਕਰੋ।", @@ -1263,9 +1282,9 @@ "Previous 7 days": "ਪਿਛਲੇ 7 ਦਿਨ", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "ਪ੍ਰੋਫ਼ਾਈਲ", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "ਪ੍ਰੰਪਟ (ਉਦਾਹਰਣ ਲਈ ਮੈਨੂੰ ਰੋਮਨ ਸਾਮਰਾਜ ਬਾਰੇ ਇੱਕ ਮਜ਼ੇਦਾਰ ਤੱਥ ਦੱਸੋ)", "Prompt Autocompletion": "", "Prompt Content": "ਪ੍ਰੰਪਟ ਸਮੱਗਰੀ", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "ਆਵਾਜ਼ ਸੈੱਟ ਕਰੋ", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "ਚੈਨਲ ਦੀ ਸ਼ੁਰੂਆਤ", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "", "STT Settings": "STT ਸੈਟਿੰਗਾਂ", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "ਉਪਸਿਰਲੇਖ (ਉਦਾਹਰਣ ਲਈ ਰੋਮਨ ਸਾਮਰਾਜ ਬਾਰੇ)", + "Subtitle": "", "Success": "ਸਫਲਤਾ", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "ਸਫਲਤਾਪੂਰਵਕ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ।", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "ਸਿਰਲੇਖ", - "Title (e.g. Tell me a fun fact)": "ਸਿਰਲੇਖ (ਉਦਾਹਰਣ ਲਈ ਮੈਨੂੰ ਇੱਕ ਮਜ਼ੇਦਾਰ ਤੱਥ ਦੱਸੋ)", "Title Auto-Generation": "ਸਿਰਲੇਖ ਆਟੋ-ਜਨਰੇਸ਼ਨ", "Title cannot be an empty string.": "ਸਿਰਲੇਖ ਖਾਲੀ ਸਤਰ ਨਹੀਂ ਹੋ ਸਕਦਾ।", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "ਅੱਪਡੇਟ ਕਰੋ ਅਤੇ ਲਿੰਕ ਕਾਪੀ ਕਰੋ", "Update for the latest features and improvements.": "", "Update password": "ਪਾਸਵਰਡ ਅੱਪਡੇਟ ਕਰੋ", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "ਨਵਾਂ ਕੀ ਹੈ", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/pl-PL/translation.json b/src/lib/i18n/locales/pl-PL/translation.json index c1c2c42744..cb529fe181 100644 --- a/src/lib/i18n/locales/pl-PL/translation.json +++ b/src/lib/i18n/locales/pl-PL/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} słów", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Czaty użytkownika {{user}}", "{{webUIName}} Backend Required": "Backend dla {{webUIName}} jest wymagany", "*Prompt node ID(s) are required for image generation": "Wymagane są identyfikatory węzłów wyzwalających do generowania obrazów.", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Dostępna jest nowa wersja (v{{LATEST_VERSION}}).", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model zadań jest wykorzystywany podczas realizacji zadań, takich jak generowanie tytułów rozmów i zapytań wyszukiwania internetowego.", "a user": "użytkownik", "About": "O nas", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Dodaj pliki", - "Add Group": "Dodaj grupę", + "Add Member": "", + "Add Members": "", "Add Memory": "Dodaj pamięć", "Add Model": "Dodaj model", "Add Reaction": "Dodaj reakcję", @@ -252,6 +257,7 @@ "Citations": "Cytaty", "Clear memory": "Wyczyść pamięć", "Clear Memory": "Wyczyść pamięć", + "Clear status": "", "click here": "kliknij tutaj", "Click here for filter guides.": "Kliknij tutaj, aby uzyskać podpowiedź do filtrów.", "Click here for help.": "Kliknij tutaj, aby uzyskać pomoc.", @@ -288,6 +294,7 @@ "Code Interpreter": "Interpreter kodu", "Code Interpreter Engine": "Silnik interpretatora kodu", "Code Interpreter Prompt Template": "Szablon promptu interpretera kodu", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolekcja", "Color": "Kolor", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Odkryj, pobierz i eksploruj niestandardowe prompty", "Discover, download, and explore custom tools": "Odkryj, pobierz i eksploruj niestandardowe narzędzia", "Discover, download, and explore model presets": "Odkryj, pobierz i badaj ustawienia modeli", + "Discussion channel where access is based on groups and permissions": "", "Display": "Wyświetl", "Display chat title in tab": "", "Display Emoji in Call": "Wyświetl emoji w połączeniu", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "np. Filtr do usuwania wulgaryzmów z tekstu", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "np. Mój filtr", "e.g. My Tools": "np. Moje narzędzia", "e.g. my_filter": "np. moj_filtr", "e.g. my_tools": "np. moje_narzędzia", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "np. Narzędzia do wykonywania różnych operacji", "e.g., 3, 4, 5 (leave blank for default)": "np. 3, 4, 5 (zostaw puste dla domyślnego)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Eksportuj konfigurację do pliku JSON", "Export Models": "", "Export Presets": "Wyeksportuj ustawienia domyślne", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Eksport do CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Nie udało się dodać pliku.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "Nie udało się skopiować linku", "Failed to create API Key.": "Nie udało się wygenerować klucza API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Nie udało się załadować zawartości pliku.", "Failed to move chat": "", "Failed to read clipboard contents": "Nie udało się odczytać zawartości schowka", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Nie udałio się zapisać połączeń", "Failed to save conversation": "Nie udało się zapisać rozmowy", "Failed to save models configuration": "Nie udało się zapisać konfiguracji modelu", "Failed to update settings": "Nie udało się zaktualizować ustawień", + "Failed to update status": "", "Failed to upload file.": "Nie udało się przesłać pliku.", "Features": "Funkcje", "Features Permissions": "Uprawnienia do funkcji", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Identyfikator silnika Google PSE", "Gravatar": "", "Group": "Grupa", + "Group Channel": "", "Group created successfully": "Grupa utworzona pomyślnie", "Group deleted successfully": "Grupa została usunięta pomyślnie", "Group Description": "Opis grupy", "Group Name": "Nazwa grupy", "Group updated successfully": "Grupa zaktualizowana pomyślnie", + "groups": "", "Groups": "Grupy", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Importuj notatki", "Import Presets": "Importuj ustawienia", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Wspomnienia dostępne za pomocą LLM zostaną wyświetlone tutaj.", "Memory": "Pamięć", "Memory added successfully": "Pamięć dodana pomyślnie", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "W komendzie dozwolone są wyłącznie znaki alfanumeryczne i myślniki.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Tylko kolekcje można edytować, utwórz nową bazę wiedzy, aby edytować/dodawać dokumenty.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Tylko wybrani użytkownicy i grupy z uprawnieniami mogą uzyskać dostęp.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Wygląda na to, że podany URL jest nieprawidłowy. Proszę sprawdzić go ponownie i spróbować jeszcze raz.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Ostatnie 7 dni", "Previous message": "Poprzednia wiadomość", "Private": "Prywatne", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Wprowadź prompt: ", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (np. podaj ciekawostkę o Imperium Rzymskim)", "Prompt Autocompletion": "Autouzupełnianie promptu", "Prompt Content": "Treść promptu", "Prompt created successfully": "Prompt został utworzony pomyślnie", @@ -1453,6 +1472,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ustaw liczbę wątków pracowników używanych do obliczeń. Ta opcja kontroluje, ile wątków jest używanych do jednoczesnego przetwarzania przychodzących żądań. Zwiększenie tej wartości może poprawić wydajność pod wysokim obciążeniem, ale może również zużywać więcej zasobów CPU.", "Set Voice": "Ustaw głos", "Set whisper model": "Ustaw model szeptu", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1505,6 +1525,9 @@ "Start a new conversation": "", "Start of the channel": "Początek kanału", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1520,7 +1543,7 @@ "STT Model": "Model STT", "STT Settings": "Ustawienia STT", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Podtytuł (np. o Imperium Rzymskim)", + "Subtitle": "", "Success": "Sukces", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Uaktualniono pomyślnie.", @@ -1603,7 +1626,6 @@ "Tika Server URL required.": "Wymagany jest adres URL serwera Tika.", "Tiktoken": "Tiktoken", "Title": "Tytuł", - "Title (e.g. Tell me a fun fact)": "Tytuł (na przykład {e.g.} Powiedz mi jakiś zabawny fakt)", "Title Auto-Generation": "Automatyczne tworzenie tytułu", "Title cannot be an empty string.": "Tytuł nie może być pustym stringiem.", "Title Generation": "Generowanie tytułów", @@ -1672,6 +1694,7 @@ "Update and Copy Link": "Aktualizuj i kopiuj link", "Update for the latest features and improvements.": "Aktualizacja do najnowszych funkcji i ulepszeń.", "Update password": "Zmiana hasła", + "Update your status": "", "Updated": "Zaktualizowano", "Updated at": "Aktualizacja dnia", "Updated At": "Czas aktualizacji", @@ -1725,6 +1748,7 @@ "View Replies": "Wyświetl odpowiedzi", "View Result from **{{NAME}}**": "", "Visibility": "Widoczność", + "Visible to all users": "", "Vision": "", "Voice": "Głos", "Voice Input": "Wprowadzanie głosowe", @@ -1752,6 +1776,7 @@ "What are you trying to achieve?": "Do czego dążysz?", "What are you working on?": "Nad czym pracujesz?", "What's New in": "Co nowego w", + "What's on your mind?": "", "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.": "Gdy jest włączony, model będzie reagował na każdą wiadomość czatu w czasie rzeczywistym, generując odpowiedź tak szybko, jak użytkownik wyśle wiadomość. Ten tryb jest przydatny dla aplikacji czatu na żywo, ale może wpływać na wydajność na wolniejszym sprzęcie.", "wherever you are": "gdziekolwiek jesteś", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json index bcd51bf274..f388e9319f 100644 --- a/src/lib/i18n/locales/pt-BR/translation.json +++ b/src/lib/i18n/locales/pt-BR/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} palavras", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} às {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "O download do {{model}} foi cancelado", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Chats de {{user}}", "{{webUIName}} Backend Required": "Backend {{webUIName}} necessário", "*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) são obrigatórios para gerar imagens", "1 Source": "1 Origem", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Um nova versão (v{{LATEST_VERSION}}) está disponível.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Um modelo de tarefa é usado ao realizar tarefas como gerar títulos para chats e consultas de pesquisa na web", "a user": "um usuário", "About": "Sobre", @@ -32,7 +36,6 @@ "Accessible to all users": "Acessível para todos os usuários", "Account": "Conta", "Account Activation Pending": "Ativação da Conta Pendente", - "Accurate information": "Informações precisas", "Action": "Ação", "Action not found": "Ação não encontrada", @@ -54,7 +57,8 @@ "Add Custom Prompt": "Adicionar prompt personalizado", "Add Details": "Adicionar detalhes", "Add Files": "Adicionar Arquivos", - "Add Group": "Adicionar Grupo", + "Add Member": "", + "Add Members": "", "Add Memory": "Adicionar Memória", "Add Model": "Adicionar Modelo", "Add Reaction": "Adicionar reação", @@ -124,10 +128,8 @@ "and {{COUNT}} more": "e mais {{COUNT}}", "and create a new shared link.": "e criar um novo link compartilhado.", "Android": "Android", - "API Base URL": "URL Base da API", "API Base URL for Datalab Marker service. Defaults to: https://www.datalab.to/api/v1/marker": "URL base da API para o serviço Datalab Marker. O padrão é: https://www.datalab.to/api/v1/marker", - "API Key": "Chave API", "API Key created.": "Chave API criada.", "API Key Endpoint Restrictions": "Restrições de endpoint de chave de API", @@ -203,7 +205,6 @@ "Bocha Search API Key": "Chave da API de pesquisa Bocha", "Bold": "Negrito", "Boosting or penalizing specific tokens for constrained responses. Bias values will be clamped between -100 and 100 (inclusive). (Default: none)": "Aumentar ou penalizar tokens específicos para respostas restritas. Os valores de viés serão fixados entre -100 e 100 (inclusive). (Padrão: nenhum)", - "Brave Search API Key": "Chave API do Brave Search", "Bullet List": "Lista com marcadores", "Button ID": "ID do botão", @@ -256,6 +257,7 @@ "Citations": "Citações", "Clear memory": "Limpar memória", "Clear Memory": "Limpar Memória", + "Clear status": "", "click here": "Clique aqui", "Click here for filter guides.": "Clique aqui para obter instruções de filtros.", "Click here for help.": "Clique aqui para obter ajuda.", @@ -292,6 +294,7 @@ "Code Interpreter": "Intérprete de código", "Code Interpreter Engine": "Motor de interpretação de código", "Code Interpreter Prompt Template": "Modelo de Prompt do Interpretador de Código", + "Collaboration channel where people join as members": "", "Collapse": "Recolher", "Collection": "Coleção", "Color": "Cor", @@ -426,7 +429,6 @@ "Deleted {{name}}": "Excluído {{name}}", "Deleted User": "Usuário Excluído", "Deployment names are required for Azure OpenAI": "Nomes de implantação são necessários para o Azure OpenAI", - "Describe your knowledge base and objectives": "Descreva sua base de conhecimento e objetivos", "Description": "Descrição", "Detect Artifacts Automatically": "Detectar artefatos automaticamente", @@ -452,6 +454,7 @@ "Discover, download, and explore custom prompts": "Descubra, baixe e explore prompts personalizados", "Discover, download, and explore custom tools": "Descubra, baixe e explore ferramentas personalizadas", "Discover, download, and explore model presets": "Descubra, baixe e explore predefinições de modelos", + "Discussion channel where access is based on groups and permissions": "", "Display": "Exibir", "Display chat title in tab": "Exibir título do chat na aba", "Display Emoji in Call": "Exibir Emoji na Chamada", @@ -460,9 +463,6 @@ "Displays citations in the response": "Exibir citações na resposta", "Displays status updates (e.g., web search progress) in the response": "Exibe atualizações de status (por exemplo, progresso da pesquisa na web) na resposta", "Dive into knowledge": "Explorar base de conhecimento", - - - "Do not install functions from sources you do not fully trust.": "Não instale funções de origens nas quais você não confia totalmente.", "Do not install tools from sources you do not fully trust.": "Não instale ferramentas de origens nas quais você não confia totalmente.", "Docling": "", @@ -493,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "por exemplo, \"json\" ou um esquema JSON", "e.g. 60": "por exemplo, 60", "e.g. A filter to remove profanity from text": "Exemplo: Um filtro para remover palavrões do texto", + "e.g. about the Roman Empire": "", "e.g. en": "por exemplo, en", "e.g. My Filter": "Exemplo: Meu Filtro", "e.g. My Tools": "Exemplo: Minhas Ferramentas", "e.g. my_filter": "Exemplo: my_filter", "e.g. my_tools": "Exemplo: my_tools", "e.g. pdf, docx, txt": "por exemplo, pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "Exemplo: Ferramentas para executar operações diversas", "e.g., 3, 4, 5 (leave blank for default)": "por exemplo, 3, 4, 5 (deixe em branco para o padrão)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "por exemplo, áudio/wav, áudio/mpeg, vídeo/* (deixe em branco para os padrões)", @@ -527,7 +530,6 @@ "Embedding Batch Size": "Tamanho do Lote de Embedding", "Embedding Model": "Modelo de Embedding", "Embedding Model Engine": "Motor do Modelo de Embedding", - "Enable API Keys": "Habilitar chave de API", "Enable autocomplete generation for chat messages": "Habilitar geração de preenchimento automático para mensagens do chat", "Enable Code Execution": "Habilitar execução de código", @@ -564,14 +566,12 @@ "Enter Chunk Overlap": "Digite a Sobreposição de Chunk", "Enter Chunk Size": "Digite o Tamanho do Chunk", "Enter comma-separated \"token:bias_value\" pairs (example: 5432:100, 413:-100)": "Insira pares \"token:bias_value\" separados por vírgulas (exemplo: 5432:100, 413:-100)", - "Enter content for the pending user info overlay. Leave empty for default.": "Insira o conteúdo para a sobreposição de informações pendentes do usuário. Deixe em branco para o padrão.", "Enter coordinates (e.g. 51.505, -0.09)": "Insira as coordenadas (por exemplo, 51,505, -0,09)", "Enter Datalab Marker API Base URL": "Insira o URL base da API do marcador do Datalab", "Enter Datalab Marker API Key": "Insira a chave da API do marcador do Datalab", "Enter description": "Digite a descrição", "Enter Docling API Key": "Insira a chave da API do Docling", - "Enter Docling Server URL": "Digite a URL do servidor Docling", "Enter Document Intelligence Endpoint": "Insira o endpoint do Document Intelligence", "Enter Document Intelligence Key": "Insira a chave de inteligência do documento", @@ -700,7 +700,6 @@ "Export Config to JSON File": "Exportar Configuração para Arquivo JSON", "Export Models": "Exportar Modelos", "Export Presets": "Exportar Presets", - "Export Prompt Suggestions": "Exportar Sugestões de Prompt", "Export Prompts": "Exportar Prompts", "Export to CSV": "Exportar para CSV", "Export Tools": "Exportar Ferramentas", @@ -715,6 +714,8 @@ "External Web Search URL": "URL de pesquisa na Web externa", "Fade Effect for Streaming Text": "Efeito de desbotamento para texto em streaming", "Failed to add file.": "Falha ao adicionar arquivo.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Falha ao conectar ao servidor da ferramenta OpenAPI {{URL}}", "Failed to copy link": "Falha ao copiar o link", "Failed to create API Key.": "Falha ao criar a Chave API.", @@ -728,14 +729,15 @@ "Failed to load file content.": "Falha ao carregar o conteúdo do arquivo.", "Failed to move chat": "Falha ao mover o chat", "Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência", + "Failed to remove member": "", "Failed to render diagram": "Falha ao renderizar o diagrama", "Failed to render visualization": "Falha ao renderizar a visualização", "Failed to save connections": "Falha ao salvar conexões", "Failed to save conversation": "Falha ao salvar a conversa", "Failed to save models configuration": "Falha ao salvar a configuração dos modelos", "Failed to update settings": "Falha ao atualizar as configurações", + "Failed to update status": "", "Failed to upload file.": "Falha ao carregar o arquivo.", - "Features": "Funcionalidades", "Features Permissions": "Permissões das Funcionalidades", "February": "Fevereiro", @@ -828,11 +830,13 @@ "Google PSE Engine Id": "ID do Motor do Google PSE", "Gravatar": "", "Group": "Grupo", + "Group Channel": "", "Group created successfully": "Grupo criado com sucesso", "Group deleted successfully": "Grupo excluído com sucesso", "Group Description": "Descrição do Grupo", "Group Name": "Nome do Grupo", "Group updated successfully": "Grupo atualizado com sucesso", + "groups": "", "Groups": "Grupos", "H1": "Título", "H2": "Subtítulo", @@ -887,12 +891,10 @@ "Import Models": "Importar Modelos", "Import Notes": "Importar Notas", "Import Presets": "Importar Presets", - "Import Prompt Suggestions": "Importar Sugestões de Prompt", "Import Prompts": "Importar Prompts", "Import successful": "Importação bem-sucedida", "Import Tools": "Importar Ferramentas", "Important Update": "Atualização importante", - "Include": "Incluir", "Include `--api-auth` flag when running stable-diffusion-webui": "Incluir a flag `--api-auth` ao executar stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Incluir a flag `--api` ao executar stable-diffusion-webui", @@ -1024,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "O suporte ao MCP é experimental e suas especificações mudam com frequência, o que pode levar a incompatibilidades. O suporte à especificação OpenAPI é mantido diretamente pela equipe do Open WebUI, tornando-o a opção mais confiável para compatibilidade.", "Medium": "Médio", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memórias acessíveis por LLMs serão mostradas aqui.", "Memory": "Memória", "Memory added successfully": "Memória adicionada com sucesso", @@ -1171,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.", "Only can be triggered when the chat input is in focus.": "Só pode ser acionado quando o campo de entrada do chat estiver em foco.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Somente coleções podem ser editadas. Crie uma nova base de conhecimento para editar/adicionar documentos.", + "Only invited users can access": "", "Only markdown files are allowed": "Somente arquivos markdown são permitidos", "Only select users and groups with permission can access": "Somente usuários e grupos selecionados com permissão podem acessar.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Parece que a URL é inválida. Por favor, verifique novamente e tente de novo.", @@ -1202,7 +1208,6 @@ "OpenAPI Spec": "", "openapi.json URL or Path": "", "Optional": "Opcional", - "or": "ou", "Ordered List": "Lista ordenada", "Organize your users": "Organizar seus usuários", @@ -1217,14 +1222,12 @@ "Password": "Senha", "Passwords do not match.": "As senhas não coincidem.", "Paste Large Text as File": "Cole Textos Longos como Arquivo", - "PDF document (.pdf)": "Documento PDF (.pdf)", "PDF Extract Images (OCR)": "Extrair Imagens do PDF (OCR)", "pending": "pendente", "Pending": "Pendente", "Pending User Overlay Content": "Conteúdo de sobreposição de usuário pendente", "Pending User Overlay Title": "Título de sobreposição de usuário pendente", - "Permission denied when accessing media devices": "Permissão negada ao acessar dispositivos de mídia", "Permission denied when accessing microphone": "Permissão negada ao acessar o microfone", "Permission denied when accessing microphone: {{error}}": "Permissão negada ao acessar o microfone: {{error}}", @@ -1234,15 +1237,11 @@ "Perplexity Search API URL": "", "Perplexity Search Context Usage": "Uso do contexto de pesquisa do Perplexity", "Personalization": "Personalização", - - - "Pin": "Fixar", "Pinned": "Fixado", "Pinned Messages": "", "Pioneer insights": "Insights pioneiros", "Pipe": "", - "Pipeline deleted successfully": "Pipeline excluído com sucesso", "Pipeline downloaded successfully": "Pipeline baixado com sucesso", "Pipelines": "Pipelines", @@ -1283,9 +1282,9 @@ "Previous 7 days": "Últimos 7 dias", "Previous message": "Mensagem anterior", "Private": "Privado", + "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (por exemplo, Diga-me um fato divertido sobre o Império Romano)", "Prompt Autocompletion": "Preenchimento automático de prompts", "Prompt Content": "Conteúdo do Prompt", "Prompt created successfully": "Prompt criado com sucesso", @@ -1299,7 +1298,6 @@ "Pull \"{{searchValue}}\" from Ollama.com": "Obter \"{{searchValue}}\" de Ollama.com", "Pull a model from Ollama.com": "Obter um modelo de Ollama.com", "Pull Model": "Obter Modelo", - "Query Generation Prompt": "Prompt de Geração de Consulta", "Querying": "Consultando", "Quick Actions": "Ações rápidas", @@ -1473,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Defina o número de threads de trabalho usadas para computação. Esta opção controla quantos threads são usados para processar as solicitações recebidas de forma simultânea. Aumentar esse valor pode melhorar o desempenho em cargas de trabalho de alta concorrência, mas também pode consumir mais recursos da CPU.", "Set Voice": "Definir Voz", "Set whisper model": "Definir modelo Whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Define um viés fixo contra tokens que apareceram pelo menos uma vez. Um valor mais alto (por exemplo, 1,5) penalizará as repetições com mais força, enquanto um valor mais baixo (por exemplo, 0,9) será mais tolerante. Em 0, está desabilitado.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Define um viés de escala contra tokens para penalizar repetições, com base em quantas vezes elas apareceram. Um valor mais alto (por exemplo, 1,5) penalizará as repetições com mais rigor, enquanto um valor mais baixo (por exemplo, 0,9) será mais brando. Em 0, está desabilitado.", "Sets how far back for the model to look back to prevent repetition.": "Define até que ponto o modelo deve olhar para trás para evitar repetições.", @@ -1522,10 +1521,12 @@ "Speech recognition error: {{error}}": "Erro de reconhecimento de fala: {{error}}", "Speech-to-Text": "Fala-para-Texto", "Speech-to-Text Engine": "Motor de Transcrição de Fala", - "Start a new conversation": "Iniciar uma nova conversa", "Start of the channel": "Início do canal", "Start Tag": "Tag inicial", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Atualizações de status", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Passos", @@ -1541,7 +1542,7 @@ "STT Model": "Modelo STT", "STT Settings": "Configurações STT", "Stylized PDF Export": "Exportação de PDF estilizado", - "Subtitle (e.g. about the Roman Empire)": "Subtítulo (por exemplo, sobre o Império Romano)", + "Subtitle": "", "Success": "Sucesso", "Successfully imported {{userCount}} users.": "{{userCount}} usuários importados com sucesso.", "Successfully updated.": "Atualizado com sucesso.", @@ -1554,7 +1555,6 @@ "System": "Sistema", "System Instructions": "Instruções do sistema", "System Prompt": "Prompt do Sistema", - "Tag": "", "Tags": "", "Tags Generation": "Geração de tags", @@ -1625,7 +1625,6 @@ "Tika Server URL required.": "URL do servidor Tika necessária.", "Tiktoken": "", "Title": "Título", - "Title (e.g. Tell me a fun fact)": "Título (por exemplo, Conte-me um fato divertido)", "Title Auto-Generation": "Geração Automática de Título", "Title cannot be an empty string.": "O Título não pode ser uma string vazia.", "Title Generation": "Geração de Títulos", @@ -1694,6 +1693,7 @@ "Update and Copy Link": "Atualizar e Copiar Link", "Update for the latest features and improvements.": "Atualizar para as novas funcionalidades e melhorias.", "Update password": "Atualizar senha", + "Update your status": "", "Updated": "Atualizado", "Updated at": "Atualizado em", "Updated At": "Atualizado Em", @@ -1747,8 +1747,8 @@ "View Replies": "Ver respostas", "View Result from **{{NAME}}**": "Ver resultado de **{{NAME}}**", "Visibility": "Visibilidade", + "Visible to all users": "", "Vision": "Visão", - "Voice": "Voz", "Voice Input": "Entrada de voz", "Voice mode": "Modo de voz", @@ -1775,6 +1775,7 @@ "What are you trying to achieve?": "O que está tentando alcançar?", "What are you working on?": "No que está trabalhando?", "What's New in": "O que há de novo em", + "What's on your mind?": "", "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.": "Quando habilitado, o modelo responderá a cada mensagem de chat em tempo real, gerando uma resposta assim que o usuário enviar uma mensagem. Este modo é útil para aplicativos de chat ao vivo, mas pode impactar o desempenho em hardware mais lento.", "wherever you are": "onde quer que você esteja.", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Se a saída deve ser paginada. Cada página será separada por uma régua horizontal e um número de página. O padrão é Falso.", diff --git a/src/lib/i18n/locales/pt-PT/translation.json b/src/lib/i18n/locales/pt-PT/translation.json index 32f5893e30..e83b993ed8 100644 --- a/src/lib/i18n/locales/pt-PT/translation.json +++ b/src/lib/i18n/locales/pt-PT/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'s Chats", "{{webUIName}} Backend Required": "{{webUIName}} Backend Necessário", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Um modelo de tarefa é usado ao executar tarefas como gerar títulos para bate-papos e consultas de pesquisa na Web", "a user": "um utilizador", "About": "Acerca de", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Adicionar Ficheiros", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "Adicionar memória", "Add Model": "Adicionar modelo", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Limpar memória", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Clique aqui para obter ajuda.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Coleção", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Descubra, descarregue e explore prompts personalizados", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Descubra, descarregue e explore predefinições de modelo", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Falha ao criar a Chave da API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Falha ao guardar a conversa", "Failed to save models configuration": "", "Failed to update settings": "Falha ao atualizar as definições", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID do mecanismo PSE do Google", "Gravatar": "", "Group": "Grupo", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memórias acessíveis por LLMs serão mostradas aqui.", "Memory": "Memória", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Epá! Parece que o URL é inválido. Verifique novamente e tente outra vez.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Últimos 7 dias", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ex.: Dê-me um facto divertido sobre o Império Romano)", "Prompt Autocompletion": "", "Prompt Content": "Conteúdo do Prompt", "Prompt created successfully": "", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Definir Voz", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "Início do canal", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "Modelo STT", "STT Settings": "Configurações STT", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Subtítulo (ex.: sobre o Império Romano)", + "Subtitle": "", "Success": "Sucesso", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Atualizado com sucesso.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Título", - "Title (e.g. Tell me a fun fact)": "Título (ex.: Diz-me um facto divertido)", "Title Auto-Generation": "Geração Automática de Título", "Title cannot be an empty string.": "Título não pode ser uma string vazia.", "Title Generation": "", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Atualizar e Copiar Link", "Update for the latest features and improvements.": "", "Update password": "Atualizar senha", + "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1724,6 +1747,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "O que há de novo em", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ro-RO/translation.json b/src/lib/i18n/locales/ro-RO/translation.json index 86510eefc6..fef5de52cc 100644 --- a/src/lib/i18n/locales/ro-RO/translation.json +++ b/src/lib/i18n/locales/ro-RO/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Conversațiile lui {{user}}", "{{webUIName}} Backend Required": "Este necesar backend-ul {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*Sunt necesare ID-urile nodurilor de solicitare pentru generarea imaginii*", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "O nouă versiune (v{{LATEST_VERSION}}) este acum disponibilă.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un model de sarcină este utilizat pentru realizarea unor sarcini precum generarea de titluri pentru conversații și interogări de căutare pe web", "a user": "un utilizator", "About": "Despre", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Adaugă fișiere", - "Add Group": "Adaugă grup", + "Add Member": "", + "Add Members": "", "Add Memory": "Adaugă memorie", "Add Model": "Adaugă model", "Add Reaction": "Adaugă reacție", @@ -252,6 +257,7 @@ "Citations": "Citații", "Clear memory": "Șterge memoria", "Clear Memory": "Golește memoria", + "Clear status": "", "click here": "apasă aici.", "Click here for filter guides.": "Apasă aici pentru ghidul de filtrare.", "Click here for help.": "Apasă aici pentru ajutor.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "Motor de interpretare a codului", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Colecție", "Color": "Culoare", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Descoperă, descarcă și explorează prompturi personalizate", "Discover, download, and explore custom tools": "Descoperă, descarcă și explorează instrumente personalizate", "Discover, download, and explore model presets": "Descoperă, descarcă și explorează presetări de model", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Afișează Emoji în Apel", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exportă Configurația în Fișier JSON", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Eșec la adăugarea fișierului.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Crearea cheii API a eșuat.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Citirea conținutului clipboard-ului a eșuat", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Nu s-a putut salva conversația", "Failed to save models configuration": "", "Failed to update settings": "Actualizarea setărilor a eșuat", + "Failed to update status": "", "Failed to upload file.": "Încărcarea fișierului a eșuat.", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID Motor Google PSE", "Gravatar": "", "Group": "Grup", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memoriile accesibile de LLM-uri vor fi afișate aici.", "Memory": "Memorie", "Memory added successfully": "Memoria a fost adăugată cu succes", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Doar caracterele alfanumerice și cratimele sunt permise în șirul de comandă.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Doar colecțiile pot fi editate, creați o nouă bază de cunoștințe pentru a edita/adăuga documente.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Se pare că URL-ul este invalid. Vă rugăm să verificați din nou și să încercați din nou.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Ultimele 7 zile", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (de ex. Spune-mi un fapt amuzant despre Imperiul Roman)", "Prompt Autocompletion": "", "Prompt Content": "Conținut Prompt", "Prompt created successfully": "", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Setează Voce", "Set whisper model": "Setează modelul whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "Începutul canalului", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "Model STT", "STT Settings": "Setări STT", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Subtitlu (de ex. despre Imperiul Roman)", + "Subtitle": "", "Success": "Succes", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Actualizat cu succes.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "Este necesar URL-ul serverului Tika.", "Tiktoken": "Tiktoken", "Title": "Titlu", - "Title (e.g. Tell me a fun fact)": "Titlu (de ex. Spune-mi un fapt amuzant)", "Title Auto-Generation": "Generare Automată a Titlului", "Title cannot be an empty string.": "Titlul nu poate fi un șir gol.", "Title Generation": "", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Actualizează și Copiază Link-ul", "Update for the latest features and improvements.": "Actualizare pentru cele mai recente caracteristici și îmbunătățiri.", "Update password": "Actualizează parola", + "Update your status": "", "Updated": "Actualizat", "Updated at": "Actualizat la", "Updated At": "Actualizat la", @@ -1724,6 +1747,7 @@ "View Replies": "Vezi răspunsurile", "View Result from **{{NAME}}**": "", "Visibility": "Vizibilitate", + "Visible to all users": "", "Vision": "", "Voice": "Voce", "Voice Input": "Intrare vocală", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Ce e Nou în", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ru-RU/translation.json b/src/lib/i18n/locales/ru-RU/translation.json index d5f5bcf30e..060ef68240 100644 --- a/src/lib/i18n/locales/ru-RU/translation.json +++ b/src/lib/i18n/locales/ru-RU/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} слов", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} в {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} загрузка была отменена", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Чаты {{user}}'а", "{{webUIName}} Backend Required": "Необходимо подключение к серверу {{webUIName}}", "*Prompt node ID(s) are required for image generation": "ID узлов промптов обязательны для генерации изображения", "1 Source": "1 Источник", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Новая версия (v{{LATEST_VERSION}}) теперь доступна.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Модель задач используется при выполнении таких задач, как генерация заголовков для чатов и поисковых запросов в Интернете", "a user": "пользователь", "About": "О программе", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "Добавить детали", "Add Files": "Добавить файлы", - "Add Group": "Добавить группу", + "Add Member": "", + "Add Members": "", "Add Memory": "Добавить воспоминание", "Add Model": "Добавить модель", "Add Reaction": "Добавить реакцию", @@ -252,6 +257,7 @@ "Citations": "Цитаты", "Clear memory": "Очистить воспоминания", "Clear Memory": "Очистить память", + "Clear status": "", "click here": "кликните сюда", "Click here for filter guides.": "Нажмите здесь, чтобы просмотреть руководства по фильтрам.", "Click here for help.": "Нажмите здесь для получения помощи.", @@ -288,6 +294,7 @@ "Code Interpreter": "Интерпретатор кода", "Code Interpreter Engine": "Механизм интерпретатора кода", "Code Interpreter Prompt Template": "Шаблон промпта интерпретатора кода", + "Collaboration channel where people join as members": "", "Collapse": "Свернуть", "Collection": "Коллекция", "Color": "Цвет", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Открывайте для себя, загружайте и исследуйте пользовательские промпты", "Discover, download, and explore custom tools": "Открывайте для себя, загружайте и исследуйте пользовательские инструменты", "Discover, download, and explore model presets": "Открывайте для себя, загружайте и исследуйте пользовательские предустановки моделей", + "Discussion channel where access is based on groups and permissions": "", "Display": "Отображать", "Display chat title in tab": "", "Display Emoji in Call": "Отображать эмодзи в вызовах", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "например, \"json\" или схему JSON", "e.g. 60": "например, 60", "e.g. A filter to remove profanity from text": "например, фильтр для удаления ненормативной лексики из текста", + "e.g. about the Roman Empire": "", "e.g. en": "например, en", "e.g. My Filter": "например, мой фильтр", "e.g. My Tools": "например, мой инструмент", "e.g. my_filter": "например, мой_фильтр", "e.g. my_tools": "например, мой_инструмент", "e.g. pdf, docx, txt": "например, pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "например, инструменты для выполнения различных операций", "e.g., 3, 4, 5 (leave blank for default)": "например, 3, 4, 5 (оставьте поле пустым по умолчанию)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "напр., audio/wav,audio/mpeg,video/* (оставьте пустым для значений по умолчанию)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Экспорт конфигурации в JSON-файл", "Export Models": "", "Export Presets": "Экспорт Пресетов", - "Export Prompt Suggestions": "Экспортировать Предложения промптов", "Export Prompts": "", "Export to CSV": "Экспортировать в CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "URL-адрес внешнего веб-поиска", "Fade Effect for Streaming Text": "Эффект затухания для потокового текста", "Failed to add file.": "Не удалось добавить файл.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Не удалось подключиться к серверу инструмента OpenAI {{URL}}", "Failed to copy link": "Не удалось скопировать ссылку", "Failed to create API Key.": "Не удалось создать ключ API.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Не удалось загрузить содержимое файла.", "Failed to move chat": "Не удалось переместить чат", "Failed to read clipboard contents": "Не удалось прочитать содержимое буфера обмена", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Не удалось сохранить подключения", "Failed to save conversation": "Не удалось сохранить беседу", "Failed to save models configuration": "Не удалось сохранить конфигурацию моделей", "Failed to update settings": "Не удалось обновить настройки", + "Failed to update status": "", "Failed to upload file.": "Не удалось загрузить файл.", "Features": "Функции", "Features Permissions": "Разрешения для функций", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Id движка Google PSE", "Gravatar": "Gravatar", "Group": "Группа", + "Group Channel": "", "Group created successfully": "Группа успешно создана", "Group deleted successfully": "Группа успешно удалена", "Group Description": "Описание группы", "Group Name": "Название группы", "Group updated successfully": "Группа успешно обновлена", + "groups": "", "Groups": "Группы", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Импортировать Заметки", "Import Presets": "Импортировать Пресеты", - "Import Prompt Suggestions": "Импортировать Предложения промптов", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "Средний", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Воспоминания, доступные LLMs, будут отображаться здесь.", "Memory": "Воспоминания", "Memory added successfully": "Воспоминание успешно добавлено", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "В строке команды разрешено использовать только буквенно-цифровые символы и дефисы.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Редактировать можно только коллекции, создайте новую базу знаний для редактирования/добавления документов.", + "Only invited users can access": "", "Only markdown files are allowed": "Разрешены только файлы markdown", "Only select users and groups with permission can access": "Доступ имеют только избранные пользователи и группы, имеющие разрешение.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Похоже, что URL-адрес недействителен. Пожалуйста, перепроверьте и попробуйте еще раз.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Предыдущие 7 дней", "Previous message": "Предыдущее сообщение", "Private": "Частное", + "Private conversation between selected users": "", "Profile": "Профиль", "Prompt": "Промпт", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (напр., Расскажи мне интересный факт о Римской империи)", "Prompt Autocompletion": "Автодополнение промпта", "Prompt Content": "Содержание промпта", "Prompt created successfully": "Промпт успешно создан", @@ -1453,6 +1472,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Задайте количество рабочих потоков, используемых для вычислений. Этот параметр определяет, сколько потоков используется для одновременной обработки входящих запросов. Увеличение этого значения может повысить производительность при высоких рабочих нагрузках с параллелизмом, но также может потреблять больше ресурсов процессора.", "Set Voice": "Задать голос", "Set whisper model": "Выбрать модель whiser", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Устанавливает нулевое значение для символов, которые появились хотя бы один раз. Более высокое значение (например, 1,5) будет более строгим наказанием за повторения, в то время как более низкое значение (например, 0,9) будет более мягким. При значении 0 он отключается.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Устанавливает смещение масштабирования для токенов, чтобы наказывать за повторения, в зависимости от того, сколько раз они появлялись. Более высокое значение (например, 1,5) будет наказывать за повторения более строго, в то время как более низкое значение (например, 0,9) будет более мягким. При значении 0 оно отключается.", "Sets how far back for the model to look back to prevent repetition.": "Задает, как далеко назад модель должна вернуться, чтобы предотвратить повторение.", @@ -1505,6 +1525,9 @@ "Start a new conversation": "", "Start of the channel": "Начало канала", "Start Tag": "Начальный тег", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Обновления статуса", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1520,7 +1543,7 @@ "STT Model": "Модель распознавания речи", "STT Settings": "Настройки распознавания речи", "Stylized PDF Export": "Стилизованный экспорт в формате PDF", - "Subtitle (e.g. about the Roman Empire)": "Подзаголовок (напр., о Римской империи)", + "Subtitle": "", "Success": "Успех", "Successfully imported {{userCount}} users.": "Успешно импортировано {{userCount}} пользователей.", "Successfully updated.": "Успешно обновлено.", @@ -1603,7 +1626,6 @@ "Tika Server URL required.": "Требуется URL-адрес сервера Tika.", "Tiktoken": "Tiktoken", "Title": "Заголовок", - "Title (e.g. Tell me a fun fact)": "Заголовок (например, Расскажи мне интересный факт)", "Title Auto-Generation": "Автогенерация заголовка", "Title cannot be an empty string.": "Заголовок не может быть пустой строкой.", "Title Generation": "Генерация заголовка", @@ -1672,6 +1694,7 @@ "Update and Copy Link": "Обновить и скопировать ссылку", "Update for the latest features and improvements.": "Обновитесь для получения последних функций и улучшений.", "Update password": "Обновить пароль", + "Update your status": "", "Updated": "Обновлено", "Updated at": "Обновлено", "Updated At": "Обновлено в", @@ -1725,6 +1748,7 @@ "View Replies": "С ответами", "View Result from **{{NAME}}**": "Просмотр результата от **{{NAME}}**", "Visibility": "Видимость", + "Visible to all users": "", "Vision": "Видение", "Voice": "Голос", "Voice Input": "Ввод голоса", @@ -1752,6 +1776,7 @@ "What are you trying to achieve?": "Чего вы пытаетесь достичь?", "What are you working on?": "Над чем вы работаете?", "What's New in": "Что нового в", + "What's on your mind?": "", "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": "где бы вы ни были", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Следует ли разбивать выходные данные на страницы. Каждая страница будет разделена горизонтальной линией и номером страницы. По умолчанию установлено значение Выкл.", diff --git a/src/lib/i18n/locales/sk-SK/translation.json b/src/lib/i18n/locales/sk-SK/translation.json index ad1b53645c..fea93c567b 100644 --- a/src/lib/i18n/locales/sk-SK/translation.json +++ b/src/lib/i18n/locales/sk-SK/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'s konverzácie", "{{webUIName}} Backend Required": "Vyžaduje sa {{webUIName}} Backend", "*Prompt node ID(s) are required for image generation": "*Sú potrebné IDs pre prompt node na generovanie obrázkov", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Nová verzia (v{{LATEST_VERSION}}) je teraz k dispozícii.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model úloh sa používa pri vykonávaní úloh, ako je generovanie názvov pre chaty a vyhľadávacie dotazy na webe.", "a user": "užívateľ", "About": "O programe", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Pridať súbory", - "Add Group": "Pridať skupinu", + "Add Member": "", + "Add Members": "", "Add Memory": "Pridať pamäť", "Add Model": "Pridať model", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Vymazať pamäť", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Kliknite tu pre pomoc.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "", "Color": "Farba", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Objavte, stiahnite a preskúmajte vlastné prompty.", "Discover, download, and explore custom tools": "Objavujte, sťahujte a preskúmajte vlastné nástroje", "Discover, download, and explore model presets": "Objavte, stiahnite a preskúmajte prednastavenia modelov", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Zobrazenie emoji počas hovoru", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exportujte konfiguráciu do súboru JSON", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Nepodarilo sa pridať súbor.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Nepodarilo sa vytvoriť API kľúč.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Nepodarilo sa prečítať obsah schránky", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Nepodarilo sa uložiť konverzáciu", "Failed to save models configuration": "", "Failed to update settings": "Nepodarilo sa aktualizovať nastavenia", + "Failed to update status": "", "Failed to upload file.": "Nepodarilo sa nahrať súbor.", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE Engine Id (Identifikátor vyhľadávacieho modulu Google PSE)", "Gravatar": "", "Group": "Skupina", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Spomienky prístupné LLM budú zobrazené tu.", "Memory": "Pamäť", "Memory added successfully": "Pamäť bola úspešne pridaná.", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Príkazový reťazec môže obsahovať iba alfanumerické znaky a pomlčky.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Iba kolekcie môžu byť upravované, na úpravu/pridanie dokumentov vytvorte novú znalostnú databázu.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Jejda! Vyzerá to, že URL adresa je neplatná. Prosím, skontrolujte ju a skúste to znova.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Predchádzajúcich 7 dní", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (napr. Povedz mi zábavnú skutočnosť o Rímskej ríši)", "Prompt Autocompletion": "", "Prompt Content": "Obsah promptu", "Prompt created successfully": "", @@ -1453,6 +1472,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Nastaviť hlas", "Set whisper model": "Nastaviť model whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1505,6 +1525,9 @@ "Start a new conversation": "", "Start of the channel": "Začiatok kanála", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1520,7 +1543,7 @@ "STT Model": "Model rozpoznávania reči na text (STT)", "STT Settings": "Nastavenia STT (Rozpoznávanie reči)", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Titulky (napr. o Rímskej ríši)", + "Subtitle": "", "Success": "Úspech", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Úspešne aktualizované.", @@ -1603,7 +1626,6 @@ "Tika Server URL required.": "Je vyžadovaná URL adresa servera Tika.", "Tiktoken": "Tiktoken", "Title": "Názov", - "Title (e.g. Tell me a fun fact)": "Názov (napr. Povedz mi zaujímavosť)", "Title Auto-Generation": "Automatické generovanie názvu", "Title cannot be an empty string.": "Názov nemôže byť prázdny reťazec.", "Title Generation": "", @@ -1672,6 +1694,7 @@ "Update and Copy Link": "Aktualizovať a skopírovať odkaz", "Update for the latest features and improvements.": "Aktualizácia pre najnovšie funkcie a vylepšenia.", "Update password": "Aktualizovať heslo", + "Update your status": "", "Updated": "Aktualizované", "Updated at": "Aktualizované dňa", "Updated At": "Aktualizované dňa", @@ -1725,6 +1748,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "Viditeľnosť", + "Visible to all users": "", "Vision": "", "Voice": "Hlas", "Voice Input": "Hlasový vstup", @@ -1752,6 +1776,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Čo je nové v", + "What's on your mind?": "", "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": "kdekoľvek ste", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/sr-RS/translation.json b/src/lib/i18n/locales/sr-RS/translation.json index da8f2bcc00..43ef4bd618 100644 --- a/src/lib/i18n/locales/sr-RS/translation.json +++ b/src/lib/i18n/locales/sr-RS/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Ћаскања корисника {{user}}", "{{webUIName}} Backend Required": "Захтева се {{webUIName}} позадинац", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Модел задатка се користи приликом извршавања задатака као што су генерисање наслова за ћаскања и упите за Веб претрагу", "a user": "корисник", "About": "О нама", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Додај датотеке", - "Add Group": "Додај групу", + "Add Member": "", + "Add Members": "", "Add Memory": "Додај сећање", "Add Model": "Додај модел", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Очисти сећања", "Clear Memory": "", + "Clear status": "", "click here": "кликни овде", "Click here for filter guides.": "Кликни овде за упутства филтера.", "Click here for help.": "Кликните овде за помоћ.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Колекција", "Color": "Боја", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Откријте, преузмите и истражите прилагођене упите", "Discover, download, and explore custom tools": "Откријте, преузмите и истражите прилагођене алате", "Discover, download, and explore model presets": "Откријте, преузмите и истражите образце модела", + "Discussion channel where access is based on groups and permissions": "", "Display": "Приказ", "Display chat title in tab": "", "Display Emoji in Call": "Прикажи емоџије у позиву", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Неуспешно стварање API кључа.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Неуспешно читање садржаја оставе", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Неуспешно чување разговора", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Гоогле ПСЕ ИД мотора", "Gravatar": "", "Group": "Група", + "Group Channel": "", "Group created successfully": "Група направљена успешно", "Group deleted successfully": "Група обрисана успешно", "Group Description": "Опис групе", "Group Name": "Назив групе", "Group updated successfully": "Група измењена успешно", + "groups": "", "Groups": "Групе", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Памћења које ће бити појављена од овог LLM-а ће бити приказана овде.", "Memory": "Сећања", "Memory added successfully": "Сећање успешно додато", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерички знакови и цртице су дозвољени у низу наредби.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изгледа да је адреса неважећа. Молимо вас да проверите и покушате поново.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Претходних 7 дана", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Профил", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Упит (нпр. „подели занимљивост о Римском царству“)", "Prompt Autocompletion": "", "Prompt Content": "Садржај упита", "Prompt created successfully": "", @@ -1452,6 +1471,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Подеси глас", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1504,6 +1524,9 @@ "Start a new conversation": "", "Start of the channel": "Почетак канала", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1519,7 +1542,7 @@ "STT Model": "STT модел", "STT Settings": "STT подешавања", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Поднаслов (нпр. о Римском царству)", + "Subtitle": "", "Success": "Успех", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Успешно ажурирано.", @@ -1602,7 +1625,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Наслов", - "Title (e.g. Tell me a fun fact)": "Наслов (нпр. „реци ми занимљивост“)", "Title Auto-Generation": "Самостално стварање наслова", "Title cannot be an empty string.": "Наслов не може бити празан низ.", "Title Generation": "", @@ -1671,6 +1693,7 @@ "Update and Copy Link": "Ажурирај и копирај везу", "Update for the latest features and improvements.": "Ажурирајте за најновије могућности и побољшања.", "Update password": "Ажурирај лозинку", + "Update your status": "", "Updated": "Ажурирано", "Updated at": "Ажурирано у", "Updated At": "Ажурирано у", @@ -1724,6 +1747,7 @@ "View Replies": "Погледај одговоре", "View Result from **{{NAME}}**": "", "Visibility": "Видљивост", + "Visible to all users": "", "Vision": "", "Voice": "Глас", "Voice Input": "Гласовни унос", @@ -1751,6 +1775,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Шта је ново у", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/sv-SE/translation.json b/src/lib/i18n/locales/sv-SE/translation.json index 22af99843b..ae23e98cb5 100644 --- a/src/lib/i18n/locales/sv-SE/translation.json +++ b/src/lib/i18n/locales/sv-SE/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} ord", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} kl {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} nedladdning har avbrutits", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}s Chattar", "{{webUIName}} Backend Required": "{{webUIName}} Backend krävs", "*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) krävs för bildgenerering", "1 Source": "1 källa", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "En ny version (v{{LATEST_VERSION}}) är nu tillgänglig.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "En uppgiftsmodell används när du utför uppgifter som att generera titlar för chattar och webbsökningsfrågor", "a user": "en användare", "About": "Om", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "Lägg till information", "Add Files": "Lägg till filer", - "Add Group": "Lägg till grupp", + "Add Member": "", + "Add Members": "", "Add Memory": "Lägg till minne", "Add Model": "Lägg till modell", "Add Reaction": "Lägg till reaktion", @@ -252,6 +257,7 @@ "Citations": "Citeringar", "Clear memory": "Rensa minnet", "Clear Memory": "Rensa minnet", + "Clear status": "", "click here": "klicka här", "Click here for filter guides.": "Klicka här för filterguider.", "Click here for help.": "Klicka här för hjälp.", @@ -288,6 +294,7 @@ "Code Interpreter": "Kodtolk", "Code Interpreter Engine": "Motor för kodtolk", "Code Interpreter Prompt Template": "Promptmall för kodtolk", + "Collaboration channel where people join as members": "", "Collapse": "Fäll ihop", "Collection": "Samling", "Color": "Färg", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Upptäck, ladda ner och utforska anpassade instruktioner", "Discover, download, and explore custom tools": "Upptäck, ladda ner och utforska anpassade verktyg", "Discover, download, and explore model presets": "Upptäck, ladda ner och utforska modellförinställningar", + "Discussion channel where access is based on groups and permissions": "", "Display": "Visa", "Display chat title in tab": "Visa chattrubrik i flik", "Display Emoji in Call": "Visa Emoji under samtal", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "t.ex. \"json\" eller ett JSON-schema", "e.g. 60": "t.ex. 60", "e.g. A filter to remove profanity from text": "t.ex. Ett filter för att ta bort svordomar från text", + "e.g. about the Roman Empire": "", "e.g. en": "t.ex. en", "e.g. My Filter": "t.ex. Mitt filter", "e.g. My Tools": "t.ex. Mina verktyg", "e.g. my_filter": "t.ex. my_filter", "e.g. my_tools": "t.ex. my_tools", "e.g. pdf, docx, txt": "t.ex. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "t.ex. Verktyg för att utföra olika operationer", "e.g., 3, 4, 5 (leave blank for default)": "t.ex., 3, 4, 5 (lämna tomt för standard)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Exportera konfiguration till JSON-fil", "Export Models": "", "Export Presets": "Exportera förinställningar", - "Export Prompt Suggestions": "Exportera promptförslag", "Export Prompts": "", "Export to CSV": "Exportera till CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "Extern webbsökning URL", "Fade Effect for Streaming Text": "", "Failed to add file.": "Misslyckades med att lägga till fil.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Misslyckades med att ansluta till {{URL}} OpenAPI-verktygsserver", "Failed to copy link": "Misslyckades med att kopiera länk", "Failed to create API Key.": "Misslyckades med att skapa API-nyckel.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Misslyckades med att läsa in filinnehåll.", "Failed to move chat": "", "Failed to read clipboard contents": "Misslyckades med att läsa urklippsinnehåll", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Misslyckades med att spara anslutningar", "Failed to save conversation": "Misslyckades med att spara konversationen", "Failed to save models configuration": "Misslyckades med att spara modellkonfiguration", "Failed to update settings": "Misslyckades med att uppdatera inställningarna", + "Failed to update status": "", "Failed to upload file.": "Misslyckades med att ladda upp fil.", "Features": "Funktioner", "Features Permissions": "Funktionsbehörigheter", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE Engine Id", "Gravatar": "Gravatar", "Group": "Grupp", + "Group Channel": "", "Group created successfully": "Gruppen har skapats", "Group deleted successfully": "Gruppen har tagits bort", "Group Description": "Gruppbeskrivning", "Group Name": "Gruppnamn", "Group updated successfully": "Gruppen har uppdaterats", + "groups": "", "Groups": "Grupper", "H1": "Rubrik 1", "H2": "Rubrik 2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Importera anteckningar", "Import Presets": "Importera förinställningar", - "Import Prompt Suggestions": "Importera promptförslag", "Import Prompts": "", "Import successful": "Importen lyckades", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "Medium", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Minnen som är tillgängliga för AI visas här.", "Memory": "Minne", "Memory added successfully": "Minnet har lagts till", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Endast alfanumeriska tecken och bindestreck är tillåtna i kommandosträngen.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Endast samlingar kan redigeras, skapa en ny kunskapsbas för att redigera/lägga till dokument.", + "Only invited users can access": "", "Only markdown files are allowed": "Endast markdown-filer är tillåtna", "Only select users and groups with permission can access": "Endast valda användare och grupper med behörighet kan komma åt", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppsan! Det ser ut som om URL:en är ogiltig. Dubbelkolla gärna och försök igen.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Föregående 7 dagar", "Previous message": "Föregående meddelande", "Private": "Privat", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Instruktion (t.ex. Berätta en kuriosa om Romerska Imperiet)", "Prompt Autocompletion": "Automatisk komplettering av prompter", "Prompt Content": "Instruktionens innehåll", "Prompt created successfully": "Prompt skapad", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ange antalet arbetstrådar som används för beräkning. Detta alternativ styr hur många trådar som används för att bearbeta inkommande förfrågningar samtidigt. Att öka detta värde kan förbättra prestandan under hög samtidighet, men kan också förbruka mer CPU-resurser.", "Set Voice": "Ange röst", "Set whisper model": "Ange viskningsmodell", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Anger en platt bias mot tokens som har dykt upp minst en gång. Ett högre värde (t.ex. 1,5) kommer att straffa upprepningar hårdare, medan ett lägre värde (t.ex. 0,9) kommer att vara mer förlåtande. Vid 0 är det inaktiverat.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Anger en skalningsbias mot tokens för att straffa upprepningar, baserat på hur många gånger de har dykt upp. Ett högre värde (t.ex. 1,5) kommer att straffa upprepningar hårdare, medan ett lägre värde (t.ex. 0,9) kommer att vara mer förlåtande. Vid 0 är det inaktiverat.", "Sets how far back for the model to look back to prevent repetition.": "Anger hur långt tillbaka modellen ska se tillbaka för att förhindra upprepning.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "Starta en ny konversation", "Start of the channel": "Början av kanalen", "Start Tag": "Starta en tagg", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "Statusuppdateringar", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "Tal-till-text-modell", "STT Settings": "Tal-till-text-inställningar", "Stylized PDF Export": "Stiliserad PDF-export", - "Subtitle (e.g. about the Roman Empire)": "Undertext (t.ex. om Romerska Imperiet)", + "Subtitle": "", "Success": "Framgång", "Successfully imported {{userCount}} users.": "Lyckades importera {{userCount}} användare.", "Successfully updated.": "Uppdaterades framgångsrikt.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika Server URL krävs.", "Tiktoken": "Tiktoken", "Title": "Titel", - "Title (e.g. Tell me a fun fact)": "Titel (t.ex. Berätta en kuriosa)", "Title Auto-Generation": "Automatisk generering av titel", "Title cannot be an empty string.": "Titeln får inte vara en tom sträng.", "Title Generation": "Titelgenerering", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Uppdatera och kopiera länk", "Update for the latest features and improvements.": "Uppdatera för att få de senaste funktionerna och förbättringarna.", "Update password": "Uppdatera lösenord", + "Update your status": "", "Updated": "Uppdaterad", "Updated at": "Uppdaterad vid", "Updated At": "Uppdaterad vid", @@ -1723,6 +1746,7 @@ "View Replies": "Se svar", "View Result from **{{NAME}}**": "Visa resultat från **{{NAME}}**", "Visibility": "Synlighet", + "Visible to all users": "", "Vision": "Syn", "Voice": "Röst", "Voice Input": "Röstinmatning", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Vad försöker du uppnå?", "What are you working on?": "Var arbetar du med?", "What's New in": "Vad är nytt i", + "What's on your mind?": "", "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.": "När det här läget är aktiverat svarar modellen på varje chattmeddelande i realtid och genererar ett svar så snart användaren skickar ett meddelande. Det här läget är användbart för livechattar, men kan påverka prestandan på långsammare maskinvara.", "wherever you are": "var du än befinner dig", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Om utdata ska sidnumreras. Varje sida kommer att separeras av en horisontell linje och sidnummer. Standardvärdet är False.", diff --git a/src/lib/i18n/locales/th-TH/translation.json b/src/lib/i18n/locales/th-TH/translation.json index b1a78c94a7..d6aef3ad54 100644 --- a/src/lib/i18n/locales/th-TH/translation.json +++ b/src/lib/i18n/locales/th-TH/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} คำ", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} เมื่อ {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "การดาวน์โหลด {{model}} ถูกยกเลิกแล้ว", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "การแชทของ {{user}}", "{{webUIName}} Backend Required": "ต้องใช้ Backend ของ {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*ต้องระบุ ID ของ prompt node สำหรับการสร้างภาพ", "1 Source": "1 แหล่งที่มา", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "เวอร์ชันใหม่ (v{{LATEST_VERSION}}) พร้อมให้ใช้งานแล้ว", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Task Model จะถูกใช้เมื่อทำภารกิจต่างๆ เช่น การสร้างหัวข้อแชทและการค้นหาเว็บ", "a user": "ผู้ใช้", "About": "เกี่ยวกับ", @@ -53,7 +57,8 @@ "Add Custom Prompt": "เพิ่มพรอมต์ที่กำหนดเอง", "Add Details": "เพิ่มรายละเอียด", "Add Files": "เพิ่มไฟล์", - "Add Group": "เพิ่มกลุ่ม", + "Add Member": "", + "Add Members": "", "Add Memory": "เพิ่มความจำ", "Add Model": "เพิ่มโมเดล", "Add Reaction": "เพิ่มรีแอคชัน", @@ -252,6 +257,7 @@ "Citations": "การอ้างอิง", "Clear memory": "ล้างความจำ", "Clear Memory": "ล้างความจำ", + "Clear status": "", "click here": "คลิกที่นี่", "Click here for filter guides.": "คลิกที่นี่เพื่อดูคู่มือการใช้ตัวกรอง", "Click here for help.": "คลิกที่นี่เพื่อขอความช่วยเหลือ", @@ -288,6 +294,7 @@ "Code Interpreter": "ตัวแปลโค้ด", "Code Interpreter Engine": "เอนจิน Code Interpreter", "Code Interpreter Prompt Template": "เทมเพลตพรอมต์สำหรับ Code Interpreter", + "Collaboration channel where people join as members": "", "Collapse": "ยุบ", "Collection": "คอลเลกชัน", "Color": "สี", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "ค้นหา ดาวน์โหลด และสำรวจพรอมต์ที่กำหนดเอง", "Discover, download, and explore custom tools": "ค้นหา ดาวน์โหลด และสำรวจเครื่องมือที่กำหนดเอง", "Discover, download, and explore model presets": "ค้นหา ดาวน์โหลด และสำรวจพรีเซ็ตโมเดล", + "Discussion channel where access is based on groups and permissions": "", "Display": "การแสดงผล", "Display chat title in tab": "แสดงชื่อแชทในแท็บ", "Display Emoji in Call": "แสดงอิโมจิระหว่างการโทร", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "เช่น \"json\" หรือสคีมา JSON", "e.g. 60": "เช่น 60", "e.g. A filter to remove profanity from text": "เช่น ตัวกรองเพื่อลบคำหยาบออกจากข้อความ", + "e.g. about the Roman Empire": "", "e.g. en": "เช่น en", "e.g. My Filter": "เช่น My Filter", "e.g. My Tools": "เช่น My Tools", "e.g. my_filter": "เช่น my_filter", "e.g. my_tools": "เช่น my_tools", "e.g. pdf, docx, txt": "เช่น pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "เช่น เครื่องมือสำหรับดำเนินการปฏิบัติการต่างๆ", "e.g., 3, 4, 5 (leave blank for default)": "เช่น 3, 4, 5 (เว้นว่างเพื่อใช้ค่าเริ่มต้น)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "เช่น audio/wav,audio/mpeg,video/* (เว้นว่างไว้เพื่อใช้ค่าเริ่มต้น)", @@ -689,7 +700,6 @@ "Export Config to JSON File": "ส่งออกการตั้งค่าเป็นไฟล์ JSON", "Export Models": "", "Export Presets": "ส่งออกพรีเซ็ต", - "Export Prompt Suggestions": "ส่งออกคำแนะนำพรอมต์", "Export Prompts": "", "Export to CSV": "ส่งออกเป็น CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "URL สำหรับค้นเว็บภายนอก", "Fade Effect for Streaming Text": "เอฟเฟ็กต์เฟดสำหรับข้อความสตรีมมิ่ง", "Failed to add file.": "ไม่สามารถเพิ่มไฟล์ได้", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "เชื่อมต่อกับเซิร์ฟเวอร์เครื่องมือ OpenAPI ที่ {{URL}} ไม่สำเร็จ", "Failed to copy link": "คัดลอกลิงก์ไม่สำเร็จ", "Failed to create API Key.": "สร้าง API Key ล้มเหลว", @@ -717,12 +729,14 @@ "Failed to load file content.": "โหลดเนื้อหาไฟล์ไม่สำเร็จ", "Failed to move chat": "ย้ายแชทไม่สำเร็จ", "Failed to read clipboard contents": "อ่านเนื้อหาคลิปบอร์ดไม่สำเร็จ", + "Failed to remove member": "", "Failed to render diagram": "ไม่สามารถเรนเดอร์ไดอะแกรมได้", "Failed to render visualization": "ไม่สามารถเรนเดอร์ภาพข้อมูลได้", "Failed to save connections": "บันทึกการเชื่อมต่อล้มเหลว", "Failed to save conversation": "บันทึกการสนทนาล้มเหลว", "Failed to save models configuration": "บันทึกการตั้งค่าโมเดลล้มเหลว", "Failed to update settings": "อัปเดตการตั้งค่าล้มเหลว", + "Failed to update status": "", "Failed to upload file.": "อัปโหลดไฟล์ไม่สำเร็จ", "Features": "ฟีเจอร์", "Features Permissions": "สิทธิ์การใช้งานฟีเจอร์", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "รหัสเอนจินของ Google PSE", "Gravatar": "Gravatar", "Group": "กลุ่ม", + "Group Channel": "", "Group created successfully": "สร้างกลุ่มสำเร็จแล้ว", "Group deleted successfully": "ลบกลุ่มสำเร็จแล้ว", "Group Description": "คำอธิบายกลุ่ม", "Group Name": "ชื่อกลุ่ม", "Group updated successfully": "อัปเดตกลุ่มสำเร็จแล้ว", + "groups": "", "Groups": "กลุ่ม", "H1": "H1", "H2": "H2", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "นำเข้าบันทึก", "Import Presets": "นำเข้าพรีเซ็ต", - "Import Prompt Suggestions": "นำเข้าคำแนะนำพรอมต์", "Import Prompts": "", "Import successful": "นำเข้าเรียบร้อยแล้ว", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "การรองรับ MCP ยังเป็นแบบทดลองและมีการเปลี่ยนแปลงสเปกบ่อยครั้ง ซึ่งอาจทำให้เกิดปัญหาความไม่เข้ากันได้ การรองรับสเปก OpenAPI นั้นดูแลโดยทีม Open WebUI โดยตรง จึงเป็นตัวเลือกที่เชื่อถือได้มากกว่าในด้านความเข้ากันได้", "Medium": "ปานกลาง", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "ความจำที่ LLM เข้าถึงได้จะแสดงที่นี่", "Memory": "ความจำ", "Memory added successfully": "เพิ่มความจำสำเร็จ", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "อนุญาตให้ใช้เฉพาะตัวอักษร ตัวเลข และขีดกลางในสตริงคำสั่งเท่านั้น", "Only can be triggered when the chat input is in focus.": "สามารถทริกเกอร์ได้เฉพาะเมื่อช่องป้อนข้อความแชทอยู่ในโฟกัสเท่านั้น", "Only collections can be edited, create a new knowledge base to edit/add documents.": "สามารถแก้ไขได้เฉพาะคอลเลกชันเท่านั้น โปรดสร้างฐานความรู้ใหม่เพื่อแก้ไข/เพิ่มเอกสาร", + "Only invited users can access": "", "Only markdown files are allowed": "อนุญาตเฉพาะไฟล์ Markdown เท่านั้น", "Only select users and groups with permission can access": "มีเฉพาะผู้ใช้และกลุ่มที่ได้รับสิทธิ์เท่านั้นที่เข้าถึงได้", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ขออภัย! ดูเหมือนว่า URL ไม่ถูกต้อง กรุณาตรวจสอบและลองใหม่อีกครั้ง", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 วันที่ผ่านมา", "Previous message": "ข้อความก่อนหน้า", "Private": "ส่วนตัว", + "Private conversation between selected users": "", "Profile": "โปรไฟล์", "Prompt": "พรอมต์", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "พรอมต์ (เช่น บอกข้อเท็จจริงที่สนุกเกี่ยวกับจักรวรรดิโรมัน)", "Prompt Autocompletion": "การเติมพรอมต์อัตโนมัติ", "Prompt Content": "เนื้อหาพรอมต์", "Prompt created successfully": "สร้างพรอมต์สำเร็จแล้ว", @@ -1450,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "กำหนดจำนวนเธรดของ Worker ที่ใช้สำหรับการคำนวณ ตัวเลือกนี้ใช้กำหนดว่าใช้เธรดจำนวนเท่าใดในการประมวลผลคำขอที่เข้ามาพร้อมกัน การเพิ่มค่านี้สามารถช่วยเพิ่มประสิทธิภาพภายใต้ปริมาณงานที่มีความพร้อมกันสูง แต่อาจใช้ทรัพยากร CPU มากขึ้น", "Set Voice": "ตั้งค่าเสียง", "Set whisper model": "ตั้งค่าโมเดล Whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ตั้งค่า Bias แบบ Flat ต่อโทเค็นที่เคยปรากฏอย่างน้อยหนึ่งครั้ง ค่าให้สูงขึ้น (เช่น 1.5) จะลงโทษการซ้ำมากขึ้น ในขณะที่ค่าให้ต่ำลง (เช่น 0.9) จะผ่อนปรนมากขึ้น หากตั้งเป็น 0 จะปิดการทำงาน", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ตั้งค่า Bias แบบ Scaling ต่อโทเค็นเพื่อลงโทษการซ้ำ ขึ้นอยู่กับจำนวนครั้งที่โทเค็นนั้นปรากฏ ค่าให้สูงขึ้น (เช่น 1.5) จะลงโทษการซ้ำอย่างรุนแรงมากขึ้น ขณะที่ค่าให้ต่ำลง (เช่น 0.9) จะผ่อนปรนมากกว่า ที่ค่า 0 จะปิดการทำงานฟีเจอร์นี้", "Sets how far back for the model to look back to prevent repetition.": "ตั้งค่าระยะย้อนหลังที่โมเดลจะใช้พิจารณาเพื่อป้องกันการซ้ำคำ", @@ -1502,6 +1522,9 @@ "Start a new conversation": "เริ่มการสนทนาใหม่", "Start of the channel": "จุดเริ่มต้นของช่อง", "Start Tag": "แท็กเริ่มต้น", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "อัปเดตสถานะ", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "ขั้นตอน", @@ -1517,7 +1540,7 @@ "STT Model": "โมเดลแปลงเสียงเป็นข้อความ", "STT Settings": "การตั้งค่าแปลงเสียงเป็นข้อความ", "Stylized PDF Export": "ส่งออก PDF แบบมีสไตล์", - "Subtitle (e.g. about the Roman Empire)": "คำบรรยายย่อย (เช่น เกี่ยวกับจักรวรรดิโรมัน)", + "Subtitle": "", "Success": "สำเร็จ", "Successfully imported {{userCount}} users.": "นำเข้า {{userCount}} ผู้ใช้สำเร็จแล้ว", "Successfully updated.": "อัปเดตเรียบร้อยแล้ว", @@ -1600,7 +1623,6 @@ "Tika Server URL required.": "จำเป็นต้องมี URL ของเซิร์ฟเวอร์ Tika", "Tiktoken": "Tiktoken", "Title": "ชื่อเรื่อง", - "Title (e.g. Tell me a fun fact)": "ชื่อเรื่อง (เช่น บอกข้อมูลสนุกๆ ให้ฉันฟัง)", "Title Auto-Generation": "การสร้างชื่ออัตโนมัติ", "Title cannot be an empty string.": "ชื่อเรื่องต้องไม่เป็นสตริงว่าง", "Title Generation": "การสร้างชื่อเรื่อง", @@ -1669,6 +1691,7 @@ "Update and Copy Link": "อัปเดตและคัดลอกลิงก์", "Update for the latest features and improvements.": "อัปเดตเพื่อรับฟีเจอร์และการปรับปรุงล่าสุด", "Update password": "อัปเดตรหัสผ่าน", + "Update your status": "", "Updated": "อัปเดตแล้ว", "Updated at": "อัปเดตเมื่อ", "Updated At": "อัปเดตเมื่อ", @@ -1722,6 +1745,7 @@ "View Replies": "ดูการตอบกลับ", "View Result from **{{NAME}}**": "ดูผลลัพธ์จาก **{{NAME}}**", "Visibility": "การมองเห็น", + "Visible to all users": "", "Vision": "Vision", "Voice": "เสียง", "Voice Input": "การป้อนเสียง", @@ -1749,6 +1773,7 @@ "What are you trying to achieve?": "คุณพยายามจะทำอะไร?", "What are you working on?": "คุณกำลังทำอะไรอยู่?", "What's New in": "มีอะไรใหม่ใน", + "What's on your mind?": "", "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": "ไม่ว่าคุณจะอยู่ที่ไหน", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "ว่าจะแบ่งหน้าผลลัพธ์หรือไม่ แต่ละหน้าจะถูกแยกด้วยเส้นแบ่งแนวนอนและหมายเลขหน้า ค่าเริ่มต้นคือ False", diff --git a/src/lib/i18n/locales/tk-TM/translation.json b/src/lib/i18n/locales/tk-TM/translation.json index f22a77ea10..e2e0aaed06 100644 --- a/src/lib/i18n/locales/tk-TM/translation.json +++ b/src/lib/i18n/locales/tk-TM/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'iň Çatlary", "{{webUIName}} Backend Required": "{{webUIName}} Backend Zerur", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Çatlar we web gözleg soraglary üçin başlyk döretmek ýaly wezipeleri ýerine ýetirýän wagty ulanylýar", "a user": "ulanyjy", "About": "Barada", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Faýllar goş", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "Ýat goş", "Add Model": "Model goş", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Kömek üçin şu ýere basyň.", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolleksiýa", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "", + "Discussion channel where access is based on groups and permissions": "", "Display": "Görkeziş", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Söhbeti ýazdyrmak başa barmady", "Failed to save models configuration": "", "Failed to update settings": "", + "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "Topar", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "Ýat", "Memory added successfully": "", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "", @@ -1263,9 +1282,9 @@ "Previous 7 days": "", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Düşündiriş", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "", "Set whisper model": "", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Kanal başy", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "", "STT Settings": "", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "", + "Subtitle": "", "Success": "Üstünlik", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Ady", - "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "", + "Update your status": "", "Updated": "Täzelenen", "Updated at": "Täzelendi", "Updated At": "", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "Ses Girdi", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/tr-TR/translation.json b/src/lib/i18n/locales/tr-TR/translation.json index e3fdc81605..a766b6e736 100644 --- a/src/lib/i18n/locales/tr-TR/translation.json +++ b/src/lib/i18n/locales/tr-TR/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'ın Sohbetleri", "{{webUIName}} Backend Required": "{{webUIName}} Arka-uç Gerekli", "*Prompt node ID(s) are required for image generation": "*Görüntü oluşturma için düğüm kimlikleri gereklidir", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Yeni bir sürüm (v{{LATEST_VERSION}}) artık mevcut.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Bir görev modeli, sohbetler ve web arama sorguları için başlık oluşturma gibi görevleri yerine getirirken kullanılır", "a user": "bir kullanıcı", "About": "Hakkında", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Dosyalar Ekle", - "Add Group": "Grup Ekle", + "Add Member": "", + "Add Members": "", "Add Memory": "Bellek Ekle", "Add Model": "Model Ekle", "Add Reaction": "Tepki Ekle", @@ -252,6 +257,7 @@ "Citations": "Alıntılar", "Clear memory": "Belleği temizle", "Clear Memory": "Belleği Temizle", + "Clear status": "", "click here": "buraya tıklayın", "Click here for filter guides.": "Filtre kılavuzları için buraya tıklayın.", "Click here for help.": "Yardım için buraya tıklayın.", @@ -288,6 +294,7 @@ "Code Interpreter": "Kod Yorumlayıcısı", "Code Interpreter Engine": "Kod Yorumlama Motoru", "Code Interpreter Prompt Template": "Kod Yorumlama İstem Şablonu", + "Collaboration channel where people join as members": "", "Collapse": "Daralt", "Collection": "Koleksiyon", "Color": "Renk", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Özel promptları keşfedin, indirin ve inceleyin", "Discover, download, and explore custom tools": "Özel araçları keşfedin, indirin ve inceleyin", "Discover, download, and explore model presets": "Model ön ayarlarını keşfedin, indirin ve inceleyin", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Aramada Emoji Göster", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "örn. \"json\" veya JSON şablonu", "e.g. 60": "örn. 60", "e.g. A filter to remove profanity from text": "örn. Metinden küfürleri kaldırmak için bir filtre", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "örn. Benim Filtrem", "e.g. My Tools": "örn. Benim Araçlarım", "e.g. my_filter": "örn. benim_filtrem", "e.g. my_tools": "örn. benim_araçlarım", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": " örn.Çeşitli işlemleri gerçekleştirmek için araçlar", "e.g., 3, 4, 5 (leave blank for default)": "örn. 3, 4, 5 (öntanımlı değer için boş bırakın)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Yapılandırmayı JSON Dosyasına Aktar", "Export Models": "", "Export Presets": "Ön Ayarları Dışa Aktar", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "CSV'ye Aktar", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Dosya eklenemedi.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "API Anahtarı oluşturulamadı.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Pano içeriği okunamadı", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Sohbet kaydedilemedi", "Failed to save models configuration": "Modeller yapılandırması kaydedilemedi", "Failed to update settings": "Ayarlar güncellenemedi", + "Failed to update status": "", "Failed to upload file.": "Dosya yüklenemedi.", "Features": "Özellikler", "Features Permissions": "Özellik Yetkileri", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE Engine Id", "Gravatar": "", "Group": "Grup", + "Group Channel": "", "Group created successfully": "Grup başarıyla oluşturuldu", "Group deleted successfully": "Grup başarıyla silindi", "Group Description": "Grup Açıklaması", "Group Name": "Grup Adı", "Group updated successfully": "Grup başarıyla güncellendi", + "groups": "", "Groups": "Gruplar", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Notları İçe Aktar", "Import Presets": "Ön Ayarları İçe Aktar", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM'ler tarafından erişilebilen bellekler burada gösterilecektir.", "Memory": "Bellek", "Memory added successfully": "Bellek başarıyla eklendi", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Komut dizisinde yalnızca alfasayısal karakterler ve tireler kabul edilir.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Yalnızca koleksiyonlar düzenlenebilir, belgeleri düzenlemek/eklemek için yeni bir bilgi tabanı oluşturun.", + "Only invited users can access": "", "Only markdown files are allowed": "Yalnızca markdown biçimli dosyalar kullanılabilir", "Only select users and groups with permission can access": "İzinli kullanıcılar ve gruplar yalnızca erişebilir", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hop! URL geçersiz gibi görünüyor. Lütfen tekrar kontrol edin ve yeniden deneyin.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Önceki 7 gün", "Previous message": "", "Private": "Gizli", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "İstem", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (örn. Roma İmparatorluğu hakkında ilginç bir bilgi verin)", "Prompt Autocompletion": "", "Prompt Content": "İstem İçeriği", "Prompt created successfully": "Prompt başarıyla oluşturuldu", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Ses Ayarla", "Set whisper model": "Fısıltı modelini ayarla", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Kanalın başlangıcı", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT Modeli", "STT Settings": "STT Ayarları", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Alt başlık (örn. Roma İmparatorluğu hakkında)", + "Subtitle": "", "Success": "Başarılı", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Başarıyla güncellendi.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika Sunucu URL'si gereklidir.", "Tiktoken": "Tiktoken", "Title": "Başlık", - "Title (e.g. Tell me a fun fact)": "Başlık (e.g. Bana ilginç bir bilgi ver)", "Title Auto-Generation": "Otomatik Başlık Oluşturma", "Title cannot be an empty string.": "Başlık boş bir dize olamaz.", "Title Generation": "Başlık Oluşturma", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Güncelle ve Bağlantıyı Kopyala", "Update for the latest features and improvements.": "En son özellikler ve iyileştirmeler için güncelleyin.", "Update password": "Parolayı Güncelle", + "Update your status": "", "Updated": "Güncellendi", "Updated at": "Şu tarihte güncellendi:", "Updated At": "Güncelleme Tarihi", @@ -1723,6 +1746,7 @@ "View Replies": "Yanıtları Görüntüle", "View Result from **{{NAME}}**": "", "Visibility": "Görünürlük", + "Visible to all users": "", "Vision": "", "Voice": "Ses", "Voice Input": "Ses Girişi", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Ne yapmaya çalışıyorsunuz?", "What are you working on?": "Üzerinde çalıştığınız nedir?", "What's New in": "Yenilikler:", + "What's on your mind?": "", "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.": "Etkinleştirildiğinde, model her sohbet mesajına gerçek zamanlı olarak yanıt verecek ve kullanıcı bir mesaj gönderdiği anda bir yanıt üretecektir. Bu mod canlı sohbet uygulamaları için yararlıdır, ancak daha yavaş donanımlarda performansı etkileyebilir.", "wherever you are": "nerede olursanız olun", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ug-CN/translation.json b/src/lib/i18n/locales/ug-CN/translation.json index bfd607217a..ea8d43285e 100644 --- a/src/lib/i18n/locales/ug-CN/translation.json +++ b/src/lib/i18n/locales/ug-CN/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} نىڭ سۆھبەتلىرى", "{{webUIName}} Backend Required": "{{webUIName}} ئارقا سۇپا زۆرۈر", "*Prompt node ID(s) are required for image generation": "رەسىم ھاسىل قىلىش ئۈچۈن تۈرتكە نۇسخا ئۇچۇر ID(لىرى) زۆرۈر", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "يېڭى نەشرى (v{{LATEST_VERSION}}) مەۋجۇت.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "سۆھبەت ياكى تور ئىزدەش سۇئالىنىڭ تېمىسىنى ھاسىل قىلىشقا ئوخشىغان ۋەزىپىلەر ئۈچۈن ۋەزىپە مودېلى ئىشلىتىلىدۇ", "a user": "ئىشلەتكۈچى", "About": "ھەققىدە", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "ھۆججەتلەر قوشۇش", - "Add Group": "گۇرۇپپا قوشۇش", + "Add Member": "", + "Add Members": "", "Add Memory": "ئەسلەتمە قوشۇش", "Add Model": "مودېل قوشۇش", "Add Reaction": "ئىنكاس قوشۇش", @@ -252,6 +257,7 @@ "Citations": "نەقىللەر", "Clear memory": "ئەسلەتمىنى تازىلاش", "Clear Memory": "ئەسلەتمىنى تازىلاش", + "Clear status": "", "click here": "بۇ يەرنى چېكىڭ", "Click here for filter guides.": "سۈزگۈچ قوللانمىلىرى ئۈچۈن بۇ يەرنى چېكىڭ.", "Click here for help.": "ياردەم ئۈچۈن بۇ يەرنى چېكىڭ.", @@ -288,6 +294,7 @@ "Code Interpreter": "كود تەرجىمانى", "Code Interpreter Engine": "كود تەرجىمان ماتورى", "Code Interpreter Prompt Template": "كود تەرجىمان تۈرتكە ئۆرنىكى", + "Collaboration channel where people join as members": "", "Collapse": "يىغىش", "Collection": "توپلام", "Color": "رەڭ", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "ئۆزلۈك تۈرتكەسىنى تاپ، چۈشۈر، تەتقىق قىل", "Discover, download, and explore custom tools": "ئۆزلۈك قورالىنى تاپ، چۈشۈر، تەتقىق قىل", "Discover, download, and explore model presets": "مودېل ئالدىن تەڭشەكلىرىنى تاپ، چۈشۈر، تەتقىق قىل", + "Discussion channel where access is based on groups and permissions": "", "Display": "كۆرسىتىش", "Display chat title in tab": "", "Display Emoji in Call": "چاقىرىشتا ئېموجىنى كۆرسىتىش", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "مەسىلەن: \"json\" ياكى JSON قېلىپى", "e.g. 60": "مەسىلەن: 60", "e.g. A filter to remove profanity from text": "مەسىلەن: تېكستتىن يامان سۆزلەرنى چىقىرىدىغان سۈزگۈچ", + "e.g. about the Roman Empire": "", "e.g. en": "مەسىلەن: en", "e.g. My Filter": "مەسىلەن: My Filter", "e.g. My Tools": "مەسىلەن: My Tools", "e.g. my_filter": "مەسىلەن: my_filter", "e.g. my_tools": "مەسىلەن: my_tools", "e.g. pdf, docx, txt": "مەسىلەن: pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "مەسىلەن: ھەر خىل مەشغۇلات قوراللىرى", "e.g., 3, 4, 5 (leave blank for default)": "مەسىلەن: 3، 4، 5 (كۆڭۈلدىكى ئۈچۈن بوش قالدۇرۇڭ)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "تەڭشەك چىقىرىش (JSON ھۆججىتى)", "Export Models": "", "Export Presets": "ئالدىن تەڭشەك چىقىرىش", - "Export Prompt Suggestions": "تۈرتكە تەكلىپلىرىنى چىقىرىش", "Export Prompts": "", "Export to CSV": "CSV غا چىقىرىش", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "سىرتقى تور ئىزدەش URL", "Fade Effect for Streaming Text": "", "Failed to add file.": "ھۆججەت قوشۇش مەغلۇپ بولدى.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI قورال مۇلازىمېتىرىغا ئۇلىنىش مەغلۇپ بولدى", "Failed to copy link": "ئۇلانما كۆچۈرۈش مەغلۇپ بولدى", "Failed to create API Key.": "API ئاچقۇچى قۇرۇش مەغلۇپ بولدى.", @@ -717,12 +729,14 @@ "Failed to load file content.": "ھۆججەت مەزمۇنى يۈكلەش مەغلۇپ بولدى.", "Failed to move chat": "", "Failed to read clipboard contents": "چاپلاش تاختىسى مەزمۇنىنى ئوقۇش مەغلۇپ بولدى", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "ئۇلىنىشلارنى ساقلاش مەغلۇپ بولدى", "Failed to save conversation": "سۆھبەتنى ساقلاش مەغلۇپ بولدى", "Failed to save models configuration": "مودېل تەڭشەكلىرىنى ساقلاش مەغلۇپ بولدى", "Failed to update settings": "تەڭشەكلەرنى يېڭىلاش مەغلۇپ بولدى", + "Failed to update status": "", "Failed to upload file.": "ھۆججەت چىقىرىش مەغلۇپ بولدى.", "Features": "ئىقتىدارلار", "Features Permissions": "ئىقتىدار ھوقۇقى", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE ماتور ID", "Gravatar": "", "Group": "گۇرۇپپا", + "Group Channel": "", "Group created successfully": "گۇرۇپپا مۇۋەپپەقىيەتلىك قۇرۇلدى", "Group deleted successfully": "گۇرۇپپا مۇۋەپپەقىيەتلىك ئۆچۈرۈلدى", "Group Description": "گۇرۇپپا چۈشەندۈرۈشى", "Group Name": "گۇرۇپپا نامى", "Group updated successfully": "گۇرۇپپا مۇۋەپپەقىيەتلىك يېڭىلاندى", + "groups": "", "Groups": "گۇرۇپپىلار", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "خاتىرە ئىمپورت قىلىش", "Import Presets": "ئالدىن تەڭشەك ئىمپورت قىلىش", - "Import Prompt Suggestions": "تۈرتكە تەكلىپى ئىمپورت قىلىش", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM ئىشلىتەلەيدىن ئەسلەتمىلەر بۇ يەردە كۆرۈنىدۇ.", "Memory": "ئەسلەتمە", "Memory added successfully": "ئەسلەتمە مۇۋەپپەقىيەتلىك قوشۇلدى", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "بۇيرۇق تىزىقىدا پەقەت ھەرپ، سان ۋە چەكىت ئىشلىتىشكە بولىدۇ.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "پەقەت توپلام تەھرىرلەشكە بولىدۇ، ھۆججەت قوشۇش/تەھرىرلەش ئۈچۈن يېڭى بىلىم ئاساسى قۇرۇڭ.", + "Only invited users can access": "", "Only markdown files are allowed": "پەقەت markdown ھۆججىتى ئىشلىتىشكە بولىدۇ", "Only select users and groups with permission can access": "پەقەت ھوقۇقى بار تاللانغان ئىشلەتكۈچى ۋە گۇرۇپپىلارلا زىيارەت قىلالايدۇ", "Oops! Looks like the URL is invalid. Please double-check and try again.": "URL خاتا بولۇشى مۇمكىن. قايتا تەكشۈرۈپ سىناڭ.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "ئالدىنقى 7 كۈن", "Previous message": "ئالدىنقى ئۇچۇر", "Private": "شەخسىي", + "Private conversation between selected users": "", "Profile": "پروفايل", "Prompt": "تۈرتكە", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "تۈرتكە (مەسىلەن: رىم ئىمپېرىيەسى ھەققىدە قىزىقارلىق بىر نەرسە ئېيت)", "Prompt Autocompletion": "تۈرتكە ئاپتوماتىك تولدۇرۇش", "Prompt Content": "تۈرتكە مەزمۇنى", "Prompt created successfully": "تۈرتكە مۇۋەپپەقىيەتلىك قۇرۇلدى", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "ھېسابلاش ئۈچۈن ئىشلىتىدىغان ئىشلەۋاتقان تارتما سانىنى تەڭشەش. قىممەتنى چوڭايتسىڭىز، يۇقىرى مەشغۇلاتتا ئۈنۈم يۇقىرى، بىراق CPU بايلىقى كۆپرەك ئىشلىتىلىدۇ.", "Set Voice": "ئاۋاز تەڭشەش", "Set whisper model": "whisper مودېلى تەڭشەش", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "بىر قېتىم بولسىمۇ كۆرۈلگەن ئىملەرگە قارشى دائىملىق ئېغىش بەلگىلىنىدۇ. چوڭ قىممەت (مەسىلەن 1.5) تەكرارنى كۈچلۈك جازالاش، كىچىك قىممەت (مەسىلەن 0.9) يۇمشاق بولىدۇ. 0 بولسا چەكلەنگەن.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ئىم كۆرۈلگەن قېتىم سانىغا قاراپ تەكرارنى جازالاش ئۈچۈن ئېغىش بەلگىلەيدۇ. چوڭ قىممەت (مەسىلەن 1.5) كۈچلۈك جازا، كىچىك قىممەت (مەسىلەن 0.9) يۇمشاق.", "Sets how far back for the model to look back to prevent repetition.": "تەكرارنىڭ ئالدىنى ئېلىش ئۈچۈن مودېلنىڭ قانچىلىك ئالدىغا قارىشىنى بەلگىلەيدۇ.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "قانالنىڭ باشلانغىنى", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT مودېلى", "STT Settings": "STT تەڭشەكلىرى", "Stylized PDF Export": "ئۇسلۇبلۇق PDF چىقىرىش", - "Subtitle (e.g. about the Roman Empire)": "تاق سۆز (مەسىلەن: رىم ئىمپېرىيەسى ھەققىدە)", + "Subtitle": "", "Success": "مۇۋەپپەقىيەت", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "مۇۋەپپەقىيەتلىك يېڭىلاندى.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika مۇلازىمېتىر URL زۆرۈر.", "Tiktoken": "Tiktoken", "Title": "تېما", - "Title (e.g. Tell me a fun fact)": "تېما (مەسىلەن: قىزىقارلىق بىر نەرسە ئېيت)", "Title Auto-Generation": "ئاپتوماتىك تېما ھاسىل قىلىش", "Title cannot be an empty string.": "تېما بوش بولسا بولمايدۇ.", "Title Generation": "تېما ھاسىل قىلىش", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "يېڭىلاش ۋە ئۇلانما كۆچۈرۈش", "Update for the latest features and improvements.": "ئەڭ يېڭى ئىقتىدار ۋە ياخشىلاشلار ئۈچۈن يېڭىلاڭ.", "Update password": "پارول يېڭىلاش", + "Update your status": "", "Updated": "يېڭىلاندى", "Updated at": "يېڭىلانغان ۋاقتى", "Updated At": "يېڭىلانغان ۋاقتى", @@ -1723,6 +1746,7 @@ "View Replies": "ئىنكاسلارنى كۆرۈش", "View Result from **{{NAME}}**": "**{{NAME}}** دىن نەتىجىنى كۆرۈش", "Visibility": "كۆرۈنۈشچانلىق", + "Visible to all users": "", "Vision": "كۆرۈش", "Voice": "ئاۋاز", "Voice Input": "ئاۋاز كىرگۈزۈش", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "نېمىگە ئېرىشمىكچىسىز؟", "What are you working on?": "نېمە ئىش قىلىۋاتىسىز؟", "What's New in": "يېڭىلىق", + "What's on your mind?": "", "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": "قايسى يەردە بولسىڭىزمۇ", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "چىقىرىشنى بەتلەندۈرۈش ئۈچۈن ئىشلىتىلدۇ. ھەربىر بەت گىزىكچىلەر بىلەن ئايرىلىدۇ. كۆڭۈلدىكىچە چەكلەنگەن.", diff --git a/src/lib/i18n/locales/uk-UA/translation.json b/src/lib/i18n/locales/uk-UA/translation.json index 2e324c0615..d4e3b93ee9 100644 --- a/src/lib/i18n/locales/uk-UA/translation.json +++ b/src/lib/i18n/locales/uk-UA/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Чати {{user}}а", "{{webUIName}} Backend Required": "Необхідно підключення бекенду {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*Для генерації зображення потрібно вказати ідентифікатор(и) вузла(ів)", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Нова версія (v{{LATEST_VERSION}}) зараз доступна.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Модель задач використовується при виконанні таких завдань, як генерація заголовків для чатів та пошукових запитів в Інтернеті", "a user": "користувача", "About": "Про програму", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Додати файли", - "Add Group": "Додати групу", + "Add Member": "", + "Add Members": "", "Add Memory": "Додати пам'ять", "Add Model": "Додати модель", "Add Reaction": "Додати реакцію", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Очистити пам'ять", "Clear Memory": "Очистити пам'ять", + "Clear status": "", "click here": "натисніть тут", "Click here for filter guides.": "Натисніть тут для інструкцій із фільтрації", "Click here for help.": "Натисніть тут, щоб отримати допомогу.", @@ -288,6 +294,7 @@ "Code Interpreter": "Інтерпретатор коду", "Code Interpreter Engine": "Двигун інтерпретатора коду", "Code Interpreter Prompt Template": "Шаблон запиту інтерпретатора коду", + "Collaboration channel where people join as members": "", "Collapse": "Згорнути", "Collection": "Колекція", "Color": "Колір", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Знайдіть, завантажте та досліджуйте налаштовані промти", "Discover, download, and explore custom tools": "Знайдіть, завантажте та досліджуйте налаштовані інструменти", "Discover, download, and explore model presets": "Знайдіть, завантажте та досліджуйте налаштування моделей", + "Discussion channel where access is based on groups and permissions": "", "Display": "Відображення", "Display chat title in tab": "", "Display Emoji in Call": "Відображати емодзі у викликах", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "напр., \"json\" або схема JSON", "e.g. 60": "напр. 60", "e.g. A filter to remove profanity from text": "напр., фільтр для видалення нецензурної лексики з тексту", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "напр., Мій фільтр", "e.g. My Tools": "напр., Мої інструменти", "e.g. my_filter": "напр., my_filter", "e.g. my_tools": "напр., my_tools", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "напр., Інструменти для виконання різних операцій", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Експорт конфігурації у файл JSON", "Export Models": "", "Export Presets": "Експорт пресетів", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Експорт в CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Не вдалося додати файл.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Не вдалося підключитися до серверу інструментів OpenAPI {{URL}}", "Failed to copy link": "", "Failed to create API Key.": "Не вдалося створити API ключ.", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Не вдалося прочитати вміст буфера обміну", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Не вдалося зберегти розмову", "Failed to save models configuration": "Не вдалося зберегти конфігурацію моделей", "Failed to update settings": "Не вдалося оновити налаштування", + "Failed to update status": "", "Failed to upload file.": "Не вдалося завантажити файл.", "Features": "Особливості", "Features Permissions": "Дозволи функцій", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Id рушія Google PSE", "Gravatar": "", "Group": "Група", + "Group Channel": "", "Group created successfully": "Групу успішно створено", "Group deleted successfully": "Групу успішно видалено", "Group Description": "Опис групи", "Group Name": "Назва групи", "Group updated successfully": "Групу успішно оновлено", + "groups": "", "Groups": "Групи", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Імпорт пресетів", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Пам'ять, яка доступна LLM, буде показана тут.", "Memory": "Пам'ять", "Memory added successfully": "Пам'ять додано успішно", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "У рядку команди дозволено використовувати лише алфавітно-цифрові символи та дефіси.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Редагувати можна лише колекції, створіть нову базу знань, щоб редагувати або додавати документи.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Тільки вибрані користувачі та групи з дозволом можуть отримати доступ", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Схоже, що URL-адреса невірна. Будь ласка, перевірте ще раз та спробуйте ще раз.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Попередні 7 днів", "Previous message": "", "Private": "Приватний", + "Private conversation between selected users": "", "Profile": "Профіль", "Prompt": "Підказка", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Підказка (напр., розкажіть мені цікавий факт про Римську імперію)", "Prompt Autocompletion": "Автозавершення підказок", "Prompt Content": "Зміст промту", "Prompt created successfully": "Підказку успішно створено", @@ -1453,6 +1472,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Встановити кількість робочих потоків, що використовуються для обробки інформації. Ця опція керує кількістю потоків, що використовуються для обробки надходження запитів одночасно. Збільшення цього значення може підвищити продуктивність при великій одночасності робіт, але також може споживати більше ресурсів CPU.", "Set Voice": "Встановити голос", "Set whisper model": "Встановити модель whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Встановлює фіксоване зміщення проти токенів, які з'явилися хоча б один раз. Вищий показник (напр., 1.5) сильніше штрафує за повторення, тоді як нижчий показник (напр., 0.9) буде більш м'яким. При значенні 0, ця опція вимкнена.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Встановлює масштабоване зміщення проти токенів для штрафування повторів, залежно від того, скільки разів вони з'являлися. Вищий показник (напр., 1.5) сильніше штрафує за повторення, тоді як нижчий показник (напр., 0.9) буде більш м'яким. При значенні 0, ця опція вимкнена.", "Sets how far back for the model to look back to prevent repetition.": "Встановлює, на скільки кроків назад модель повинна звертати увагу, щоб запобігти повторенням.", @@ -1505,6 +1525,9 @@ "Start a new conversation": "", "Start of the channel": "Початок каналу", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1520,7 +1543,7 @@ "STT Model": "Модель STT ", "STT Settings": "Налаштування STT", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Підзаголовок (напр., про Римську імперію)", + "Subtitle": "", "Success": "Успіх", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Успішно оновлено.", @@ -1603,7 +1626,6 @@ "Tika Server URL required.": "Потрібна URL-адреса сервера Tika.", "Tiktoken": "Tiktoken", "Title": "Заголовок", - "Title (e.g. Tell me a fun fact)": "Заголовок (напр., Розкажіть мені цікавий факт)", "Title Auto-Generation": "Автогенерація заголовків", "Title cannot be an empty string.": "Заголовок не може бути порожнім рядком.", "Title Generation": "Генерація заголовка", @@ -1672,6 +1694,7 @@ "Update and Copy Link": "Оновлення та копіювання посилання", "Update for the latest features and improvements.": "Оновіть програми для нових функцій та покращень.", "Update password": "Оновити пароль", + "Update your status": "", "Updated": "Оновлено", "Updated at": "Оновлено на", "Updated At": "Оновлено на", @@ -1725,6 +1748,7 @@ "View Replies": "Переглянути відповіді", "View Result from **{{NAME}}**": "", "Visibility": "Видимість", + "Visible to all users": "", "Vision": "", "Voice": "Голос", "Voice Input": "Голосове введення", @@ -1752,6 +1776,7 @@ "What are you trying to achieve?": "Чого ви прагнете досягти?", "What are you working on?": "Над чим ти працюєш?", "What's New in": "Що нового в", + "What's on your mind?": "", "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": "де б ви не були", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ur-PK/translation.json b/src/lib/i18n/locales/ur-PK/translation.json index b3e1ff50e1..3f0c58bc4d 100644 --- a/src/lib/i18n/locales/ur-PK/translation.json +++ b/src/lib/i18n/locales/ur-PK/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{ صارف }} کی بات چیت", "{{webUIName}} Backend Required": "{{webUIName}} بیک اینڈ درکار ہے", "*Prompt node ID(s) are required for image generation": "تصویر کی تخلیق کے لیے *پرومپٹ نوڈ آئی ڈی(ز) کی ضرورت ہے", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "نیا ورژن (v{{LATEST_VERSION}}) اب دستیاب ہے", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "ٹاسک ماڈل اس وقت استعمال ہوتا ہے جب چیٹس کے عنوانات اور ویب سرچ سوالات تیار کیے جا رہے ہوں", "a user": "ایک صارف", "About": "بارے میں", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "فائلیں شامل کریں", - "Add Group": "", + "Add Member": "", + "Add Members": "", "Add Memory": "میموری شامل کریں", "Add Model": "ماڈل شامل کریں", "Add Reaction": "", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "میموری صاف کریں", "Clear Memory": "", + "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "مدد کے لیے یہاں کلک کریں", @@ -288,6 +294,7 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", + "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "کلیکشن", "Color": "", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "دریافت کریں، ڈاؤن لوڈ کریں، اور حسب ضرورت پرامپٹس کو دریافت کریں", "Discover, download, and explore custom tools": "دریافت کریں، ڈاؤن لوڈ کریں، اور حسب ضرورت ٹولز کو دریافت کریں", "Discover, download, and explore model presets": "دریافت کریں، ڈاؤن لوڈ کریں، اور ماڈل پریسیٹس کو دریافت کریں", + "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "کال میں ایموجی دکھائیں", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "کنفیگ کو JSON فائل میں ایکسپورٹ کریں", "Export Models": "", "Export Presets": "", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "فائل شامل کرنے میں ناکام", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "API کلید بنانے میں ناکام", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "کلپ بورڈ مواد کو پڑھنے میں ناکام", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "گفتگو محفوظ نہیں ہو سکی", "Failed to save models configuration": "", "Failed to update settings": "ترتیبات کی تازہ کاری ناکام رہی", + "Failed to update status": "", "Failed to upload file.": "فائل اپلوڈ کرنے میں ناکامی ہوئی", "Features": "", "Features Permissions": "", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "گوگل پی ایس ای انجن آئی ڈی", "Gravatar": "", "Group": "گروپ", + "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", + "groups": "", "Groups": "", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "یہاں LLMs کے ذریعہ قابل رسائی یادیں دکھائی جائیں گی", "Memory": "میموری", "Memory added successfully": "میموری کامیابی سے شامل کر دی گئی", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "کمانڈ سٹرنگ میں صرف حروفی، عددی کردار اور ہائفن کی اجازت ہے", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "صرف مجموعے ترمیم کیے جا سکتے ہیں، دستاویزات کو ترمیم یا شامل کرنے کے لیے نیا علمی بنیاد بنائیں", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "اوہ! لگتا ہے کہ یو آر ایل غلط ہے براۂ کرم دوبارہ چیک کریں اور دوبارہ کوشش کریں", @@ -1263,9 +1282,9 @@ "Previous 7 days": "پچھلے 7 دن", "Previous message": "", "Private": "", + "Private conversation between selected users": "", "Profile": "پروفائل", "Prompt": "", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "سوال کریں (مثلاً: مجھے رومن سلطنت کے بارے میں کوئی دلچسپ حقیقت بتائیں)", "Prompt Autocompletion": "", "Prompt Content": "مواد کا آغاز کریں", "Prompt created successfully": "", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "آواز کے لئے سیٹ کریں", "Set whisper model": "وِسپر ماڈل مرتب کریں", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "چینل کی شروعات", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "ایس ٹی ٹی ماڈل", "STT Settings": "ایس ٹی ٹی ترتیبات", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "ذیلی عنوان (جیسے رومن سلطنت کے بارے میں)", + "Subtitle": "", "Success": "کامیابی", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "کامیابی سے تازہ کاری ہو گئی", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "ٹکا سرور یو آر ایل درکار ہے", "Tiktoken": "ٹک ٹوکن", "Title": "عنوان", - "Title (e.g. Tell me a fun fact)": "عنوان (مثال کے طور پر، مجھے ایک دلچسپ حقیقت بتائیں)", "Title Auto-Generation": "خودکار عنوان تخلیق", "Title cannot be an empty string.": "عنوان خالی اسٹرنگ نہیں ہو سکتا", "Title Generation": "", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "اپڈیٹ اور لنک کاپی کریں", "Update for the latest features and improvements.": "تازہ ترین خصوصیات اور بہتریوں کے لیے اپ ڈیٹ کریں", "Update password": "پاس ورڈ اپ ڈیٹ کریں", + "Update your status": "", "Updated": "اپ ڈیٹ کیا گیا", "Updated at": "پر تازہ کاری کی گئی ", "Updated At": "تازہ کاری کی گئی تاریخ پر", @@ -1723,6 +1746,7 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", + "Visible to all users": "", "Vision": "", "Voice": "آواز", "Voice Input": "آواز داخل کریں", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "میں نیا کیا ہے", + "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json b/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json index cbe19e4877..98e2abc81c 100644 --- a/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json +++ b/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} нинг чатлари", "{{webUIName}} Backend Required": "{{webUIName}} Баcкенд талаб қилинади", "*Prompt node ID(s) are required for image generation": "*Расм яратиш учун тезкор тугун идентификаторлари талаб қилинади", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Энди янги версия (v{{LATEST_VERSION}}) мавжуд.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Вазифа модели чатлар ва веб-қидирув сўровлари учун сарлавҳаларни яратиш каби вазифаларни бажаришда ишлатилади", "a user": "фойдаланувчи", "About": "Ҳақида", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Файлларни қўшиш", - "Add Group": "Гуруҳ қўшиш", + "Add Member": "", + "Add Members": "", "Add Memory": "Хотира қўшиш", "Add Model": "Модел қўшиш", "Add Reaction": "Реакция қўшинг", @@ -252,6 +257,7 @@ "Citations": "Иқтибослар", "Clear memory": "Хотирани тозалаш", "Clear Memory": "Хотирани тозалаш", + "Clear status": "", "click here": "бу ерни босинг", "Click here for filter guides.": "Филтр қўлланмалари учун бу ерни босинг.", "Click here for help.": "Ёрдам учун шу ерни босинг.", @@ -288,6 +294,7 @@ "Code Interpreter": "Код таржимони", "Code Interpreter Engine": "Код таржимон механизми", "Code Interpreter Prompt Template": "Код таржимони сўрови шаблони", + "Collaboration channel where people join as members": "", "Collapse": "Йиқилиш", "Collection": "Тўплам", "Color": "Ранг", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Махсус таклифларни кашф қилинг, юклаб олинг ва ўрганинг", "Discover, download, and explore custom tools": "Махсус воситаларни кашф қилинг, юклаб олинг ва ўрганинг", "Discover, download, and explore model presets": "Модел созламаларини кашф этинг, юклаб олинг ва ўрганинг", + "Discussion channel where access is based on groups and permissions": "", "Display": "Дисплей", "Display chat title in tab": "", "Display Emoji in Call": "Чақирувда кулгичларни кўрсатиш", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "масалан. \"json\" ёки JSON схемаси", "e.g. 60": "масалан, 60", "e.g. A filter to remove profanity from text": "масалан, Матндан ҳақоратли сўзларни олиб ташлаш учун филтр", + "e.g. about the Roman Empire": "", "e.g. en": "масалан, en", "e.g. My Filter": "масалан, Менинг филтрим", "e.g. My Tools": "масалан, Менинг асбобларим", "e.g. my_filter": "масалан, my_filter", "e.g. my_tools": "масалан, my_tools", "e.g. pdf, docx, txt": "масалан, pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "масалан. Ҳар хил операцияларни бажариш учун асбоблар", "e.g., 3, 4, 5 (leave blank for default)": "масалан, 3, 4, 5 (сукут бўйича бўш қолдиринг)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Конфигурацияни ЖСОН файлига экспорт қилинг", "Export Models": "", "Export Presets": "Олдиндан созламаларни экспорт қилиш", - "Export Prompt Suggestions": "Экспорт бўйича таклифлар", "Export Prompts": "", "Export to CSV": "CSV га экспорт қилиш", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "Ташқи веб-қидирув УРЛ манзили", "Fade Effect for Streaming Text": "", "Failed to add file.": "Файл қўшиб бўлмади.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{УРЛ}} ОпенАПИ асбоб серверига уланиб бўлмади", "Failed to copy link": "Ҳаволани нусхалаб бўлмади", "Failed to create API Key.": "АПИ калитини яратиб бўлмади.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Файл таркибини юклаб бўлмади.", "Failed to move chat": "", "Failed to read clipboard contents": "Буфер таркибини ўқиб бўлмади", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Уланишлар сақланмади", "Failed to save conversation": "Суҳбат сақланмади", "Failed to save models configuration": "Моделлар конфигурацияси сақланмади", "Failed to update settings": "Созламаларни янгилаб бўлмади", + "Failed to update status": "", "Failed to upload file.": "Файл юкланмади.", "Features": "Хусусиятлари", "Features Permissions": "Хусусиятлар Рухсатлар", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Гоогле ПСЕ Энгине идентификатори", "Gravatar": "", "Group": "Гуруҳ", + "Group Channel": "", "Group created successfully": "Гуруҳ муваффақиятли яратилди", "Group deleted successfully": "Гуруҳ муваффақиятли ўчирилди", "Group Description": "Гуруҳ тавсифи", "Group Name": "Гуруҳ номи", "Group updated successfully": "Гуруҳ муваффақиятли янгиланди", + "groups": "", "Groups": "Гуруҳлар", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Эслатмаларни импорт қилиш", "Import Presets": "Олдиндан созламаларни импорт қилиш", - "Import Prompt Suggestions": "Импорт бўйича таклифлар", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "ЛЛМлар кириши мумкин бўлган хотиралар бу эрда кўрсатилади.", "Memory": "Хотира", "Memory added successfully": "Хотира муваффақиятли қўшилди", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Буйруқлар қаторида фақат ҳарф-рақамли белгилар ва дефисларга рухсат берилади.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Фақат тўпламларни таҳрирлаш мумкин, ҳужжатларни таҳрирлаш/қўшиш учун янги билимлар базасини яратинг.", + "Only invited users can access": "", "Only markdown files are allowed": "Фақат маркдоwн файлларига рухсат берилади", "Only select users and groups with permission can access": "Фақат рухсати бор танланган фойдаланувчилар ва гуруҳларга кириш мумкин", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Вой! УРЛ нотўғри кўринади. Илтимос, икки марта текширинг ва қайта уриниб кўринг.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Олдинги 7 кун", "Previous message": "", "Private": "Шахсий", + "Private conversation between selected users": "", "Profile": "Профиль", "Prompt": "Тезкор", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Тезкор (масалан, менга Рим империяси ҳақида қизиқарли фактни айтиб беринг)", "Prompt Autocompletion": "Тезкор автоматик якунлаш", "Prompt Content": "Тезкор таркиб", "Prompt created successfully": "Сўров муваффақиятли яратилди", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ҳисоблаш учун ишлатиладиган ишчи иплар сонини белгиланг. Ушбу параметр кирувчи сўровларни бир вақтнинг ўзида қайта ишлаш учун қанча мавзу ишлатилишини назорат қилади. Ушбу қийматни ошириш юқори бир вақтда иш юкида ишлашни яхшилаши мумкин, лекин кўпроқ CПУ ресурсларини истеъмол қилиши мумкин.", "Set Voice": "Овозни созлаш", "Set whisper model": "Пичирлаш моделини ўрнатинг", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Ҳеч бўлмаганда бир марта пайдо бўлган токенларга нисбатан текис чизиқ ўрнатади. Юқори қиймат (масалан, 1,5) такрорлаш учун қаттиқроқ жазоланади, пастроқ қиймат (масалан, 0,9) эса юмшоқроқ бўлади. 0 бўлса, у ўчирилган.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Қанча марта пайдо бўлганига қараб, такрорланишларни жазолаш учун токенларга нисбатан масштабни ўрнатади. Юқори қиймат (масалан, 1,5) такрорлаш учун қаттиқроқ жазоланади, пастроқ қиймат (масалан, 0,9) эса юмшоқроқ бўлади. 0 бўлса, у ўчирилган.", "Sets how far back for the model to look back to prevent repetition.": "Такрорланишнинг олдини олиш учун моделнинг орқага қарашини белгилайди.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Канал боши", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "СТТ модели", "STT Settings": "СТТ созламалари", "Stylized PDF Export": "Услубий PDF экспорти", - "Subtitle (e.g. about the Roman Empire)": "Субтитр (масалан, Рим империяси ҳақида)", + "Subtitle": "", "Success": "Муваффақият", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Муваффақиятли янгиланди.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Тика Сервер УРЛ манзили талаб қилинади.", "Tiktoken": "Тиктокен", "Title": "Сарлавҳа", - "Title (e.g. Tell me a fun fact)": "Сарлавҳа (масалан, менга қизиқарли фактни айтинг)", "Title Auto-Generation": "Сарлавҳани автоматик яратиш", "Title cannot be an empty string.": "Сарлавҳа бўш қатор бўлиши мумкин эмас.", "Title Generation": "Сарлавҳа яратиш", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Ҳаволани янгилаш ва нусхалаш", "Update for the latest features and improvements.": "Энг янги хусусиятлар ва яхшиланишлар учун янгиланг.", "Update password": "Паролни янгиланг", + "Update your status": "", "Updated": "Янгиланган", "Updated at": "Янгиланган", "Updated At": "Янгиланган", @@ -1723,6 +1746,7 @@ "View Replies": "Жавобларни кўриш", "View Result from **{{NAME}}**": "**{{NAME}}** натижасини кўриш", "Visibility": "Кўриниш", + "Visible to all users": "", "Vision": "Визён", "Voice": "Овоз", "Voice Input": "Овозли киритиш", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Нимага эришмоқчисиз?", "What are you working on?": "Нима устида ишлаяпсиз?", "What's New in": "", + "What's on your mind?": "", "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": "қаерда бўлсангиз ҳам", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Чиқишни саҳифалаш керакми. Ҳар бир саҳифа горизонтал қоида ва саҳифа рақами билан ажратилади. Бирламчи параметрлар Фалсе.", diff --git a/src/lib/i18n/locales/uz-Latn-Uz/translation.json b/src/lib/i18n/locales/uz-Latn-Uz/translation.json index 41ba581854..edf7a48b39 100644 --- a/src/lib/i18n/locales/uz-Latn-Uz/translation.json +++ b/src/lib/i18n/locales/uz-Latn-Uz/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} ning chatlari", "{{webUIName}} Backend Required": "{{webUIName}} Backend talab qilinadi", "*Prompt node ID(s) are required for image generation": "*Rasm yaratish uchun tezkor tugun identifikatorlari talab qilinadi", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Endi yangi versiya (v{{LATEST_VERSION}}) mavjud.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Vazifa modeli chatlar va veb-qidiruv so'rovlari uchun sarlavhalarni yaratish kabi vazifalarni bajarishda ishlatiladi", "a user": "foydalanuvchi", "About": "Haqida", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Fayllarni qo'shish", - "Add Group": "Guruh qo'shish", + "Add Member": "", + "Add Members": "", "Add Memory": "Xotira qo'shish", "Add Model": "Model qo'shish", "Add Reaction": "Reaktsiya qo'shing", @@ -252,6 +257,7 @@ "Citations": "Iqtiboslar", "Clear memory": "Xotirani tozalash", "Clear Memory": "Xotirani tozalash", + "Clear status": "", "click here": "bu yerni bosing", "Click here for filter guides.": "Filtr qo'llanmalari uchun bu yerni bosing.", "Click here for help.": "Yordam uchun shu yerni bosing.", @@ -288,6 +294,7 @@ "Code Interpreter": "Kod tarjimoni", "Code Interpreter Engine": "Kod tarjimon mexanizmi", "Code Interpreter Prompt Template": "Kod tarjimoni so'rovi shabloni", + "Collaboration channel where people join as members": "", "Collapse": "Yiqilish", "Collection": "To'plam", "Color": "Rang", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Maxsus takliflarni kashf qiling, yuklab oling va oʻrganing", "Discover, download, and explore custom tools": "Maxsus vositalarni kashf qiling, yuklab oling va o'rganing", "Discover, download, and explore model presets": "Model sozlamalarini kashf eting, yuklab oling va o'rganing", + "Discussion channel where access is based on groups and permissions": "", "Display": "Displey", "Display chat title in tab": "", "Display Emoji in Call": "Chaqiruvda kulgichlarni ko‘rsatish", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "masalan. \"json\" yoki JSON sxemasi", "e.g. 60": "masalan. 60", "e.g. A filter to remove profanity from text": "masalan. Matndan haqoratli so'zlarni olib tashlash uchun filtr", + "e.g. about the Roman Empire": "", "e.g. en": "masalan. uz", "e.g. My Filter": "masalan. Mening filtrim", "e.g. My Tools": "masalan. Mening asboblarim", "e.g. my_filter": "masalan. my_filtr", "e.g. my_tools": "masalan. my_tools", "e.g. pdf, docx, txt": "masalan. pdf, docx, txt", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "masalan. Har xil operatsiyalarni bajarish uchun asboblar", "e.g., 3, 4, 5 (leave blank for default)": "masalan, 3, 4, 5 (sukut boʻyicha boʻsh qoldiring)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Konfiguratsiyani JSON fayliga eksport qiling", "Export Models": "", "Export Presets": "Oldindan sozlamalarni eksport qilish", - "Export Prompt Suggestions": "Eksport bo'yicha takliflar", "Export Prompts": "", "Export to CSV": "CSV ga eksport qilish", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "Tashqi veb-qidiruv URL manzili", "Fade Effect for Streaming Text": "", "Failed to add file.": "Fayl qo‘shib bo‘lmadi.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI asbob serveriga ulanib boʻlmadi", "Failed to copy link": "Havolani nusxalab bo‘lmadi", "Failed to create API Key.": "API kalitini yaratib bo‘lmadi.", @@ -717,12 +729,14 @@ "Failed to load file content.": "Fayl tarkibini yuklab bo‘lmadi.", "Failed to move chat": "", "Failed to read clipboard contents": "Bufer tarkibini o‘qib bo‘lmadi", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Ulanishlar saqlanmadi", "Failed to save conversation": "Suhbat saqlanmadi", "Failed to save models configuration": "Modellar konfiguratsiyasi saqlanmadi", "Failed to update settings": "Sozlamalarni yangilab bo‘lmadi", + "Failed to update status": "", "Failed to upload file.": "Fayl yuklanmadi.", "Features": "Xususiyatlari", "Features Permissions": "Xususiyatlar Ruxsatlar", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "Google PSE Engine identifikatori", "Gravatar": "", "Group": "Guruh", + "Group Channel": "", "Group created successfully": "Guruh muvaffaqiyatli yaratildi", "Group deleted successfully": "Guruh muvaffaqiyatli oʻchirildi", "Group Description": "Guruh tavsifi", "Group Name": "Guruh nomi", "Group updated successfully": "Guruh muvaffaqiyatli yangilandi", + "groups": "", "Groups": "Guruhlar", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "Eslatmalarni import qilish", "Import Presets": "Oldindan sozlamalarni import qilish", - "Import Prompt Suggestions": "Import bo'yicha takliflar", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMlar kirishi mumkin bo'lgan xotiralar bu erda ko'rsatiladi.", "Memory": "Xotira", "Memory added successfully": "Xotira muvaffaqiyatli qo'shildi", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Buyruqlar qatorida faqat harf-raqamli belgilar va defislarga ruxsat beriladi.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Faqat to'plamlarni tahrirlash mumkin, hujjatlarni tahrirlash/qo'shish uchun yangi bilimlar bazasini yarating.", + "Only invited users can access": "", "Only markdown files are allowed": "Faqat markdown fayllariga ruxsat beriladi", "Only select users and groups with permission can access": "Faqat ruxsati bor tanlangan foydalanuvchilar va guruhlarga kirish mumkin", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Voy! URL noto‘g‘ri ko‘rinadi. Iltimos, ikki marta tekshiring va qayta urinib ko'ring.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "Oldingi 7 kun", "Previous message": "", "Private": "Shaxsiy", + "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Tezkor", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Tezkor (masalan, menga Rim imperiyasi haqida qiziqarli faktni aytib bering)", "Prompt Autocompletion": "Tezkor avtomatik yakunlash", "Prompt Content": "Tezkor tarkib", "Prompt created successfully": "Soʻrov muvaffaqiyatli yaratildi", @@ -1451,6 +1470,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Hisoblash uchun ishlatiladigan ishchi iplar sonini belgilang. Ushbu parametr kiruvchi so'rovlarni bir vaqtning o'zida qayta ishlash uchun qancha mavzu ishlatilishini nazorat qiladi. Ushbu qiymatni oshirish yuqori bir vaqtda ish yukida ishlashni yaxshilashi mumkin, lekin ko'proq CPU resurslarini iste'mol qilishi mumkin.", "Set Voice": "Ovozni sozlash", "Set whisper model": "Pichirlash modelini o'rnating", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Hech bo'lmaganda bir marta paydo bo'lgan tokenlarga nisbatan tekis chiziq o'rnatadi. Yuqori qiymat (masalan, 1,5) takrorlash uchun qattiqroq jazolanadi, pastroq qiymat (masalan, 0,9) esa yumshoqroq bo'ladi. 0 bo'lsa, u o'chirilgan.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Qancha marta paydo bo'lganiga qarab, takrorlanishlarni jazolash uchun tokenlarga nisbatan masshtabni o'rnatadi. Yuqori qiymat (masalan, 1,5) takrorlash uchun qattiqroq jazolanadi, pastroq qiymat (masalan, 0,9) esa yumshoqroq bo'ladi. 0 bo'lsa, u o'chirilgan.", "Sets how far back for the model to look back to prevent repetition.": "Takrorlanishning oldini olish uchun modelning orqaga qarashini belgilaydi.", @@ -1503,6 +1523,9 @@ "Start a new conversation": "", "Start of the channel": "Kanal boshlanishi", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1518,7 +1541,7 @@ "STT Model": "STT modeli", "STT Settings": "STT sozlamalari", "Stylized PDF Export": "Stillashtirilgan PDF eksporti", - "Subtitle (e.g. about the Roman Empire)": "Subtitr (masalan, Rim imperiyasi haqida)", + "Subtitle": "", "Success": "Muvaffaqiyat", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Muvaffaqiyatli yangilandi.", @@ -1601,7 +1624,6 @@ "Tika Server URL required.": "Tika Server URL manzili talab qilinadi.", "Tiktoken": "Tiktoken", "Title": "Sarlavha", - "Title (e.g. Tell me a fun fact)": "Sarlavha (masalan, menga qiziqarli faktni ayting)", "Title Auto-Generation": "Sarlavhani avtomatik yaratish", "Title cannot be an empty string.": "Sarlavha bo'sh qator bo'lishi mumkin emas.", "Title Generation": "Sarlavha yaratish", @@ -1670,6 +1692,7 @@ "Update and Copy Link": "Havolani yangilash va nusxalash", "Update for the latest features and improvements.": "Eng yangi xususiyatlar va yaxshilanishlar uchun yangilang.", "Update password": "Parolni yangilang", + "Update your status": "", "Updated": "Yangilangan", "Updated at": "Yangilangan", "Updated At": "Yangilangan", @@ -1723,6 +1746,7 @@ "View Replies": "Javoblarni ko'rish", "View Result from **{{NAME}}**": "**{{NAME}}** natijasini ko‘rish", "Visibility": "Ko'rinish", + "Visible to all users": "", "Vision": "Vizyon", "Voice": "Ovoz", "Voice Input": "Ovozli kiritish", @@ -1750,6 +1774,7 @@ "What are you trying to achieve?": "Nimaga erishmoqchisiz?", "What are you working on?": "Nima ustida ishlayapsiz?", "What's New in": "", + "What's on your mind?": "", "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.": "Yoqilganda, model real vaqt rejimida har bir chat xabariga javob beradi va foydalanuvchi xabar yuborishi bilanoq javob hosil qiladi. Ushbu rejim jonli chat ilovalari uchun foydalidir, lekin sekinroq uskunaning ishlashiga ta'sir qilishi mumkin.", "wherever you are": "qayerda bo'lsangiz ham", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Chiqishni sahifalash kerakmi. Har bir sahifa gorizontal qoida va sahifa raqami bilan ajratiladi. Birlamchi parametrlar False.", diff --git a/src/lib/i18n/locales/vi-VN/translation.json b/src/lib/i18n/locales/vi-VN/translation.json index a2187c6f8c..0f138d2746 100644 --- a/src/lib/i18n/locales/vi-VN/translation.json +++ b/src/lib/i18n/locales/vi-VN/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", + "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Các cuộc trò chuyện của {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Yêu cầu Backend", "*Prompt node ID(s) are required for image generation": "*ID nút Prompt là bắt buộc để tạo ảnh", "1 Source": "", + "A collaboration channel where people join as members": "", + "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Một phiên bản mới (v{{LATEST_VERSION}}) đã có sẵn.", + "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Mô hình tác vụ được sử dụng khi thực hiện các tác vụ như tạo tiêu đề cho cuộc trò chuyện và truy vấn tìm kiếm trên web", "a user": "người sử dụng", "About": "Giới thiệu", @@ -53,7 +57,8 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Thêm tệp", - "Add Group": "Thêm Nhóm", + "Add Member": "", + "Add Members": "", "Add Memory": "Thêm bộ nhớ", "Add Model": "Thêm model", "Add Reaction": "Thêm phản ứng", @@ -252,6 +257,7 @@ "Citations": "", "Clear memory": "Xóa bộ nhớ", "Clear Memory": "Xóa Bộ nhớ", + "Clear status": "", "click here": "nhấn vào đây", "Click here for filter guides.": "Nhấn vào đây để xem hướng dẫn về bộ lọc.", "Click here for help.": "Bấm vào đây để được trợ giúp.", @@ -288,6 +294,7 @@ "Code Interpreter": "Trình thông dịch Mã", "Code Interpreter Engine": "Engine Trình thông dịch Mã", "Code Interpreter Prompt Template": "Mẫu Prompt Trình thông dịch Mã", + "Collaboration channel where people join as members": "", "Collapse": "Thu gọn", "Collection": "Tổng hợp mọi tài liệu", "Color": "Màu sắc", @@ -447,6 +454,7 @@ "Discover, download, and explore custom prompts": "Tìm kiếm, tải về và khám phá thêm các prompt tùy chỉnh", "Discover, download, and explore custom tools": "Tìm kiếm, tải về và khám phá thêm các tool tùy chỉnh", "Discover, download, and explore model presets": "Tìm kiếm, tải về và khám phá thêm các model presets", + "Discussion channel where access is based on groups and permissions": "", "Display": "Hiển thị", "Display chat title in tab": "", "Display Emoji in Call": "Hiển thị Emoji trong cuộc gọi", @@ -485,12 +493,15 @@ "e.g. \"json\" or a JSON schema": "ví dụ: \"json\" hoặc một lược đồ JSON", "e.g. 60": "vd: 60", "e.g. A filter to remove profanity from text": "vd: Bộ lọc để loại bỏ từ ngữ tục tĩu khỏi văn bản", + "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "vd: Bộ lọc của tôi", "e.g. My Tools": "vd: Công cụ của tôi", "e.g. my_filter": "vd: bo_loc_cua_toi", "e.g. my_tools": "vd: cong_cu_cua_toi", "e.g. pdf, docx, txt": "", + "e.g. Tell me a fun fact": "", + "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "vd: Các công cụ để thực hiện các hoạt động khác nhau", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -689,7 +700,6 @@ "Export Config to JSON File": "Xuất Cấu hình ra Tệp JSON", "Export Models": "", "Export Presets": "Xuất các Preset", - "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Xuất ra CSV", "Export Tools": "", @@ -704,6 +714,8 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Không thể thêm tệp.", + "Failed to add members": "", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Không thể kết nối đến máy chủ công cụ OpenAPI {{URL}}", "Failed to copy link": "", "Failed to create API Key.": "Lỗi khởi tạo API Key", @@ -717,12 +729,14 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Không thể đọc nội dung clipboard", + "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Không thể lưu các kết nối", "Failed to save conversation": "Không thể lưu cuộc trò chuyện", "Failed to save models configuration": "Không thể lưu cấu hình mô hình", "Failed to update settings": "Lỗi khi cập nhật các cài đặt", + "Failed to update status": "", "Failed to upload file.": "Không thể tải lên tệp.", "Features": "Tính năng", "Features Permissions": "Quyền Tính năng", @@ -816,11 +830,13 @@ "Google PSE Engine Id": "ID công cụ Google PSE", "Gravatar": "", "Group": "Nhóm", + "Group Channel": "", "Group created successfully": "Đã tạo nhóm thành công", "Group deleted successfully": "Đã xóa nhóm thành công", "Group Description": "Mô tả Nhóm", "Group Name": "Tên Nhóm", "Group updated successfully": "Đã cập nhật nhóm thành công", + "groups": "", "Groups": "Nhóm", "H1": "", "H2": "", @@ -875,7 +891,6 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Nhập các Preset", - "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1011,6 +1026,9 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", + "Member removed successfully": "", + "Members": "", + "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memory có thể truy cập bởi LLMs sẽ hiển thị ở đây.", "Memory": "Memory", "Memory added successfully": "Memory đã được thêm thành công", @@ -1158,6 +1176,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Chỉ ký tự số và gạch nối được phép trong chuỗi lệnh.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Chỉ có thể chỉnh sửa bộ sưu tập, tạo cơ sở kiến thức mới để chỉnh sửa/thêm tài liệu.", + "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Chỉ người dùng và nhóm được chọn có quyền mới có thể truy cập", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Rất tiếc! URL dường như không hợp lệ. Vui lòng kiểm tra lại và thử lại.", @@ -1263,9 +1282,9 @@ "Previous 7 days": "7 ngày trước", "Previous message": "", "Private": "Riêng tư", + "Private conversation between selected users": "", "Profile": "Hồ sơ", "Prompt": "Prompt", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ví dụ: Hãy kể cho tôi một sự thật thú vị về Đế chế La Mã)", "Prompt Autocompletion": "Tự động hoàn thành Prompt", "Prompt Content": "Nội dung prompt", "Prompt created successfully": "Đã tạo prompt thành công", @@ -1450,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Đặt số lượng luồng công nhân được sử dụng để tính toán. Tùy chọn này kiểm soát số lượng luồng được sử dụng để xử lý đồng thời các yêu cầu đến. Tăng giá trị này có thể cải thiện hiệu suất dưới tải công việc đồng thời cao nhưng cũng có thể tiêu thụ nhiều tài nguyên CPU hơn.", "Set Voice": "Đặt Giọng nói", "Set whisper model": "Đặt mô hình whisper", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Đặt một thiên vị phẳng chống lại các token đã xuất hiện ít nhất một lần. Giá trị cao hơn (ví dụ: 1.5) sẽ phạt sự lặp lại mạnh hơn, trong khi giá trị thấp hơn (ví dụ: 0.9) sẽ khoan dung hơn. Tại 0, nó bị vô hiệu hóa.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Đặt một thiên vị tỷ lệ chống lại các token để phạt sự lặp lại, dựa trên số lần chúng đã xuất hiện. Giá trị cao hơn (ví dụ: 1.5) sẽ phạt sự lặp lại mạnh hơn, trong khi giá trị thấp hơn (ví dụ: 0.9) sẽ khoan dung hơn. Tại 0, nó bị vô hiệu hóa.", "Sets how far back for the model to look back to prevent repetition.": "Đặt khoảng cách mà mô hình nhìn lại để ngăn chặn sự lặp lại.", @@ -1502,6 +1522,9 @@ "Start a new conversation": "", "Start of the channel": "Đầu kênh", "Start Tag": "", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1517,7 +1540,7 @@ "STT Model": "Mô hình STT", "STT Settings": "Cài đặt Nhận dạng Giọng nói", "Stylized PDF Export": "", - "Subtitle (e.g. about the Roman Empire)": "Phụ đề (ví dụ: về Đế chế La Mã)", + "Subtitle": "", "Success": "Thành công", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Đã cập nhật thành công.", @@ -1600,7 +1623,6 @@ "Tika Server URL required.": "Bắt buộc phải nhập URL cho Tika Server ", "Tiktoken": "Tiktoken", "Title": "Tiêu đề", - "Title (e.g. Tell me a fun fact)": "Tiêu đề (ví dụ: Hãy kể cho tôi một sự thật thú vị về...)", "Title Auto-Generation": "Tự động Tạo Tiêu đề", "Title cannot be an empty string.": "Tiêu đề không được phép bỏ trống", "Title Generation": "Tạo Tiêu đề", @@ -1669,6 +1691,7 @@ "Update and Copy Link": "Cập nhật và sao chép link", "Update for the latest features and improvements.": "Cập nhật để có các tính năng và cải tiến mới nhất.", "Update password": "Cập nhật mật khẩu", + "Update your status": "", "Updated": "Đã cập nhật", "Updated at": "Cập nhật lúc", "Updated At": "Cập nhật lúc", @@ -1722,6 +1745,7 @@ "View Replies": "Xem các Trả lời", "View Result from **{{NAME}}**": "Xem Kết quả từ **{{NAME}}**", "Visibility": "Hiển thị", + "Visible to all users": "", "Vision": "", "Voice": "Giọng nói", "Voice Input": "Nhập liệu bằng Giọng nói", @@ -1749,6 +1773,7 @@ "What are you trying to achieve?": "Bạn đang cố gắng đạt được điều gì?", "What are you working on?": "Bạn đang làm gì vậy?", "What's New in": "Thông tin mới về", + "What's on your mind?": "", "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.": "Khi được bật, mô hình sẽ phản hồi từng tin nhắn trò chuyện trong thời gian thực, tạo ra phản hồi ngay khi người dùng gửi tin nhắn. Chế độ này hữu ích cho các ứng dụng trò chuyện trực tiếp, nhưng có thể ảnh hưởng đến hiệu suất trên phần cứng chậm hơn.", "wherever you are": "bất cứ nơi nào bạn đang ở", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json index 360c81260d..c6a9ca929b 100644 --- a/src/lib/i18n/locales/zh-CN/translation.json +++ b/src/lib/i18n/locales/zh-CN/translation.json @@ -257,6 +257,7 @@ "Citations": "引用", "Clear memory": "清除记忆", "Clear Memory": "清除记忆", + "Clear status": "", "click here": "点击此处", "Click here for filter guides.": "点击此处查看筛选指南", "Click here for help.": "点击此处获取帮助", @@ -714,6 +715,7 @@ "Fade Effect for Streaming Text": "流式输出内容时启用动态渐显效果", "Failed to add file.": "添加文件失败", "Failed to add members": "添加成员失败", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "连接到 {{URL}} OpenAPI 工具服务器失败", "Failed to copy link": "复制链接失败", "Failed to create API Key.": "创建接口密钥失败", @@ -734,6 +736,7 @@ "Failed to save conversation": "保存对话失败", "Failed to save models configuration": "保存模型配置失败", "Failed to update settings": "更新设置失败", + "Failed to update status": "", "Failed to upload file.": "上传文件失败", "Features": "功能", "Features Permissions": "功能权限", @@ -1466,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "设置用于计算的工作线程数量。该选项可控制并发处理传入请求的线程数量。增加该值可以提高高并发工作负载下的性能,但也可能消耗更多的 CPU 资源。", "Set Voice": "设置音色", "Set whisper model": "设置 whisper 模型", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "对至少出现过一次的标记设置固定偏置值。较高的值(例如 1.5)表示严厉惩罚重复,而较低的值(例如 0.9)则表示相对宽松。当值为 0 时,此功能将被禁用。", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "根据标记出现的次数,设置缩放偏置值惩罚重复。较高的值(例如 1.5)表示严厉惩罚重复,而较低的值(例如 0.9)则表示相对宽松。当值为 0 时,此功能将被禁用。", "Sets how far back for the model to look back to prevent repetition.": "设置模型回溯的范围,以防止重复。", @@ -1518,6 +1522,9 @@ "Start a new conversation": "开始新对话", "Start of the channel": "频道起点", "Start Tag": "起始标签", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "显示实时回答状态", "STDOUT/STDERR": "标准输出/标准错误", "Steps": "迭代步数", @@ -1684,6 +1691,7 @@ "Update and Copy Link": "更新和复制链接", "Update for the latest features and improvements.": "更新以获取最新功能与优化", "Update password": "更新密码", + "Update your status": "", "Updated": "已更新", "Updated at": "更新于", "Updated At": "更新于", @@ -1765,6 +1773,7 @@ "What are you trying to achieve?": "您想要达到什么目标?", "What are you working on?": "您在忙于什么?", "What's New in": "最近更新内容于", + "What's on your mind?": "", "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": "纵使身在远方,亦与世界同频", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "是否对输出内容进行分页。每页之间将用水平分隔线和页码隔开。默认为关闭", diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json index 2a1e6174a6..afac843d90 100644 --- a/src/lib/i18n/locales/zh-TW/translation.json +++ b/src/lib/i18n/locales/zh-TW/translation.json @@ -257,6 +257,7 @@ "Citations": "引用", "Clear memory": "清除記憶", "Clear Memory": "清除記憶", + "Clear status": "", "click here": "點選此處", "Click here for filter guides.": "點選此處檢視篩選器指南。", "Click here for help.": "點選此處取得協助。", @@ -714,6 +715,7 @@ "Fade Effect for Streaming Text": "串流文字淡入效果", "Failed to add file.": "新增檔案失敗。", "Failed to add members": "新增成員失敗", + "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "無法連線至 {{URL}} OpenAPI 工具伺服器", "Failed to copy link": "複製連結失敗", "Failed to create API Key.": "建立 API 金鑰失敗。", @@ -734,6 +736,7 @@ "Failed to save conversation": "儲存對話失敗", "Failed to save models configuration": "儲存模型設定失敗", "Failed to update settings": "更新設定失敗", + "Failed to update status": "", "Failed to upload file.": "上傳檔案失敗。", "Features": "功能", "Features Permissions": "功能權限", @@ -1466,6 +1469,7 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "設定用於計算的工作執行緒數量。此選項控制使用多少執行緒來同時處理傳入的請求。增加此值可以在高併發工作負載下提升效能,但也可能消耗更多 CPU 資源。", "Set Voice": "設定語音", "Set whisper model": "設定 whisper 模型", + "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "對至少出現過一次的 token 設定統一的偏差值。較高的值(例如:1.5)會更強烈地懲罰重複,而較低的值(例如:0.9)會更寬容。設為 0 時,此功能將停用。", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "根據 token 出現的次數,設定一個縮放偏差值來懲罰重複。較高的值(例如:1.5)會更強烈地懲罰重複,而較低的值(例如:0.9)會更寬容。設為 0 時,此功能將停用。", "Sets how far back for the model to look back to prevent repetition.": "設定模型要回溯多遠來防止重複。", @@ -1518,6 +1522,9 @@ "Start a new conversation": "開始新對話", "Start of the channel": "頻道起點", "Start Tag": "起始標籤", + "Status": "", + "Status cleared successfully": "", + "Status updated successfully": "", "Status Updates": "顯示實時回答狀態", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "迭代步數", @@ -1684,6 +1691,7 @@ "Update and Copy Link": "更新並複製連結", "Update for the latest features and improvements.": "更新以獲得最新功能和改進。", "Update password": "更新密碼", + "Update your status": "", "Updated": "已更新", "Updated at": "更新於", "Updated At": "更新於", @@ -1765,6 +1773,7 @@ "What are you trying to achieve?": "您正在試圖完成什麼?", "What are you working on?": "您現在的工作是什麼?", "What's New in": "新功能", + "What's on your mind?": "", "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": "無論您在何處", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "是否啟用輸出分頁功能,每頁會以水平線與頁碼分隔。預設為 False。", From ab10e84f9656c4d4a0b02992a8a7d19ef8aede19 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Mon, 1 Dec 2025 20:34:37 +0200 Subject: [PATCH 11/13] Revert "update translations" This reverts commit 606ab164bad665dfa8f6f0ec31b87e3ca014c7ce. --- src/lib/i18n/locales/ar-BH/translation.json | 37 ++--------- src/lib/i18n/locales/ar/translation.json | 37 ++--------- src/lib/i18n/locales/bg-BG/translation.json | 37 ++--------- src/lib/i18n/locales/bn-BD/translation.json | 37 ++--------- src/lib/i18n/locales/bo-TB/translation.json | 37 ++--------- src/lib/i18n/locales/bs-BA/translation.json | 37 ++--------- src/lib/i18n/locales/ca-ES/translation.json | 37 ++--------- src/lib/i18n/locales/ceb-PH/translation.json | 37 ++--------- src/lib/i18n/locales/cs-CZ/translation.json | 37 ++--------- src/lib/i18n/locales/da-DK/translation.json | 37 ++--------- src/lib/i18n/locales/de-DE/translation.json | 37 ++--------- src/lib/i18n/locales/dg-DG/translation.json | 37 ++--------- src/lib/i18n/locales/el-GR/translation.json | 37 ++--------- src/lib/i18n/locales/en-GB/translation.json | 37 ++--------- src/lib/i18n/locales/en-US/translation.json | 37 ++--------- src/lib/i18n/locales/es-ES/translation.json | 37 ++--------- src/lib/i18n/locales/et-EE/translation.json | 37 ++--------- src/lib/i18n/locales/eu-ES/translation.json | 37 ++--------- src/lib/i18n/locales/fa-IR/translation.json | 37 ++--------- src/lib/i18n/locales/fi-FI/translation.json | 37 ++--------- src/lib/i18n/locales/fr-CA/translation.json | 37 ++--------- src/lib/i18n/locales/fr-FR/translation.json | 37 ++--------- src/lib/i18n/locales/gl-ES/translation.json | 37 ++--------- src/lib/i18n/locales/he-IL/translation.json | 37 ++--------- src/lib/i18n/locales/hi-IN/translation.json | 37 ++--------- src/lib/i18n/locales/hr-HR/translation.json | 37 ++--------- src/lib/i18n/locales/hu-HU/translation.json | 37 ++--------- src/lib/i18n/locales/id-ID/translation.json | 37 ++--------- src/lib/i18n/locales/ie-GA/translation.json | 37 ++--------- src/lib/i18n/locales/it-IT/translation.json | 37 ++--------- src/lib/i18n/locales/ja-JP/translation.json | 37 ++--------- src/lib/i18n/locales/ka-GE/translation.json | 37 ++--------- src/lib/i18n/locales/kab-DZ/translation.json | 37 ++--------- src/lib/i18n/locales/ko-KR/translation.json | 37 ++--------- src/lib/i18n/locales/lt-LT/translation.json | 37 ++--------- src/lib/i18n/locales/ms-MY/translation.json | 37 ++--------- src/lib/i18n/locales/nb-NO/translation.json | 37 ++--------- src/lib/i18n/locales/nl-NL/translation.json | 37 ++--------- src/lib/i18n/locales/pa-IN/translation.json | 37 ++--------- src/lib/i18n/locales/pl-PL/translation.json | 37 ++--------- src/lib/i18n/locales/pt-BR/translation.json | 61 +++++++++---------- src/lib/i18n/locales/pt-PT/translation.json | 37 ++--------- src/lib/i18n/locales/ro-RO/translation.json | 37 ++--------- src/lib/i18n/locales/ru-RU/translation.json | 37 ++--------- src/lib/i18n/locales/sk-SK/translation.json | 37 ++--------- src/lib/i18n/locales/sr-RS/translation.json | 37 ++--------- src/lib/i18n/locales/sv-SE/translation.json | 37 ++--------- src/lib/i18n/locales/th-TH/translation.json | 37 ++--------- src/lib/i18n/locales/tk-TM/translation.json | 37 ++--------- src/lib/i18n/locales/tr-TR/translation.json | 37 ++--------- src/lib/i18n/locales/ug-CN/translation.json | 37 ++--------- src/lib/i18n/locales/uk-UA/translation.json | 37 ++--------- src/lib/i18n/locales/ur-PK/translation.json | 37 ++--------- .../i18n/locales/uz-Cyrl-UZ/translation.json | 37 ++--------- .../i18n/locales/uz-Latn-Uz/translation.json | 37 ++--------- src/lib/i18n/locales/vi-VN/translation.json | 37 ++--------- src/lib/i18n/locales/zh-CN/translation.json | 9 --- src/lib/i18n/locales/zh-TW/translation.json | 9 --- 58 files changed, 360 insertions(+), 1754 deletions(-) diff --git a/src/lib/i18n/locales/ar-BH/translation.json b/src/lib/i18n/locales/ar-BH/translation.json index 22b8cbe2e0..bc54f07290 100644 --- a/src/lib/i18n/locales/ar-BH/translation.json +++ b/src/lib/i18n/locales/ar-BH/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "دردشات {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} مطلوب", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "يتم استخدام نموذج المهمة عند تنفيذ مهام مثل إنشاء عناوين للدردشات واستعلامات بحث الويب", "a user": "مستخدم", "About": "عن", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "إضافة ملفات", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "إضافة ذكرايات", "Add Model": "اضافة موديل", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "أضغط هنا للمساعدة", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "مجموعة", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "اكتشاف وتنزيل واستكشاف المطالبات المخصصة", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "اكتشاف وتنزيل واستكشاف الإعدادات المسبقة للنموذج", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "فشل في إنشاء مفتاح API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "فشل في حفظ المحادثة", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "معرف محرك PSE من Google", "Gravatar": "", "Group": "مجموعة", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "سيتم عرض الذكريات التي يمكن الوصول إليها بواسطة LLMs هنا.", "Memory": "الذاكرة", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "أخر 7 أيام", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "الملف الشخصي", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "موجه (على سبيل المثال: أخبرني بحقيقة ممتعة عن الإمبراطورية الرومانية)", "Prompt Autocompletion": "", "Prompt Content": "محتوى عاجل", "Prompt created successfully": "", @@ -1474,7 +1455,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "ضبط الصوت", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1527,9 +1507,6 @@ "Start a new conversation": "", "Start of the channel": "بداية القناة", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1545,7 +1522,7 @@ "STT Model": "", "STT Settings": "STT اعدادات", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "(e.g. about the Roman Empire) الترجمة", "Success": "نجاح", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "تم التحديث بنجاح", @@ -1628,6 +1605,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "العنوان", + "Title (e.g. Tell me a fun fact)": "(e.g. Tell me a fun fact) العناون", "Title Auto-Generation": "توليد تلقائي للعنوان", "Title cannot be an empty string.": "العنوان مطلوب", "Title Generation": "", @@ -1696,7 +1674,6 @@ "Update and Copy Link": "تحديث ونسخ الرابط", "Update for the latest features and improvements.": "", "Update password": "تحديث كلمة المرور", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1750,7 +1727,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1778,7 +1754,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "ما هو الجديد", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ar/translation.json b/src/lib/i18n/locales/ar/translation.json index 0d41e39eec..271a54a327 100644 --- a/src/lib/i18n/locales/ar/translation.json +++ b/src/lib/i18n/locales/ar/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "محادثات المستخدم {{user}}", "{{webUIName}} Backend Required": "يتطلب الخلفية الخاصة بـ {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*معرّف/معرّفات عقدة الموجه مطلوبة لتوليد الصور", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "يتوفر الآن إصدار جديد (v{{LATEST_VERSION}}).", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "يُستخدم نموذج المهام عند تنفيذ مهام مثل توليد عناوين المحادثات واستعلامات البحث على الويب", "a user": "مستخدم", "About": "حول", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "إضافة ملفات", - "Add Member": "", - "Add Members": "", + "Add Group": "إضافة مجموعة", "Add Memory": "إضافة ذاكرة", "Add Model": "إضافة نموذج", "Add Reaction": "إضافة تفاعل", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "مسح الذاكرة", "Clear Memory": "مسح الذاكرة", - "Clear status": "", "click here": "انقر هنا", "Click here for filter guides.": "انقر هنا للحصول على أدلة الفلاتر.", "Click here for help.": "انقر هنا للمساعدة.", @@ -294,7 +288,6 @@ "Code Interpreter": "مفسر الشيفرة", "Code Interpreter Engine": "محرك مفسر الشيفرة", "Code Interpreter Prompt Template": "قالب موجه مفسر الشيفرة", - "Collaboration channel where people join as members": "", "Collapse": "طي", "Collection": "المجموعة", "Color": "اللون", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "اكتشاف وتنزيل واستكشاف المطالبات المخصصة", "Discover, download, and explore custom tools": "اكتشف، حمّل، واستعرض الأدوات المخصصة", "Discover, download, and explore model presets": "اكتشاف وتنزيل واستكشاف الإعدادات المسبقة للنموذج", - "Discussion channel where access is based on groups and permissions": "", "Display": "العرض", "Display chat title in tab": "", "Display Emoji in Call": "عرض الرموز التعبيرية أثناء المكالمة", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "مثال: 60", "e.g. A filter to remove profanity from text": "مثال: مرشح لإزالة الألفاظ النابية من النص", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "مثال: مرشحي", "e.g. My Tools": "مثال: أدواتي", "e.g. my_filter": "مثال: my_filter", "e.g. my_tools": "مثال: my_tools", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "مثال: أدوات لتنفيذ عمليات متنوعة", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "تصدير الإعدادات إلى ملف JSON", "Export Models": "", "Export Presets": "تصدير الإعدادات المسبقة", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "تصدير إلى CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "فشل في إضافة الملف.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "فشل في إنشاء مفتاح API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "فشل في حفظ المحادثة", "Failed to save models configuration": "فشل في حفظ إعدادات النماذج", "Failed to update settings": "فشل في تحديث الإعدادات", - "Failed to update status": "", "Failed to upload file.": "فشل في رفع الملف.", "Features": "الميزات", "Features Permissions": "أذونات الميزات", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "معرف محرك PSE من Google", "Gravatar": "", "Group": "مجموعة", - "Group Channel": "", "Group created successfully": "تم إنشاء المجموعة بنجاح", "Group deleted successfully": "تم حذف المجموعة بنجاح", "Group Description": "وصف المجموعة", "Group Name": "اسم المجموعة", "Group updated successfully": "تم تحديث المجموعة بنجاح", - "groups": "", "Groups": "المجموعات", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "استيراد الإعدادات المسبقة", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "سيتم عرض الذكريات التي يمكن الوصول إليها بواسطة LLMs هنا.", "Memory": "الذاكرة", "Memory added successfully": "تم إضافة الذاكرة بنجاح", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "يُسمح فقط بالأحرف الأبجدية الرقمية والواصلات في سلسلة الأمر.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "يمكن تعديل المجموعات فقط، أنشئ قاعدة معرفة جديدة لتعديل أو إضافة مستندات.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "يمكن الوصول فقط من قبل المستخدمين والمجموعات المصرح لهم", "Oops! Looks like the URL is invalid. Please double-check and try again.": "خطاء! يبدو أن عنوان URL غير صالح. يرجى التحقق مرة أخرى والمحاولة مرة أخرى.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "أخر 7 أيام", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "الملف الشخصي", "Prompt": "التوجيه", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "موجه (على سبيل المثال: أخبرني بحقيقة ممتعة عن الإمبراطورية الرومانية)", "Prompt Autocompletion": "", "Prompt Content": "محتوى عاجل", "Prompt created successfully": "تم إنشاء التوجيه بنجاح", @@ -1474,7 +1455,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "تحديد عدد سلاسل المعالجة المستخدمة في الحساب. هذا الخيار يتحكم في عدد السلاسل لمعالجة الطلبات بالتوازي. زيادته يحسن الأداء تحت الضغط العالي لكنه يستهلك موارد المعالج.", "Set Voice": "ضبط الصوت", "Set whisper model": "تعيين نموذج Whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "تعيين انحياز ثابت ضد الرموز التي ظهرت مرة واحدة على الأقل. القيم الأعلى (مثل 1.5) تعاقب التكرار بقوة، والأقل (مثل 0.9) تكون أكثر تساهلًا. عند 0 يتم تعطيله.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "يحدد انحيازًا متدرجًا ضد الرموز لمعاقبة التكرار حسب عدد مرات الظهور. القيم الأعلى (1.5) تعاقب أكثر، والأقل (0.9) تكون أكثر تساهلًا. عند 0 يتم تعطيله.", "Sets how far back for the model to look back to prevent repetition.": "يحدد مدى رجوع النموذج إلى الوراء لتجنب التكرار.", @@ -1527,9 +1507,6 @@ "Start a new conversation": "", "Start of the channel": "بداية القناة", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1545,7 +1522,7 @@ "STT Model": "نموذج تحويل الصوت إلى نص (STT)", "STT Settings": "STT اعدادات", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "(e.g. about the Roman Empire) الترجمة", "Success": "نجاح", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "تم التحديث بنجاح", @@ -1628,6 +1605,7 @@ "Tika Server URL required.": "عنوان خادم Tika مطلوب.", "Tiktoken": "Tiktoken", "Title": "العنوان", + "Title (e.g. Tell me a fun fact)": "(e.g. Tell me a fun fact) العناون", "Title Auto-Generation": "توليد تلقائي للعنوان", "Title cannot be an empty string.": "العنوان مطلوب", "Title Generation": "توليد العنوان", @@ -1696,7 +1674,6 @@ "Update and Copy Link": "تحديث ونسخ الرابط", "Update for the latest features and improvements.": "حدّث للحصول على أحدث الميزات والتحسينات.", "Update password": "تحديث كلمة المرور", - "Update your status": "", "Updated": "تم التحديث", "Updated at": "تم التحديث في", "Updated At": "تم التحديث في", @@ -1750,7 +1727,6 @@ "View Replies": "عرض الردود", "View Result from **{{NAME}}**": "", "Visibility": "مستوى الظهور", - "Visible to all users": "", "Vision": "", "Voice": "الصوت", "Voice Input": "إدخال صوتي", @@ -1778,7 +1754,6 @@ "What are you trying to achieve?": "ما الذي تحاول تحقيقه؟", "What are you working on?": "على ماذا تعمل؟", "What's New in": "ما هو الجديد", - "What's on your mind?": "", "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": "أينما كنت", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/bg-BG/translation.json b/src/lib/i18n/locales/bg-BG/translation.json index 74e6903c51..740b0884e5 100644 --- a/src/lib/i18n/locales/bg-BG/translation.json +++ b/src/lib/i18n/locales/bg-BG/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'s чатове", "{{webUIName}} Backend Required": "{{webUIName}} Изисква се Бекенд", "*Prompt node ID(s) are required for image generation": "*Идентификатор(ите) на възел-а се изисква(т) за генериране на изображения", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Вече е налична нова версия (v{{LATEST_VERSION}}).", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Моделът на задачите се използва при изпълнението на задачите като генериране на заглавия за чатове и заявки за търсене в мрежата", "a user": "потребител", "About": "Относно", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Добавяне на Файлове", - "Add Member": "", - "Add Members": "", + "Add Group": "Добавяне на група", "Add Memory": "Добавяне на Памет", "Add Model": "Добавяне на Модел", "Add Reaction": "Добавяне на реакция", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Изчистване на паметта", "Clear Memory": "", - "Clear status": "", "click here": "натиснете тук", "Click here for filter guides.": "Натиснете тук за ръководства за филтриране.", "Click here for help.": "Натиснете тук за помощ.", @@ -294,7 +288,6 @@ "Code Interpreter": "Интерпретатор на код", "Code Interpreter Engine": "Двигател на интерпретатора на кода", "Code Interpreter Prompt Template": "Шаблон за промпт на интерпретатора на кода", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Колекция", "Color": "Цвят", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Откриване, сваляне и преглед на персонализирани промптове", "Discover, download, and explore custom tools": "Открийте, изтеглете и разгледайте персонализирани инструменти", "Discover, download, and explore model presets": "Откриване, сваляне и преглед на пресетове на модели", - "Discussion channel where access is based on groups and permissions": "", "Display": "Показване", "Display chat title in tab": "", "Display Emoji in Call": "Показване на емотикони в обаждането", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "напр. Филтър за премахване на нецензурни думи от текста", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "напр. Моят филтър", "e.g. My Tools": "напр. Моите инструменти", "e.g. my_filter": "напр. моят_филтър", "e.g. my_tools": "напр. моите_инструменти", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "напр. Инструменти за извършване на различни операции", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Експортиране на конфигурацията в JSON файл", "Export Models": "", "Export Presets": "Експортиране на предварителни настройки", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Експортиране в CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Неуспешно добавяне на файл.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Неуспешно създаване на API ключ.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Грешка при четене на съдържанието от клипборда", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Неуспешно запазване на разговора", "Failed to save models configuration": "Неуспешно запазване на конфигурацията на моделите", "Failed to update settings": "Неуспешно актуализиране на настройките", - "Failed to update status": "", "Failed to upload file.": "Неуспешно качване на файл.", "Features": "Функции", "Features Permissions": "Разрешения за функции", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Идентификатор на двигателя на Google PSE", "Gravatar": "", "Group": "Група", - "Group Channel": "", "Group created successfully": "Групата е създадена успешно", "Group deleted successfully": "Групата е изтрита успешно", "Group Description": "Описание на групата", "Group Name": "Име на групата", "Group updated successfully": "Групата е актуализирана успешно", - "groups": "", "Groups": "Групи", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Импортиране на предварителни настройки", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Мемории достъпни от LLMs ще бъдат показани тук.", "Memory": "Памет", "Memory added successfully": "Паметта е добавена успешно", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерични знаци и тире са разрешени в командния низ.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Само колекциите могат да бъдат редактирани, създайте нова база от знания, за да редактирате/добавяте документи.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Само избрани потребители и групи с разрешение могат да имат достъп", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изглежда URL адресът е невалиден. Моля, проверете отново и опитайте пак.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Предишните 7 дни", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Профил", "Prompt": "Промпт", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (напр. Кажи ми забавен факт за Римската империя)", "Prompt Autocompletion": "", "Prompt Content": "Съдържание на промпта", "Prompt created successfully": "Промптът е създаден успешно", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Задайте броя работни нишки, използвани за изчисления. Тази опция контролира колко нишки се използват за едновременна обработка на входящи заявки. Увеличаването на тази стойност може да подобри производителността при високи натоварвания с паралелизъм, но може също така да консумира повече ресурси на CPU.", "Set Voice": "Задай Глас", "Set whisper model": "Задай модел на шепот", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Начало на канала", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT Модел", "STT Settings": "STT Настройки", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Подтитул (напр. за Римска империя)", "Success": "Успех", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Успешно обновено.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Изисква се URL адрес на Тика сървъра.", "Tiktoken": "Tiktoken", "Title": "Заглавие", + "Title (e.g. Tell me a fun fact)": "Заглавие (напр. Кажете ми нещо забавно)", "Title Auto-Generation": "Автоматично генериране на заглавие", "Title cannot be an empty string.": "Заглавието не може да бъде празно.", "Title Generation": "Генериране на заглавие", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Обнови и копирай връзката", "Update for the latest features and improvements.": "Актуализирайте за най-новите функции и подобрения.", "Update password": "Обновяване на парола", - "Update your status": "", "Updated": "Актуализирано", "Updated at": "Актуализирано на", "Updated At": "Актуализирано на", @@ -1746,7 +1723,6 @@ "View Replies": "Преглед на отговорите", "View Result from **{{NAME}}**": "", "Visibility": "Видимост", - "Visible to all users": "", "Vision": "", "Voice": "Глас", "Voice Input": "Гласов вход", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Какво се опитвате да постигнете?", "What are you working on?": "Върху какво работите?", "What's New in": "Какво е ново в", - "What's on your mind?": "", "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": "където и да сте", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/bn-BD/translation.json b/src/lib/i18n/locales/bn-BD/translation.json index 73c50e438b..a1057bcd82 100644 --- a/src/lib/i18n/locales/bn-BD/translation.json +++ b/src/lib/i18n/locales/bn-BD/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}র চ্যাটস", "{{webUIName}} Backend Required": "{{webUIName}} ব্যাকএন্ড আবশ্যক", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "চ্যাট এবং ওয়েব অনুসন্ধান প্রশ্নের জন্য শিরোনাম তৈরি করার মতো কাজগুলি সম্পাদন করার সময় একটি টাস্ক মডেল ব্যবহার করা হয়", "a user": "একজন ব্যাবহারকারী", "About": "সম্পর্কে", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "ফাইল যোগ করুন", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "মেমোরি যোগ করুন", "Add Model": "মডেল যোগ করুন", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "সাহায্যের জন্য এখানে ক্লিক করুন", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "সংগ্রহ", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "কাস্টম প্রম্পটগুলো আবিস্কার, ডাউনলোড এবং এক্সপ্লোর করুন", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "মডেল প্রিসেটগুলো আবিস্কার, ডাউনলোড এবং এক্সপ্লোর করুন", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "API Key তৈরি করা যায়নি।", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "ক্লিপবোর্ডের বিষয়বস্তু পড়া সম্ভব হয়নি", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "কথোপকথন সংরক্ষণ করতে ব্যর্থ", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "গুগল পিএসই ইঞ্জিন আইডি", "Gravatar": "", "Group": "গ্রুপ", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMs দ্বারা অ্যাক্সেসযোগ্য মেমোরিগুলি এখানে দেখানো হবে।", "Memory": "মেমোরি", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "কমান্ড স্ট্রিং-এ শুধুমাত্র ইংরেজি অক্ষর, সংখ্যা এবং হাইফেন ব্যবহার করা যাবে।", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ওহ, মনে হচ্ছে ইউআরএলটা ইনভ্যালিড। দয়া করে আর চেক করে চেষ্টা করুন।", @@ -1282,9 +1263,9 @@ "Previous 7 days": "পূর্ব ৭ দিন", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "প্রোফাইল", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "প্রম্প্ট (উদাহরণস্বরূপ, আমি রোমান ইমপার্টের সম্পর্কে একটি উপস্থিতি জানতে বল)", "Prompt Autocompletion": "", "Prompt Content": "প্রম্পট কন্টেন্ট", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "কন্ঠস্বর নির্ধারণ করুন", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "চ্যানেলের শুরু", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "", "STT Settings": "STT সেটিংস", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "সাবটাইটল (রোমান ইম্পার্টের সম্পর্কে)", "Success": "সফল", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "সফলভাবে আপডেট হয়েছে", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "শিরোনাম", + "Title (e.g. Tell me a fun fact)": "শিরোনাম (একটি উপস্থিতি বিবরণ জানান)", "Title Auto-Generation": "স্বয়ংক্রিয় শিরোনামগঠন", "Title cannot be an empty string.": "শিরোনাম অবশ্যই একটি পাশাপাশি শব্দ হতে হবে।", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "আপডেট এবং লিংক কপি করুন", "Update for the latest features and improvements.": "", "Update password": "পাসওয়ার্ড আপডেট করুন", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "এতে নতুন কী", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/bo-TB/translation.json b/src/lib/i18n/locales/bo-TB/translation.json index 30edae0469..ff0485145d 100644 --- a/src/lib/i18n/locales/bo-TB/translation.json +++ b/src/lib/i18n/locales/bo-TB/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} ཡི་ཁ་བརྡ།", "{{webUIName}} Backend Required": "{{webUIName}} རྒྱབ་སྣེ་དགོས།", "*Prompt node ID(s) are required for image generation": "*པར་བཟོའི་ཆེད་དུ་འགུལ་སློང་མདུད་ཚེག་གི་ ID(s) དགོས།", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "པར་གཞི་གསར་པ། (v{{LATEST_VERSION}}) ད་ལྟ་ཡོད།", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "ལས་ཀའི་དཔེ་དབྱིབས་ནི་ཁ་བརྡའི་ཁ་བྱང་བཟོ་བ་དང་དྲ་བའི་འཚོལ་བཤེར་འདྲི་བ་ལྟ་བུའི་ལས་འགན་སྒྲུབ་སྐབས་སྤྱོད་ཀྱི་ཡོད།", "a user": "བེད་སྤྱོད་མཁན་ཞིག", "About": "སྐོར་ལོ།", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "ཡིག་ཆ་སྣོན་པ།", - "Add Member": "", - "Add Members": "", + "Add Group": "ཚོགས་པ་སྣོན་པ།", "Add Memory": "དྲན་ཤེས་སྣོན་པ།", "Add Model": "དཔེ་དབྱིབས་སྣོན་པ།", "Add Reaction": "ཡ་ལན་སྣོན་པ།", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "དྲན་ཤེས་གཙང་སེལ།", "Clear Memory": "དྲན་ཤེས་གཙང་སེལ།", - "Clear status": "", "click here": "འདིར་མནན་པ།", "Click here for filter guides.": "འཚག་མ་ལམ་སྟོན་གྱི་ཆེད་དུ་འདིར་མནན་པ།", "Click here for help.": "རོགས་རམ་ཆེད་དུ་འདིར་མནན་པ།", @@ -294,7 +288,6 @@ "Code Interpreter": "ཀོཌ་འགྲེལ་བཤད།", "Code Interpreter Engine": "ཀོཌ་འགྲེལ་བཤད་འཕྲུལ་འཁོར།", "Code Interpreter Prompt Template": "ཀོཌ་འགྲེལ་བཤད་འགུལ་སློང་མ་དཔེ།", - "Collaboration channel where people join as members": "", "Collapse": "བསྐུམ་པ།", "Collection": "བསྡུ་གསོག", "Color": "ཚོན་མདོག", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "སྲོལ་བཟོས་འགུལ་སློང་རྙེད་པ། ཕབ་ལེན་བྱེད་པ། དང་བརྟག་ཞིབ་བྱེད་པ།", "Discover, download, and explore custom tools": "སྲོལ་བཟོས་ལག་ཆ་རྙེད་པ། ཕབ་ལེན་བྱེད་པ། དང་བརྟག་ཞིབ་བྱེད་པ།", "Discover, download, and explore model presets": "དཔེ་དབྱིབས་སྔོན་སྒྲིག་རྙེད་པ། ཕབ་ལེན་བྱེད་པ། དང་བརྟག་ཞིབ་བྱེད་པ།", - "Discussion channel where access is based on groups and permissions": "", "Display": "འཆར་སྟོན།", "Display chat title in tab": "", "Display Emoji in Call": "སྐད་འབོད་ནང་ Emoji འཆར་སྟོན་བྱེད་པ།", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "དཔེར་ན། \"json\" ཡང་ན་ JSON གི་ schema", "e.g. 60": "དཔེར་ན། ༦༠", "e.g. A filter to remove profanity from text": "དཔེར་ན། ཡིག་རྐྱང་ནས་ཚིག་རྩུབ་འདོར་བྱེད་ཀྱི་འཚག་མ།", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "དཔེར་ན། ངའི་འཚག་མ།", "e.g. My Tools": "དཔེར་ན། ངའི་ལག་ཆ།", "e.g. my_filter": "དཔེར་ན། my_filter", "e.g. my_tools": "དཔེར་ན། my_tools", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "དཔེར་ན། ལས་ཀ་སྣ་ཚོགས་སྒྲུབ་བྱེད་ཀྱི་ལག་ཆ།", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "སྒྲིག་འགོད་ JSON ཡིག་ཆར་ཕྱིར་གཏོང་།", "Export Models": "", "Export Presets": "སྔོན་སྒྲིག་ཕྱིར་གཏོང་།", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "CSV ལ་ཕྱིར་གཏོང་།", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "ཡིག་ཆ་སྣོན་པར་མ་ཐུབ།", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI ལག་ཆའི་སར་བར་ལ་སྦྲེལ་མཐུད་བྱེད་མ་ཐུབ།", "Failed to copy link": "", "Failed to create API Key.": "API ལྡེ་མིག་བཟོ་མ་ཐུབ།", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "སྦྱར་སྡེར་གྱི་ནང་དོན་ཀློག་མ་ཐུབ།", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "གླེང་མོལ་ཉར་ཚགས་བྱེད་མ་ཐུབ།", "Failed to save models configuration": "དཔེ་དབྱིབས་སྒྲིག་འགོད་ཉར་ཚགས་བྱེད་མ་ཐུབ།", "Failed to update settings": "སྒྲིག་འགོད་གསར་སྒྱུར་བྱེད་མ་ཐུབ།", - "Failed to update status": "", "Failed to upload file.": "ཡིག་ཆ་སྤར་མ་ཐུབ།", "Features": "ཁྱད་ཆོས།", "Features Permissions": "ཁྱད་ཆོས་ཀྱི་དབང་ཚད།", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE Engine Id", "Gravatar": "", "Group": "ཚོགས་པ།", - "Group Channel": "", "Group created successfully": "ཚོགས་པ་ལེགས་པར་བཟོས་ཟིན།", "Group deleted successfully": "ཚོགས་པ་ལེགས་པར་བསུབས་ཟིན།", "Group Description": "ཚོགས་པའི་འགྲེལ་བཤད།", "Group Name": "ཚོགས་པའི་མིང་།", "Group updated successfully": "ཚོགས་པ་ལེགས་པར་གསར་སྒྱུར་བྱས་ཟིན།", - "groups": "", "Groups": "ཚོགས་པ།", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "སྔོན་སྒྲིག་ནང་འདྲེན།", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMs ཀྱིས་འཛུལ་སྤྱོད་ཐུབ་པའི་དྲན་ཤེས་དག་འདིར་སྟོན་ངེས།", "Memory": "དྲན་ཤེས།", "Memory added successfully": "དྲན་ཤེས་ལེགས་པར་བསྣན་ཟིན།", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "བཀའ་བརྡའི་ཡིག་ཕྲེང་ནང་ཨང་ཀི་དང་དབྱིན་ཡིག་གི་ཡིག་འབྲུ་དང་སྦྲེལ་རྟགས་ཁོ་ན་ཆོག་པ།", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "བསྡུ་གསོག་ཁོ་ན་ཞུ་དག་བྱེད་ཐུབ། ཡིག་ཆ་ཞུ་དག་/སྣོན་པར་ཤེས་བྱའི་རྟེན་གཞི་གསར་པ་ཞིག་བཟོ་བ།", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "དབང་ཚད་ཡོད་པའི་བེད་སྤྱོད་མཁན་དང་ཚོགས་པ་གདམ་ག་བྱས་པ་ཁོ་ན་འཛུལ་སྤྱོད་ཐུབ།", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ཨོའོ། URL དེ་ནུས་མེད་ཡིན་པ་འདྲ། ཡང་བསྐྱར་ཞིབ་དཔྱད་བྱས་ནས་ཚོད་ལྟ་བྱེད་རོགས།", @@ -1282,9 +1263,9 @@ "Previous 7 days": "ཉིན་ ༧ སྔོན་མ།", "Previous message": "", "Private": "སྒེར།", - "Private conversation between selected users": "", "Profile": "སྤྱི་ཐག", "Prompt": "འགུལ་སློང་།", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "འགུལ་སློང་ (དཔེར་ན། རོམ་མའི་གོང་མའི་རྒྱལ་ཁབ་སྐོར་གྱི་དགོད་བྲོ་བའི་དོན་དངོས་ཤིག་ང་ལ་ཤོད་པ།)", "Prompt Autocompletion": "འགུལ་སློང་རང་འཚང་།", "Prompt Content": "འགུལ་སློང་ནང་དོན།", "Prompt created successfully": "འགུལ་སློང་ལེགས་པར་བཟོས་ཟིན།", @@ -1469,7 +1450,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "རྩིས་རྒྱག་ལ་བེད་སྤྱོད་གཏོང་བའི་ལས་ཀའི་སྐུད་གྲངས་འཇོག་པ། འདེམས་ཀ་འདིས་ནང་ཡོང་རེ་ཞུ་དུས་མཉམ་དུ་སྒྲུབ་པར་སྐུད་གྲངས་ག་ཚོད་བེད་སྤྱོད་གཏོང་དགོས་ཚོད་འཛིན་བྱེད། རིན་ཐང་འདི་མང་དུ་བཏང་ན་མཉམ་ལས་མཐོ་བའི་ལས་འགན་འོག་ལས་ཆོད་ལེགས་སུ་གཏོང་ཐུབ། འོན་ཀྱང་དེས་ CPU ཡི་ཐོན་ཁུངས་མང་བ་ཟ་སྲིད།", "Set Voice": "སྐད་འཇོག་པ།", "Set whisper model": "whisper དཔེ་དབྱིབས་འཇོག་པ།", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ཉུང་མཐར་ཐེངས་གཅིག་བྱུང་བའི་ཊོཀ་ཀེན་ལ་ངོས་མཉམ་ཕྱོགས་ཞེན་ཞིག་འཇོག་པ། རིན་ཐང་མཐོ་བ་ (དཔེར་ན། 1.5) ཡིས་བསྐྱར་ཟློས་ལ་ཆད་པ་དྲག་པོ་གཏོང་ངེས། དེ་བཞིན་དུ་རིན་ཐང་དམའ་བ་ (དཔེར་ན། 0.9) ཡིས་གུ་ཡངས་ཆེ་བ་ཡོང་ངེས། 0 ལ་སླེབས་དུས། དེ་ནུས་མེད་བཏང་ཡོད།", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ཊོཀ་ཀེན་དེ་ཐེངས་ག་ཚོད་བྱུང་ཡོད་པར་གཞིགས་ནས་བསྐྱར་ཟློས་ལ་ཆད་པ་གཏོང་བར་ཊོཀ་ཀེན་ལ་ཆེ་ཆུང་འཇོག་པའི་ཕྱོགས་ཞེན་ཞིག་འཇོག་པ། རིན་ཐང་མཐོ་བ་ (དཔེར་ན། 1.5) ཡིས་བསྐྱར་ཟློས་ལ་ཆད་པ་དྲག་པོ་གཏོང་ངེས། དེ་བཞིན་དུ་རིན་ཐང་དམའ་བ་ (དཔེར་ན། 0.9) ཡིས་གུ་ཡངས་ཆེ་བ་ཡོང་ངེས། 0 ལ་སླེབས་དུས། དེ་ནུས་མེད་བཏང་ཡོད།", "Sets how far back for the model to look back to prevent repetition.": "བསྐྱར་ཟློས་སྔོན་འགོག་བྱེད་པའི་ཆེད་དུ་དཔེ་དབྱིབས་ཀྱིས་ཕྱིར་ག་ཚོད་ལྟ་དགོས་འཇོག་པ།", @@ -1522,9 +1502,6 @@ "Start a new conversation": "", "Start of the channel": "རྒྱས་ལམ་འགོ་རིམ་", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1540,7 +1517,7 @@ "STT Model": "STT དཔེ་དབྱིབས།", "STT Settings": "STT སྒྲིག་འགོད།", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "ཁ་བྱང་ཕལ་པ། (དཔེར་ན། རོམ་མའི་གོང་མའི་རྒྱལ་ཁབ་སྐོར།)", "Success": "ལེགས་འགྲུབ།", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "ལེགས་པར་གསར་སྒྱུར་བྱས།", @@ -1623,6 +1600,7 @@ "Tika Server URL required.": "Tika Server URL དགོས་ངེས།", "Tiktoken": "Tiktoken", "Title": "ཁ་བྱང་།", + "Title (e.g. Tell me a fun fact)": "ཁ་བྱང་ (དཔེར་ན། དགོད་བྲོ་བའི་དོན་དངོས་ཤིག་ང་ལ་ཤོད།)", "Title Auto-Generation": "ཁ་བྱང་རང་འགུལ་བཟོ་སྐྲུན།", "Title cannot be an empty string.": "ཁ་བྱང་ཡིག་ཕྲེང་སྟོང་པ་ཡིན་མི་ཆོག", "Title Generation": "ཁ་བྱང་བཟོ་སྐྲུན།", @@ -1691,7 +1669,6 @@ "Update and Copy Link": "གསར་སྒྱུར་དང་སྦྲེལ་ཐག་འདྲ་བཤུས།", "Update for the latest features and improvements.": "ཁྱད་ཆོས་དང་ལེགས་བཅོས་གསར་ཤོས་ཀྱི་ཆེད་དུ་གསར་སྒྱུར་བྱེད་པ།", "Update password": "གསང་གྲངས་གསར་སྒྱུར།", - "Update your status": "", "Updated": "གསར་སྒྱུར་བྱས།", "Updated at": "གསར་སྒྱུར་བྱེད་དུས།", "Updated At": "གསར་སྒྱུར་བྱེད་དུས།", @@ -1745,7 +1722,6 @@ "View Replies": "ལན་ལྟ་བ།", "View Result from **{{NAME}}**": "", "Visibility": "མཐོང་ཐུབ་རང་བཞིན།", - "Visible to all users": "", "Vision": "", "Voice": "སྐད།", "Voice Input": "སྐད་ཀྱི་ནང་འཇུག", @@ -1773,7 +1749,6 @@ "What are you trying to achieve?": "ཁྱེད་ཀྱིས་ཅི་ཞིག་འགྲུབ་ཐབས་བྱེད་བཞིན་ཡོད།", "What are you working on?": "ཁྱེད་ཀྱིས་ཅི་ཞིག་ལས་ཀ་བྱེད་བཞིན་ཡོད།", "What's New in": "གསར་པ་ཅི་ཡོད།", - "What's on your mind?": "", "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": "ཁྱེད་གང་དུ་ཡོད་ཀྱང་།", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/bs-BA/translation.json b/src/lib/i18n/locales/bs-BA/translation.json index 5e30bfd9ae..e4376a519b 100644 --- a/src/lib/i18n/locales/bs-BA/translation.json +++ b/src/lib/i18n/locales/bs-BA/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Razgovori korisnika {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Backend je potreban", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model zadatka koristi se pri izvođenju zadataka kao što su generiranje naslova za razgovore i upite za pretraživanje weba", "a user": "korisnik", "About": "O aplikaciji", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Dodaj datoteke", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "Dodaj memoriju", "Add Model": "Dodaj model", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Očisti memoriju", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Kliknite ovdje za pomoć.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolekcija", "Color": "Boja", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Otkrijte, preuzmite i istražite prilagođene prompte", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Otkrijte, preuzmite i istražite unaprijed postavljene modele", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Neuspješno stvaranje API ključa.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Neuspješno spremanje razgovora", "Failed to save models configuration": "", "Failed to update settings": "Greška kod ažuriranja postavki", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID Google PSE modula", "Gravatar": "", "Group": "Grupa", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Ovdje će biti prikazana memorija kojoj mogu pristupiti LLM-ovi.", "Memory": "Memorija", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Prethodnih 7 dana", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (npr. Reci mi zanimljivost o Rimskom carstvu)", "Prompt Autocompletion": "", "Prompt Content": "Sadržaj prompta", "Prompt created successfully": "", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Postavi glas", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "Početak kanala", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "STT model", "STT Settings": "STT postavke", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Podnaslov (npr. o Rimskom carstvu)", "Success": "Uspjeh", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Uspješno ažurirano.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Naslov", + "Title (e.g. Tell me a fun fact)": "Naslov (npr. Reci mi zanimljivost)", "Title Auto-Generation": "Automatsko generiranje naslova", "Title cannot be an empty string.": "Naslov ne može biti prazni niz.", "Title Generation": "", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Ažuriraj i kopiraj vezu", "Update for the latest features and improvements.": "", "Update password": "Ažuriraj lozinku", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1747,7 +1724,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Što je novo u", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ca-ES/translation.json b/src/lib/i18n/locales/ca-ES/translation.json index 817864a37b..ee897efb5d 100644 --- a/src/lib/i18n/locales/ca-ES/translation.json +++ b/src/lib/i18n/locales/ca-ES/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} paraules", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} a les {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "La descàrrega del model {{model}} s'ha cancel·lat", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Els xats de {{user}}", "{{webUIName}} Backend Required": "El Backend de {{webUIName}} és necessari", "*Prompt node ID(s) are required for image generation": "*Els identificadors de nodes d'indicacions són necessaris per a la generació d'imatges", "1 Source": "1 font", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Hi ha una nova versió disponible (v{{LATEST_VERSION}}).", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un model de tasca s'utilitza quan es realitzen tasques com ara generar títols per a xats i consultes de cerca per a la web", "a user": "un usuari", "About": "Sobre", @@ -57,8 +53,7 @@ "Add Custom Prompt": "Afegir indicació personalitzada", "Add Details": "Afegir detalls", "Add Files": "Afegir arxius", - "Add Member": "", - "Add Members": "", + "Add Group": "Afegir grup", "Add Memory": "Afegir memòria", "Add Model": "Afegir un model", "Add Reaction": "Afegir reacció", @@ -257,7 +252,6 @@ "Citations": "Cites", "Clear memory": "Esborrar la memòria", "Clear Memory": "Esborrar la memòria", - "Clear status": "", "click here": "prem aquí", "Click here for filter guides.": "Clica aquí per l'ajuda dels filtres.", "Click here for help.": "Clica aquí per obtenir ajuda.", @@ -294,7 +288,6 @@ "Code Interpreter": "Intèrpret de codi", "Code Interpreter Engine": "Motor de l'intèrpret de codi", "Code Interpreter Prompt Template": "Plantilla de la indicació de l'intèrpret de codi", - "Collaboration channel where people join as members": "", "Collapse": "Col·lapsar", "Collection": "Col·lecció", "Color": "Color", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Descobrir, descarregar i explorar indicacions personalitzades", "Discover, download, and explore custom tools": "Descobrir, descarregar i explorar eines personalitzades", "Discover, download, and explore model presets": "Descobrir, descarregar i explorar models preconfigurats", - "Discussion channel where access is based on groups and permissions": "", "Display": "Mostrar", "Display chat title in tab": "Mostrar el títol del xat a la pestanya", "Display Emoji in Call": "Mostrar emojis a la trucada", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "p. ex. \"json\" o un esquema JSON", "e.g. 60": "p. ex. 60", "e.g. A filter to remove profanity from text": "p. ex. Un filtre per eliminar paraules malsonants del text", - "e.g. about the Roman Empire": "", "e.g. en": "p. ex. en", "e.g. My Filter": "p. ex. El meu filtre", "e.g. My Tools": "p. ex. Les meves eines", "e.g. my_filter": "p. ex. els_meus_filtres", "e.g. my_tools": "p. ex. les_meves_eines", "e.g. pdf, docx, txt": "p. ex. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "p. ex. Eines per dur a terme operacions", "e.g., 3, 4, 5 (leave blank for default)": "p. ex. 3, 4, 5 (deixa-ho en blanc per utilitzar el per defecte)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "p. ex. audio/wav,audio/mpeg,video/* (deixa-ho en blanc per utilitzar el per defecte)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exportar la configuració a un arxiu JSON", "Export Models": "Exportar els models", "Export Presets": "Exportar les configuracions", + "Export Prompt Suggestions": "Exportar els suggeriments d'indicació", "Export Prompts": "Exportar les indicacions", "Export to CSV": "Exportar a CSV", "Export Tools": "Exportar les eines", @@ -714,8 +704,6 @@ "External Web Search URL": "URL d'External Web Search", "Fade Effect for Streaming Text": "Efecte de fos a negre per al text en streaming", "Failed to add file.": "No s'ha pogut afegir l'arxiu.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "No s'ha pogut connecta al servidor d'eines OpenAPI {{URL}}", "Failed to copy link": "No s'ha pogut copiar l'enllaç", "Failed to create API Key.": "No s'ha pogut crear la clau API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "No s'ha pogut carregar el contingut del fitxer", "Failed to move chat": "No s'ha pogut moure el xat", "Failed to read clipboard contents": "No s'ha pogut llegir el contingut del porta-retalls", - "Failed to remove member": "", "Failed to render diagram": "No s'ha pogut renderitzar el diagrama", "Failed to render visualization": "No s'ha pogut renderitzar la visualització", "Failed to save connections": "No s'han pogut desar les connexions", "Failed to save conversation": "No s'ha pogut desar la conversa", "Failed to save models configuration": "No s'ha pogut desar la configuració dels models", "Failed to update settings": "No s'han pogut actualitzar les preferències", - "Failed to update status": "", "Failed to upload file.": "No s'ha pogut pujar l'arxiu.", "Features": "Característiques", "Features Permissions": "Permisos de les característiques", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Identificador del motor PSE de Google", "Gravatar": "Gravatar", "Group": "Grup", - "Group Channel": "", "Group created successfully": "El grup s'ha creat correctament", "Group deleted successfully": "El grup s'ha eliminat correctament", "Group Description": "Descripció del grup", "Group Name": "Nom del grup", "Group updated successfully": "Grup actualitzat correctament", - "groups": "", "Groups": "Grups", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "Importar models", "Import Notes": "Importar nota", "Import Presets": "Importar configuracions", + "Import Prompt Suggestions": "Importar suggeriments d'indicacions", "Import Prompts": "Importar indicacions", "Import successful": "Importació correcta", "Import Tools": "Importar eines", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El suport per a MCP és experimental i la seva especificació canvia sovint, cosa que pot provocar incompatibilitats. El suport per a l'especificació d'OpenAPI el manté directament l'equip d'Open WebUI, cosa que el converteix en l'opció més fiable per a la compatibilitat.", "Medium": "Mig", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Les memòries accessibles pels models de llenguatge es mostraran aquí.", "Memory": "Memòria", "Memory added successfully": "Memòria afegida correctament", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Només es permeten caràcters alfanumèrics i guions en la comanda.", "Only can be triggered when the chat input is in focus.": "Només es pot activar quan l'entrada del xat està en focus.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Només es poden editar col·leccions, crea una nova base de coneixement per editar/afegir documents.", - "Only invited users can access": "", "Only markdown files are allowed": "Només es permeten arxius markdown", "Only select users and groups with permission can access": "Només hi poden accedir usuaris i grups seleccionats amb permís", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! Sembla que la URL no és vàlida. Si us plau, revisa-la i torna-ho a provar.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 dies anteriors", "Previous message": "Missatge anterior", "Private": "Privat", - "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "Indicació", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Indicació (p. ex. Digues-me quelcom divertit sobre l'Imperi Romà)", "Prompt Autocompletion": "Completar automàticament la indicació", "Prompt Content": "Contingut de la indicació", "Prompt created successfully": "Indicació creada correctament", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Establir el nombre de fils de treball utilitzats per al càlcul. Aquesta opció controla quants fils s'utilitzen per processar les sol·licituds entrants simultàniament. Augmentar aquest valor pot millorar el rendiment amb càrregues de treball de concurrència elevada, però també pot consumir més recursos de CPU.", "Set Voice": "Establir la veu", "Set whisper model": "Establir el model whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Estableix un biaix pla contra tokens que han aparegut almenys una vegada. Un valor més alt (p. ex., 1,5) penalitzarà les repeticions amb més força, mentre que un valor més baix (p. ex., 0,9) serà més indulgent. A 0, està desactivat.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Estableix un biaix d'escala contra tokens per penalitzar les repeticions, en funció de quantes vegades han aparegut. Un valor més alt (p. ex., 1,5) penalitzarà les repeticions amb més força, mentre que un valor més baix (p. ex., 0,9) serà més indulgent. A 0, està desactivat.", "Sets how far back for the model to look back to prevent repetition.": "Estableix fins a quin punt el model mira enrere per evitar la repetició.", @@ -1524,9 +1504,6 @@ "Start a new conversation": "Iniciar una nova conversa", "Start of the channel": "Inici del canal", "Start Tag": "Etiqueta d'inici", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Estat de les actualitzacions", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Passos", @@ -1542,7 +1519,7 @@ "STT Model": "Model SST", "STT Settings": "Preferències de STT", "Stylized PDF Export": "Exportació en PDF estilitzat", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtítol (per exemple, sobre l'Imperi Romà)", "Success": "Èxit", "Successfully imported {{userCount}} users.": "S'han importat correctament {{userCount}} usuaris.", "Successfully updated.": "Actualitzat correctament.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "La URL del servidor Tika és obligatòria.", "Tiktoken": "Tiktoken", "Title": "Títol", + "Title (e.g. Tell me a fun fact)": "Títol (p. ex. Digues-me quelcom divertit)", "Title Auto-Generation": "Generació automàtica de títol", "Title cannot be an empty string.": "El títol no pot ser una cadena buida.", "Title Generation": "Generació de títols", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Actualitzar i copiar l'enllaç", "Update for the latest features and improvements.": "Actualitza per a les darreres característiques i millores.", "Update password": "Actualitzar la contrasenya", - "Update your status": "", "Updated": "Actualitzat", "Updated at": "Actualitzat el", "Updated At": "Actualitzat el", @@ -1747,7 +1724,6 @@ "View Replies": "Veure les respostes", "View Result from **{{NAME}}**": "Veure el resultat de **{{NAME}}**", "Visibility": "Visibilitat", - "Visible to all users": "", "Vision": "Visió", "Voice": "Veu", "Voice Input": "Entrada de veu", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "Què intentes aconseguir?", "What are you working on?": "En què estàs treballant?", "What's New in": "Què hi ha de nou a", - "What's on your mind?": "", "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.": "Quan està activat, el model respondrà a cada missatge de xat en temps real, generant una resposta tan bon punt l'usuari envia un missatge. Aquest mode és útil per a aplicacions de xat en directe, però pot afectar el rendiment en maquinari més lent.", "wherever you are": "allà on estiguis", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Si es pagina la sortida. Cada pàgina estarà separada per una regla horitzontal i un número de pàgina. Per defecte és Fals.", diff --git a/src/lib/i18n/locales/ceb-PH/translation.json b/src/lib/i18n/locales/ceb-PH/translation.json index ebbb18609b..3c38a63729 100644 --- a/src/lib/i18n/locales/ceb-PH/translation.json +++ b/src/lib/i18n/locales/ceb-PH/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "", "{{webUIName}} Backend Required": "Backend {{webUIName}} gikinahanglan", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "", "a user": "usa ka user", "About": "Mahitungod sa", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Idugang ang mga file", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "", "Add Model": "", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "I-klik dinhi alang sa tabang.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Koleksyon", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Pagdiskubre, pag-download ug pagsuhid sa mga naandan nga pag-aghat", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Pagdiskobre, pag-download, ug pagsuhid sa mga preset sa template", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Napakyas sa pagbasa sa sulod sa clipboard", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Napakyas sa pagtipig sa panag-istorya", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "Grupo", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Ang alphanumeric nga mga karakter ug hyphen lang ang gitugotan sa command string.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! ", @@ -1282,9 +1263,9 @@ "Previous 7 days": "", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "Ang sulod sa prompt", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Ibutang ang tingog", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Sinugdan sa channel", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "", "STT Settings": "Mga setting sa STT", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "", "Success": "Kalampusan", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Malampuson nga na-update.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Titulo", + "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "Awtomatikong paghimo sa titulo", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "I-update ang password", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Unsay bag-o sa", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/cs-CZ/translation.json b/src/lib/i18n/locales/cs-CZ/translation.json index 3196a39c3f..d061281742 100644 --- a/src/lib/i18n/locales/cs-CZ/translation.json +++ b/src/lib/i18n/locales/cs-CZ/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} slov", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "Stažení modelu {{model}} bylo zrušeno", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Konverzace uživatele {{user}}", "{{webUIName}} Backend Required": "Je vyžadován backend {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*Pro generování obrázků jsou vyžadována ID uzlů instrukce", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Nová verze (v{{LATEST_VERSION}}) je nyní k dispozici.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model pro úkoly se používá při provádění úkolů, jako je generování názvů pro konverzace a vyhledávací dotazy na webu.", "a user": "uživatel", "About": "O aplikaci", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "Přidat podrobnosti", "Add Files": "Přidat soubory", - "Add Member": "", - "Add Members": "", + "Add Group": "Přidat skupinu", "Add Memory": "Přidat vzpomínku", "Add Model": "Přidat model", "Add Reaction": "Přidat reakci", @@ -257,7 +252,6 @@ "Citations": "Citace", "Clear memory": "Vymazat paměť", "Clear Memory": "Vymazat paměť", - "Clear status": "", "click here": "klikněte zde", "Click here for filter guides.": "Klikněte zde pro průvodce filtry.", "Click here for help.": "Klikněte zde pro nápovědu.", @@ -294,7 +288,6 @@ "Code Interpreter": "Interpret kódu", "Code Interpreter Engine": "Jádro interpretu kódu", "Code Interpreter Prompt Template": "Šablona instrukce pro interpret kódu", - "Collaboration channel where people join as members": "", "Collapse": "Sbalit", "Collection": "Kolekce", "Color": "Barva", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Objevujte, stahujte a prozkoumávejte vlastní instrukce", "Discover, download, and explore custom tools": "Objevujte, stahujte a prozkoumávejte vlastní nástroje", "Discover, download, and explore model presets": "Objevujte, stahujte a prozkoumávejte přednastavení modelů", - "Discussion channel where access is based on groups and permissions": "", "Display": "Zobrazení", "Display chat title in tab": "", "Display Emoji in Call": "Zobrazit emoji při hovoru", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "např. \"json\" nebo JSON schéma", "e.g. 60": "např. 60", "e.g. A filter to remove profanity from text": "např. Filtr pro odstranění vulgarismů z textu", - "e.g. about the Roman Empire": "", "e.g. en": "např. cs", "e.g. My Filter": "např. Můj filtr", "e.g. My Tools": "např. Moje nástroje", "e.g. my_filter": "např. muj_filtr", "e.g. my_tools": "např. moje_nastroje", "e.g. pdf, docx, txt": "např. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "např. Nástroje pro provádění různých operací", "e.g., 3, 4, 5 (leave blank for default)": "např. 3, 4, 5 (pro výchozí ponechte prázdné)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "např. audio/wav,audio/mpeg,video/* (pro výchozí ponechte prázdné)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exportovat konfiguraci do souboru JSON", "Export Models": "", "Export Presets": "Exportovat předvolby", + "Export Prompt Suggestions": "Exportovat návrhy instrukcí", "Export Prompts": "", "Export to CSV": "Exportovat do CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "URL pro externí webové vyhledávání", "Fade Effect for Streaming Text": "Efekt prolínání pro streamovaný text", "Failed to add file.": "Nepodařilo se přidat soubor.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Nepodařilo se připojit k serveru nástrojů OpenAPI {{URL}}", "Failed to copy link": "Nepodařilo se zkopírovat odkaz", "Failed to create API Key.": "Nepodařilo se vytvořit API klíč.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Nepodařilo se načíst obsah souboru.", "Failed to move chat": "", "Failed to read clipboard contents": "Nepodařilo se přečíst obsah schránky", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Nepodařilo se uložit připojení", "Failed to save conversation": "Nepodařilo se uložit konverzaci", "Failed to save models configuration": "Nepodařilo se uložit konfiguraci modelů", "Failed to update settings": "Nepodařilo se aktualizovat nastavení", - "Failed to update status": "", "Failed to upload file.": "Nepodařilo se nahrát soubor.", "Features": "Funkce", "Features Permissions": "Oprávnění funkcí", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID jádra Google PSE", "Gravatar": "", "Group": "Skupina", - "Group Channel": "", "Group created successfully": "Skupina byla úspěšně vytvořena", "Group deleted successfully": "Skupina byla úspěšně smazána", "Group Description": "Popis skupiny", "Group Name": "Název skupiny", "Group updated successfully": "Skupina byla úspěšně aktualizována", - "groups": "", "Groups": "Skupiny", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Importovat poznámky", "Import Presets": "Importovat předvolby", + "Import Prompt Suggestions": "Importovat návrhy instrukcí", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "Střední", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Zde se zobrazí vzpomínky přístupné pro LLM.", "Memory": "Paměť", "Memory added successfully": "Vzpomínka byla úspěšně přidána.", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "V řetězci příkazu jsou povoleny pouze alfanumerické znaky a pomlčky.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Lze upravovat pouze kolekce, pro úpravu/přidání dokumentů vytvořte novou znalostní bázi.", - "Only invited users can access": "", "Only markdown files are allowed": "Jsou povoleny pouze soubory markdown", "Only select users and groups with permission can access": "Přístup mají pouze vybraní uživatelé a skupiny s oprávněním", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Jejda! Zdá se, že URL adresa je neplatná. Zkontrolujte ji prosím a zkuste to znovu.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Posledních 7 dní", "Previous message": "Předchozí zpráva", "Private": "Soukromé", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Instrukce", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Instrukce (např. Řekni mi zajímavost o Římské říši)", "Prompt Autocompletion": "Automatické doplňování instrukcí", "Prompt Content": "Obsah instrukce", "Prompt created successfully": "Pokyn byl úspěšně vytvořen", @@ -1472,7 +1453,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Nastavte počet pracovních vláken použitých pro výpočty. Tato možnost řídí, kolik vláken se používá ke souběžnému zpracování příchozích požadavků. Zvýšení této hodnoty může zlepšit výkon při vysokém souběžném zatížení, ale může také spotřebovat více prostředků CPU.", "Set Voice": "Nastavit hlas", "Set whisper model": "Nastavit model Whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Nastaví plošnou penalizaci proti tokenům, které se objevily alespoň jednou. Vyšší hodnota (např. 1,5) bude opakování penalizovat silněji, zatímco nižší hodnota (např. 0,9) bude mírnější. Při hodnotě 0 je funkce vypnuta.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Nastaví škálovací penalizaci proti tokenům pro penalizaci opakování na základě toho, kolikrát se objevily. Vyšší hodnota (např. 1,5) bude opakování penalizovat silněji, zatímco nižší hodnota (např. 0,9) bude mírnější. Při hodnotě 0 je funkce vypnuta.", "Sets how far back for the model to look back to prevent repetition.": "Nastavuje, jak daleko zpět se má model dívat, aby se zabránilo opakování.", @@ -1525,9 +1505,6 @@ "Start a new conversation": "", "Start of the channel": "Začátek kanálu", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Aktualizace stavu", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1543,7 +1520,7 @@ "STT Model": "Model STT", "STT Settings": "Nastavení STT", "Stylized PDF Export": "Stylizovaný export do PDF", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Podtitulek (např. o Římské říši)", "Success": "Úspěch", "Successfully imported {{userCount}} users.": "Úspěšně importováno {{userCount}} uživatelů.", "Successfully updated.": "Úspěšně aktualizováno.", @@ -1626,6 +1603,7 @@ "Tika Server URL required.": "Je vyžadována URL serveru Tika.", "Tiktoken": "Tiktoken", "Title": "Název", + "Title (e.g. Tell me a fun fact)": "Název (např. Řekni mi zajímavost)", "Title Auto-Generation": "Automatické generování názvu", "Title cannot be an empty string.": "Název nemůže být prázdný řetězec.", "Title Generation": "Generování názvu", @@ -1694,7 +1672,6 @@ "Update and Copy Link": "Aktualizovat a zkopírovat odkaz", "Update for the latest features and improvements.": "Aktualizujte pro nejnovější funkce a vylepšení.", "Update password": "Aktualizovat heslo", - "Update your status": "", "Updated": "Aktualizováno", "Updated at": "Aktualizováno", "Updated At": "Aktualizováno", @@ -1748,7 +1725,6 @@ "View Replies": "Zobrazit odpovědi", "View Result from **{{NAME}}**": "Zobrazit výsledek z **{{NAME}}**", "Visibility": "Viditelnost", - "Visible to all users": "", "Vision": "Zpracovávání obrazu", "Voice": "Hlas", "Voice Input": "Hlasový vstup", @@ -1776,7 +1752,6 @@ "What are you trying to achieve?": "Čeho se snažíte dosáhnout?", "What are you working on?": "Na čem pracujete?", "What's New in": "Co je nového v", - "What's on your mind?": "", "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.": "Když je povoleno, model bude odpovídat na každou zprávu v konverzaci v reálném čase a generovat odpověď, jakmile uživatel odešle zprávu. Tento režim je užitečný pro aplikace s živou konverzací, ale může ovlivnit výkon na pomalejším hardwaru.", "wherever you are": "ať jste kdekoli", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Zda stránkovat výstup. Každá stránka bude oddělena vodorovnou čarou a číslem stránky. Výchozí hodnota je False.", diff --git a/src/lib/i18n/locales/da-DK/translation.json b/src/lib/i18n/locales/da-DK/translation.json index d4a1bc0995..db216ddca6 100644 --- a/src/lib/i18n/locales/da-DK/translation.json +++ b/src/lib/i18n/locales/da-DK/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} ord", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} klokken {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Download af {{model}} er blevet annulleret", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}s chats", "{{webUIName}} Backend Required": "{{webUIName}} Backend kræves", "*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) er påkrævet for at kunne generere billeder", "1 Source": "1 kilde", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "En ny version (v{{LATEST_VERSION}}) er nu tilgængelig.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "En 'task model' bliver brugt til at opgaver såsom at generere overskrifter til chats eller internetsøgninger", "a user": "en bruger", "About": "Information", @@ -57,8 +53,7 @@ "Add Custom Prompt": "Tilføj brugerdefineret prompt", "Add Details": "Tilføj detaljer", "Add Files": "Tilføj filer", - "Add Member": "", - "Add Members": "", + "Add Group": "Tilføj gruppe", "Add Memory": "Tilføj hukommelse", "Add Model": "Tilføj model", "Add Reaction": "Tilføj reaktion", @@ -257,7 +252,6 @@ "Citations": "Citater", "Clear memory": "Slet hukommelse", "Clear Memory": "Slet hukommelse", - "Clear status": "", "click here": "klik her", "Click here for filter guides.": "Klik her for filter guider", "Click here for help.": "Klik her for hjælp", @@ -294,7 +288,6 @@ "Code Interpreter": "Kode interpreter", "Code Interpreter Engine": "Kode interpreter engine", "Code Interpreter Prompt Template": "Kode interpreter prompt template", - "Collaboration channel where people join as members": "", "Collapse": "Kollapse", "Collection": "Samling", "Color": "Farve", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Find, download og udforsk unikke prompts", "Discover, download, and explore custom tools": "Find, download og udforsk unikke værktøjer", "Discover, download, and explore model presets": "Find, download og udforsk modelindstillinger", - "Discussion channel where access is based on groups and permissions": "", "Display": "Vis", "Display chat title in tab": "Vis chattitel i fane", "Display Emoji in Call": "Vis emoji i chat", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "f.eks. \"json\" eller en JSON schema", "e.g. 60": "f.eks. 60", "e.g. A filter to remove profanity from text": "f.eks. Et filter til at fjerne upassende ord fra tekst", - "e.g. about the Roman Empire": "", "e.g. en": "f.eks. en", "e.g. My Filter": "f.eks. Mit Filter", "e.g. My Tools": "f.eks. Mine Værktøjer", "e.g. my_filter": "f.eks. mit_filter", "e.g. my_tools": "f.eks. mine_værktøjer", "e.g. pdf, docx, txt": "f.eks. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "f.eks. Værktøjer til at udføre forskellige operationer", "e.g., 3, 4, 5 (leave blank for default)": "f.eks. 3, 4, 5 (lad være tom for standard)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "f.eks. audio/wav,audio/mpeg,video/* (lad være tom for standarder)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Eksportér konfiguration til JSON-fil", "Export Models": "", "Export Presets": "Eksportér indstillinger", + "Export Prompt Suggestions": "Eksportér prompt-forslag", "Export Prompts": "", "Export to CSV": "Eksportér til CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "Ekstern Web Search URL", "Fade Effect for Streaming Text": "Fade-effekt for streaming tekst", "Failed to add file.": "Kunne ikke tilføje fil.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Kunne ikke forbinde til {{URL}} OpenAPI tool server", "Failed to copy link": "Kunne ikke kopiere link", "Failed to create API Key.": "Kunne ikke oprette API-nøgle.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Kunne ikke indlæse filindhold.", "Failed to move chat": "Kunne ikke flytte chat", "Failed to read clipboard contents": "Kunne ikke læse indholdet af udklipsholderen", - "Failed to remove member": "", "Failed to render diagram": "Kunne ikke rendere diagram", "Failed to render visualization": "Kunne ikke rendere visualisering", "Failed to save connections": "Kunne ikke gemme forbindelser", "Failed to save conversation": "Kunne ikke gemme samtalen", "Failed to save models configuration": "Kunne ikke gemme modeller konfiguration", "Failed to update settings": "Kunne ikke opdatere indstillinger", - "Failed to update status": "", "Failed to upload file.": "Kunne ikke uploade fil.", "Features": "Features", "Features Permissions": "Features tilladelser", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE Engine-ID", "Gravatar": "Gravatar", "Group": "Gruppe", - "Group Channel": "", "Group created successfully": "Gruppe oprettet.", "Group deleted successfully": "Gruppe slettet.", "Group Description": "Gruppe beskrivelse", "Group Name": "Gruppenavn", "Group updated successfully": "Gruppe opdateret.", - "groups": "", "Groups": "Grupper", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Importer noter", "Import Presets": "Importer Presets", + "Import Prompt Suggestions": "Importer prompt forslag", "Import Prompts": "", "Import successful": "Importeret", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP understøttelse er eksperimentel og dens specifikationer ændres ofte hvilket kan medføre inkompatibilitet. OpenAI specifikationsunderstøttelse er vedligeholdt af Open WebUI-teamet hvilket gør det til den mest pålidelige mulighed for understøttelse.", "Medium": "Medium", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Minder, der er tilgængelige for LLM'er, vises her.", "Memory": "Hukommelse", "Memory added successfully": "Hukommelse tilføjet.", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Kun alfanumeriske tegn og bindestreger er tilladt i kommandostrengen.", "Only can be triggered when the chat input is in focus.": "Kan kun udløses når chat-input er fokuseret.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Kun samlinger kan redigeres, opret en ny vidensbase for at redigere/tilføje dokumenter.", - "Only invited users can access": "", "Only markdown files are allowed": "Kun markdown-filer er tilladt", "Only select users and groups with permission can access": "Kun valgte brugere og grupper med tilladelse kan tilgå", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! URL'en ser ud til at være ugyldig. Tjek den igen, og prøv igen.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Seneste 7 dage", "Previous message": "Forrige besked", "Private": "Privat", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (f.eks. Fortæl mig en sjov fakta om Romerriget)", "Prompt Autocompletion": "Prompt autofuldførelse", "Prompt Content": "Promptindhold", "Prompt created successfully": "Prompt oprettet", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Indstil antallet af arbejdstråde brugt til beregning. Denne mulighed styrer, hvor mange tråde der bruges til at behandle indkommende forespørgsler samtidigt. At øge denne værdi kan forbedre ydeevnen under høj samtidighedsbelastning, men kan også forbruge flere CPU-ressourcer.", "Set Voice": "Indstil stemme", "Set whisper model": "Indstil whisper model", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Indstiller en flad bias mod tokens, der er forekommet mindst én gang. En højere værdi (f.eks. 1,5) vil straffe gentagelser stærkere, mens en lavere værdi (f.eks. 0,9) vil være mere lemfældig. Ved 0 er det deaktiveret.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Indstiller en skalerende bias mod tokens for at straffe gentagelser, baseret på hvor mange gange de er forekommet. En højere værdi (f.eks. 1,5) vil straffe gentagelser stærkere, mens en lavere værdi (f.eks. 0,9) vil være mere lemfældig. Ved 0 er det deaktiveret.", "Sets how far back for the model to look back to prevent repetition.": "Indstiller hvor langt tilbage modellen skal se for at forhindre gentagelse.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "Start en ny samtale", "Start of the channel": "Kanalens start", "Start Tag": "Start tag", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Statusopdateringer", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Trin", @@ -1541,7 +1518,7 @@ "STT Model": "STT-model", "STT Settings": "STT-indstillinger", "Stylized PDF Export": "Stiliseret PDF eksport", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Undertitel (f.eks. om Romerriget)", "Success": "Succes", "Successfully imported {{userCount}} users.": "Importerede {{userCount}} brugere.", "Successfully updated.": "Opdateret.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika-server-URL påkrævet.", "Tiktoken": "Tiktoken", "Title": "Titel", + "Title (e.g. Tell me a fun fact)": "Titel (f.eks. Fortæl mig en sjov kendsgerning)", "Title Auto-Generation": "Automatisk titelgenerering", "Title cannot be an empty string.": "Titel kan ikke være en tom streng.", "Title Generation": "Titel-generation", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Opdater og kopier link", "Update for the latest features and improvements.": "Opdater for at få de nyeste funktioner og forbedringer.", "Update password": "Opdater adgangskode", - "Update your status": "", "Updated": "Opdateret", "Updated at": "Opdateret kl.", "Updated At": "Opdateret Klokken.", @@ -1746,7 +1723,6 @@ "View Replies": "Vis svar", "View Result from **{{NAME}}**": "Vis resultat fra **{{NAME}}**", "Visibility": "Synlighed", - "Visible to all users": "", "Vision": "Vision", "Voice": "Stemme", "Voice Input": "Stemme Input", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Hvad prøver du at opnå?", "What are you working on?": "Hvad arbejder du på?", "What's New in": "Nyheder i", - "What's on your mind?": "", "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.": "Når aktiveret, vil modellen reagere på hver chatbesked i realtid og generere et svar, så snart brugeren sender en besked. Denne tilstand er nyttig til live chat-applikationer, men kan påvirke ydeevnen på langsommere hardware.", "wherever you are": "hvad end du er", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Om outputtet skal pagineres. Hver side vil være adskilt af en vandret streg og sidetal. Standard er False.", diff --git a/src/lib/i18n/locales/de-DE/translation.json b/src/lib/i18n/locales/de-DE/translation.json index 5473caa5b3..d038fa3193 100644 --- a/src/lib/i18n/locales/de-DE/translation.json +++ b/src/lib/i18n/locales/de-DE/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} Wörter", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} um {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Der Download von {{model}} wurde abgebrochen", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}s Chats", "{{webUIName}} Backend Required": "{{webUIName}}-Backend erforderlich", "*Prompt node ID(s) are required for image generation": "*Prompt-Node-ID(s) sind für die Bildgenerierung erforderlich", "1 Source": "1 Quelle", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Eine neue Version (v{{LATEST_VERSION}}) ist jetzt verfügbar.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Aufgabenmodelle werden beispielsweise zur Generierung von Chat-Titeln oder Websuchanfragen verwendet", "a user": "ein Benutzer", "About": "Über", @@ -57,8 +53,7 @@ "Add Custom Prompt": "Benutzerdefinierten Prompt hinzufügen", "Add Details": "Details hinzufügen", "Add Files": "Dateien hinzufügen", - "Add Member": "", - "Add Members": "", + "Add Group": "Gruppe hinzufügen", "Add Memory": "Erinnerung hinzufügen", "Add Model": "Modell hinzufügen", "Add Reaction": "Reaktion hinzufügen", @@ -257,7 +252,6 @@ "Citations": "Zitate", "Clear memory": "Alle Erinnerungen entfernen", "Clear Memory": "Alle Erinnerungen entfernen", - "Clear status": "", "click here": "hier klicken", "Click here for filter guides.": "Klicken Sie hier für Filteranleitungen.", "Click here for help.": "Klicken Sie hier für Hilfe.", @@ -294,7 +288,6 @@ "Code Interpreter": "Code-Interpreter", "Code Interpreter Engine": "Code Interpreter-Engine", "Code Interpreter Prompt Template": "Code Interpreter Prompt Vorlage", - "Collaboration channel where people join as members": "", "Collapse": "Zuklappen", "Collection": "Kollektion", "Color": "Farbe", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Entdecken und beziehen Sie benutzerdefinierte Prompts", "Discover, download, and explore custom tools": "Entdecken und beziehen Sie benutzerdefinierte Werkzeuge", "Discover, download, and explore model presets": "Entdecken und beziehen Sie benutzerdefinierte Modellvorlagen", - "Discussion channel where access is based on groups and permissions": "", "Display": "Anzeigen", "Display chat title in tab": "Chat-Titel im Tab anzeigen", "Display Emoji in Call": "Emojis im Anruf anzeigen", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "z. B. \"json\" oder ein JSON-Schema", "e.g. 60": "z. B. 60", "e.g. A filter to remove profanity from text": "z. B. Ein Filter, um Schimpfwörter aus Text zu entfernen", - "e.g. about the Roman Empire": "", "e.g. en": "z. B. en", "e.g. My Filter": "z. B. Mein Filter", "e.g. My Tools": "z. B. Meine Werkzeuge", "e.g. my_filter": "z. B. mein_filter", "e.g. my_tools": "z. B. meine_werkzeuge", "e.g. pdf, docx, txt": "z. B. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "z. B. Werkzeuge für verschiedene Operationen", "e.g., 3, 4, 5 (leave blank for default)": "z. B. 3, 4, 5 (leer lassen für Standard)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "z. B. audio/wav,audio/mpeg,video/* (leer lassen für Standardwerte)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exportiere Konfiguration als JSON-Datei", "Export Models": "Modelle exportieren", "Export Presets": "Voreinstellungen exportieren", + "Export Prompt Suggestions": "Prompt-Vorschläge exportieren", "Export Prompts": "Prompts exportieren", "Export to CSV": "Als CSV exportieren", "Export Tools": "Werkzeuge exportieren", @@ -714,8 +704,6 @@ "External Web Search URL": "Externe Websuche URL", "Fade Effect for Streaming Text": "Überblendeffekt für Text-Streaming", "Failed to add file.": "Fehler beim Hinzufügen der Datei.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Verbindung zum OpenAPI-Toolserver {{URL}} fehlgeschlagen", "Failed to copy link": "Fehler beim kopieren des Links", "Failed to create API Key.": "Fehler beim Erstellen des API-Schlüssels.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Fehler beim Laden des Dateiinhalts.", "Failed to move chat": "Chat konnte nicht verschoben werden", "Failed to read clipboard contents": "Fehler beim Lesen des Inhalts der Zwischenablage.", - "Failed to remove member": "", "Failed to render diagram": "Diagramm konnte nicht gerendert werden", "Failed to render visualization": "Visualisierung konnte nicht gerendert werden", "Failed to save connections": "Verbindungen konnten nicht gespeichert werden", "Failed to save conversation": "Unterhaltung konnte nicht gespeichert werden", "Failed to save models configuration": "Fehler beim Speichern der Modellkonfiguration", "Failed to update settings": "Fehler beim Aktualisieren der Einstellungen", - "Failed to update status": "", "Failed to upload file.": "Fehler beim Hochladen der Datei.", "Features": "Funktionalitäten", "Features Permissions": "Funktionen-Berechtigungen", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE-Engine-ID", "Gravatar": "Gravatar", "Group": "Gruppe", - "Group Channel": "", "Group created successfully": "Gruppe erfolgreich erstellt", "Group deleted successfully": "Gruppe erfolgreich gelöscht", "Group Description": "Gruppenbeschreibung", "Group Name": "Gruppenname", "Group updated successfully": "Gruppe erfolgreich aktualisiert", - "groups": "", "Groups": "Gruppen", "H1": "Überschrift 1", "H2": "Überschrift 2", @@ -891,6 +875,7 @@ "Import Models": "Modelle importieren", "Import Notes": "Notizen importieren", "Import Presets": "Voreinstellungen importieren", + "Import Prompt Suggestions": "Prompt-Vorschläge importieren", "Import Prompts": "Prompts importieren", "Import successful": "Import erfolgreich", "Import Tools": "Werkzeuge importieren", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "Die MCP-Unterstützung ist experimentell und ihre Spezifikation ändert sich häufig, was zu Inkompatibilitäten führen kann. Die Unterstützung der OpenAPI-Spezifikation wird direkt vom Open‑WebUI‑Team gepflegt und ist daher die verlässlichere Option in Bezug auf Kompatibilität.", "Medium": "Mittel", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Erinnerungen, die für Modelle zugänglich sind, werden hier angezeigt.", "Memory": "Erinnerungen", "Memory added successfully": "Erinnerung erfolgreich hinzugefügt", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "In der Befehlszeichenfolge sind nur alphanumerische Zeichen und Bindestriche erlaubt.", "Only can be triggered when the chat input is in focus.": "Kann nur ausgelöst werden, wenn das Chat-Eingabefeld fokussiert ist.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Nur Sammlungen können bearbeitet werden. Erstellen Sie eine neue Wissensbasis, um Dokumente zu bearbeiten/hinzuzufügen.", - "Only invited users can access": "", "Only markdown files are allowed": "Nur Markdown-Dateien sind erlaubt", "Only select users and groups with permission can access": "Nur ausgewählte Benutzer und Gruppen mit Berechtigung können darauf zugreifen", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppla! Es scheint, dass die URL ungültig ist. Bitte überprüfen Sie diese und versuchen Sie es erneut.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Vorherige 7 Tage", "Previous message": "Vorherige Nachricht", "Private": "Privat", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (z. B. \"Erzähle mir eine interessante Tatsache über das Römische Reich\")", "Prompt Autocompletion": "Prompt Autovervollständigung", "Prompt Content": "Prompt-Inhalt", "Prompt created successfully": "Prompt erfolgreich erstellt", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Legt die Anzahl der für die Berechnung verwendeten Worker-Threads fest. Diese Option steuert, wie viele Threads zur gleichzeitigen Verarbeitung eingehender Anfragen verwendet werden. Eine Erhöhung dieses Wertes kann die Leistung bei hoher Parallelität verbessern, kann aber mehr CPU-Ressourcen verbrauchen.", "Set Voice": "Stimme festlegen", "Set whisper model": "Whisper-Modell festlegen", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Legt einen festen Bias gegen Token fest, die mindestens einmal erschienen sind. Ein höherer Wert (z.\u202fB. 1.5) bestraft Wiederholungen stärker, während ein niedrigerer Wert (z.\u202fB. 0.9) nachsichtiger ist. Bei 0 ist die Funktion deaktiviert.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Legt einen skalierenden Bias gegen Token fest, um Wiederholungen basierend auf ihrer Häufigkeit zu bestrafen. Ein höherer Wert (z.\u202fB. 1.5) bestraft Wiederholungen stärker, während ein niedrigerer Wert (z.\u202fB. 0.9) nachsichtiger ist. Bei 0 ist die Funktion deaktiviert.", "Sets how far back for the model to look back to prevent repetition.": "Legt fest, wie weit das Modell zurückblickt, um Wiederholungen zu verhindern.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "Neue Unterhaltung starten", "Start of the channel": "Beginn des Kanals", "Start Tag": "Start-Tag", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Statusaktualisierungen", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Schritte", @@ -1541,7 +1518,7 @@ "STT Model": "STT-Modell", "STT Settings": "STT-Einstellungen", "Stylized PDF Export": "Stilisierter PDF-Export", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Untertitel (z. B. über das Römische Reich)", "Success": "Erfolg", "Successfully imported {{userCount}} users.": "Erfolgreich {{userCount}} Benutzer importiert.", "Successfully updated.": "Erfolgreich aktualisiert.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika-Server-URL erforderlich.", "Tiktoken": "Tiktoken", "Title": "Titel", + "Title (e.g. Tell me a fun fact)": "Titel (z. B. Erzähl mir einen lustigen Fakt)", "Title Auto-Generation": "Chat-Titel automatisch generieren", "Title cannot be an empty string.": "Titel darf nicht leer sein.", "Title Generation": "Titelgenerierung", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Aktualisieren und Link kopieren", "Update for the latest features and improvements.": "Aktualisieren Sie für die neuesten Funktionen und Verbesserungen.", "Update password": "Passwort aktualisieren", - "Update your status": "", "Updated": "Aktualisiert", "Updated at": "Aktualisiert am", "Updated At": "Aktualisiert am", @@ -1746,7 +1723,6 @@ "View Replies": "Antworten anzeigen", "View Result from **{{NAME}}**": "Ergebnis von **{{NAME}}** anzeigen", "Visibility": "Sichtbarkeit", - "Visible to all users": "", "Vision": "Bilderkennung", "Voice": "Stimme", "Voice Input": "Spracheingabe", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Was versuchen Sie zu erreichen?", "What are you working on?": "Woran arbeiten Sie?", "What's New in": "Neuigkeiten von", - "What's on your mind?": "", "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.": "Wenn aktiviert, antwortet das Modell in Echtzeit auf jede Chat-Nachricht und generiert eine Antwort, sobald der Benutzer eine Nachricht sendet. Dieser Modus ist nützlich für Live-Chat-Anwendungen, kann jedoch die Leistung auf langsamerer Hardware beeinträchtigen.", "wherever you are": "wo immer Sie sind", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Ob die Ausgabe paginiert werden soll. Jede Seite wird durch eine horizontale Linie und eine Seitenzahl getrennt. Standardmäßig deaktiviert.", diff --git a/src/lib/i18n/locales/dg-DG/translation.json b/src/lib/i18n/locales/dg-DG/translation.json index d0c440a855..f17318dbb5 100644 --- a/src/lib/i18n/locales/dg-DG/translation.json +++ b/src/lib/i18n/locales/dg-DG/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "", "{{webUIName}} Backend Required": "{{webUIName}} Backend Much Required", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "", "a user": "such user", "About": "Much About", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Add Files", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "", "Add Model": "", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Click for help. Much assist.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Collection", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Discover, download, and explore custom prompts", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Discover, download, and explore model presets", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Failed to read clipboard borks", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Failed to save conversation borks", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "Much group", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Only wow characters and hyphens are allowed in the bork string.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Looks like the URL is invalid. Please double-check and try again.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Such profile", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "Prompt Content", "Prompt created successfully": "", @@ -1472,7 +1453,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Set Voice so speak", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1525,9 +1505,6 @@ "Start a new conversation": "", "Start of the channel": "Start of channel", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1543,7 +1520,7 @@ "STT Model": "", "STT Settings": "STT Settings very settings", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "", "Success": "Success very success", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Successfully updated. Very updated.", @@ -1626,6 +1603,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Title very title", + "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "Title Auto-Generation much auto-gen", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1694,7 +1672,6 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "Update password much change", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1748,7 +1725,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1776,7 +1752,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "What's New in much new", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/el-GR/translation.json b/src/lib/i18n/locales/el-GR/translation.json index a687eee992..de56080f3b 100644 --- a/src/lib/i18n/locales/el-GR/translation.json +++ b/src/lib/i18n/locales/el-GR/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Συνομιλίες του {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Απαιτείται Backend", "*Prompt node ID(s) are required for image generation": "*Τα αναγνωριστικά κόμβου Prompt απαιτούνται για τη δημιουργία εικόνων", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Μια νέα έκδοση (v{{LATEST_VERSION}}) είναι τώρα διαθέσιμη.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Ένα μοντέλο εργασίας χρησιμοποιείται κατά την εκτέλεση εργασιών όπως η δημιουργία τίτλων για συνομιλίες και αναζητήσεις στο διαδίκτυο", "a user": "ένας χρήστης", "About": "Σχετικά", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Προσθήκη Αρχείων", - "Add Member": "", - "Add Members": "", + "Add Group": "Προσθήκη Ομάδας", "Add Memory": "Προσθήκη Μνήμης", "Add Model": "Προσθήκη Μοντέλου", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "Παραπομπές", "Clear memory": "Καθαρισμός μνήμης", "Clear Memory": "", - "Clear status": "", "click here": "κλικ εδώ", "Click here for filter guides.": "Κάντε κλικ εδώ για οδηγούς φίλτρων.", "Click here for help.": "Κάντε κλικ εδώ για βοήθεια.", @@ -294,7 +288,6 @@ "Code Interpreter": "Διερμηνέας Κώδικα", "Code Interpreter Engine": "Μηχανή Διερμηνέα Κώδικα", "Code Interpreter Prompt Template": "Πρότυπο Προτροπής Διερμηνέα Κώδικα", - "Collaboration channel where people join as members": "", "Collapse": "Σύμπτυξη", "Collection": "Συλλογή", "Color": "Χρώμα", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Ανακαλύψτε, κατεβάστε και εξερευνήστε προσαρμοσμένες προτροπές", "Discover, download, and explore custom tools": "Ανακαλύψτε, κατεβάστε και εξερευνήστε προσαρμοσμένα εργαλεία", "Discover, download, and explore model presets": "Ανακαλύψτε, κατεβάστε και εξερευνήστε προκαθορισμένα μοντέλα", - "Discussion channel where access is based on groups and permissions": "", "Display": "Εμφάνιση", "Display chat title in tab": "Εμφάνιση τίτλου συνομιλίας στην καρτέλα", "Display Emoji in Call": "Εμφάνιση Emoji στην Κλήση", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "π.χ. \"json\" ή ένα JSON σχήμα", "e.g. 60": "π.χ. 60", "e.g. A filter to remove profanity from text": "π.χ. Ένα φίλτρο για να αφαιρέσετε βρισιές από το κείμενο", - "e.g. about the Roman Empire": "", "e.g. en": "π.χ. en", "e.g. My Filter": "π.χ. Το Φίλτρο Μου", "e.g. My Tools": "π.χ. Τα Εργαλεία Μου", "e.g. my_filter": "π.χ. my_filter", "e.g. my_tools": "π.χ. my_tools", "e.g. pdf, docx, txt": "π.χ. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "π.χ. Εργαλεία για την εκτέλεση διάφορων λειτουργιών", "e.g., 3, 4, 5 (leave blank for default)": "π.χ. 3, 4, 5 (αφήστε κενό για προεπιλογή)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "π.χ. audio/wav,audio/mpeg,video/* (αφήστε κενό για προεπιλογή)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Εξαγωγή Διαμόρφωσης σε Αρχείο JSON", "Export Models": "", "Export Presets": "Εξαγωγή Προκαθορισμένων", + "Export Prompt Suggestions": "Εξαγωγή Προτεινόμενων Προτροπών", "Export Prompts": "", "Export to CSV": "Εξαγωγή σε CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "URL του εξωτερικού διακομιστή αναζήτησης", "Fade Effect for Streaming Text": "", "Failed to add file.": "Αποτυχία προσθήκης αρχείου.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Αποτυχία σύνδεσης στο διακομιστή εργαλείων OpenAPI {{URL}}", "Failed to copy link": "Αποτυχία αντιγραφής συνδέσμου", "Failed to create API Key.": "Αποτυχία δημιουργίας Κλειδιού API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Αποτυχία φόρτωσης περιεχομένου αρχείου", "Failed to move chat": "Αποτυχία μετακίνησης συνομιλίας", "Failed to read clipboard contents": "Αποτυχία ανάγνωσης περιεχομένων πρόχειρου", - "Failed to remove member": "", "Failed to render diagram": "Αποτυχία απεικόνισης διαγράμματος", "Failed to render visualization": "", "Failed to save connections": "Αποτυχία αποθήκευσης συνδέσεων", "Failed to save conversation": "Αποτυχία αποθήκευσης συνομιλίας", "Failed to save models configuration": "Αποτυχία αποθήκευσης ρυθμίσεων μοντέλων", "Failed to update settings": "Αποτυχία ενημέρωσης ρυθμίσεων", - "Failed to update status": "", "Failed to upload file.": "Αποτυχία ανεβάσματος αρχείου.", "Features": "Λειτουργίες", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Αναγνωριστικό Μηχανής Google PSE", "Gravatar": "", "Group": "Ομάδα", - "Group Channel": "", "Group created successfully": "Η ομάδα δημιουργήθηκε με επιτυχία", "Group deleted successfully": "Η ομάδα διαγράφηκε με επιτυχία", "Group Description": "Περιγραφή Ομάδας", "Group Name": "Όνομα Ομάδας", "Group updated successfully": "Η ομάδα ενημερώθηκε με επιτυχία", - "groups": "", "Groups": "Ομάδες", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Εισαγωγή Προκαθορισμένων", + "Import Prompt Suggestions": "Εισαγωγή Προτεινόμενων Προτροπών", "Import Prompts": "", "Import successful": "Εισαγωγή επιτυχής", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Οι αναμνήσεις προσβάσιμες από τα LLMs θα εμφανιστούν εδώ.", "Memory": "Μνήμη", "Memory added successfully": "Η μνήμη προστέθηκε με επιτυχία", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Επιτρέπονται μόνο αλφαριθμητικοί χαρακτήρες και παύλες στο string της εντολής.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Μόνο συλλογές μπορούν να επεξεργαστούν, δημιουργήστε μια νέα βάση γνώσης για επεξεργασία/προσθήκη εγγράφων.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Μόνο επιλεγμένοι χρήστες και ομάδες με άδεια μπορούν να έχουν πρόσβαση", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ωχ! Φαίνεται ότι το URL είναι μη έγκυρο. Παρακαλώ ελέγξτε ξανά και δοκιμάστε.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Προηγούμενες 7 ημέρες", "Previous message": "Προηγούμενο μήνυμα", "Private": "Ιδιωτικό", - "Private conversation between selected users": "", "Profile": "Προφίλ", "Prompt": "Προτροπή", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Προτροπή (π.χ. Πες μου ένα διασκεδαστικό γεγονός για την Ρωμαϊκή Αυτοκρατορία)", "Prompt Autocompletion": "Αυτόματη συμπλήρωση προτροπής", "Prompt Content": "Περιεχόμενο Προτροπής", "Prompt created successfully": "Η προτροπή δημιουργήθηκε με επιτυχία", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ορισμός του αριθμού των νημάτων εργασίας που χρησιμοποιούνται για υπολογισμούς. Αυτή η επιλογή ελέγχει πόσα νήματα χρησιμοποιούνται για την επεξεργασία των εισερχόμενων αιτημάτων ταυτόχρονα. Η αύξηση αυτής της τιμής μπορεί να βελτιώσει την απόδοση σε εργασίες υψηλής συγχρονισμένης φόρτωσης αλλά μπορεί επίσης να καταναλώσει περισσότερους πόρους CPU.", "Set Voice": "Ορισμός Φωνής", "Set whisper model": "Ορισμός μοντέλου whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Αρχή του καναλιού", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "Μοντέλο Μετατροπής Ομιλίας σε Κείμενο", "STT Settings": "Ρυθμίσεις Μετατροπής Ομιλίας σε Κείμενο", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Υπότιτλος (π.χ. για την Ρωμαϊκή Αυτοκρατορία)", "Success": "Επιτυχία", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Επιτυχώς ενημερώθηκε.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Απαιτείται το URL διακομιστή Tika.", "Tiktoken": "", "Title": "Τίτλος", + "Title (e.g. Tell me a fun fact)": "Τίτλος (π.χ. Πες μου ένα διασκεδαστικό γεγονός)", "Title Auto-Generation": "Αυτόματη Γενιά Τίτλων", "Title cannot be an empty string.": "Ο τίτλος δεν μπορεί να είναι κενή συμβολοσειρά.", "Title Generation": "Δημιουργία Τίτλου", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Ενημέρωση και Αντιγραφή Συνδέσμου", "Update for the latest features and improvements.": "Ενημερωθείτε για τις τελευταίες λειτουργίες και βελτιώσεις.", "Update password": "Ενημέρωση κωδικού", - "Update your status": "", "Updated": "Ενημερώθηκε", "Updated at": "Ενημερώθηκε στις", "Updated At": "Ενημερώθηκε στις", @@ -1746,7 +1723,6 @@ "View Replies": "Προβολή Απαντήσεων", "View Result from **{{NAME}}**": "Προβολή Αποτελέσματος από **{{NAME}}**", "Visibility": "Ορατότητα", - "Visible to all users": "", "Vision": "Όραση", "Voice": "Φωνή", "Voice Input": "Εισαγωγή Φωνής", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Τι προσπαθείτε να πετύχετε?", "What are you working on?": "Τι εργάζεστε;", "What's New in": "Τι νέο υπάρχει στο", - "What's on your mind?": "", "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": "οπουδήποτε βρίσκεστε", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/en-GB/translation.json b/src/lib/i18n/locales/en-GB/translation.json index f4920bd19c..837b00a13d 100644 --- a/src/lib/i18n/locales/en-GB/translation.json +++ b/src/lib/i18n/locales/en-GB/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "", "{{webUIName}} Backend Required": "", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "", "a user": "", "About": "", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "", "Add Model": "", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "", "Color": "Colour", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "", @@ -1282,9 +1263,9 @@ "Previous 7 days": "", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalise repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Sets a scaling bias against tokens to penalise repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalise repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "", "STT Settings": "", "Stylized PDF Export": "Stylised PDF Export", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "", "Success": "", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "", + "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/en-US/translation.json b/src/lib/i18n/locales/en-US/translation.json index a217d4c6ed..9e8a1e8e53 100644 --- a/src/lib/i18n/locales/en-US/translation.json +++ b/src/lib/i18n/locales/en-US/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "", "{{webUIName}} Backend Required": "", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "", "a user": "", "About": "", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "", "Add Model": "", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "", @@ -1282,9 +1263,9 @@ "Previous 7 days": "", "Previous message": "Previous message", "Private": "", - "Private conversation between selected users": "", "Profile": "", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "", "STT Settings": "", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "", "Success": "", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "", + "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/es-ES/translation.json b/src/lib/i18n/locales/es-ES/translation.json index 3c2ff42c26..ee1d976a95 100644 --- a/src/lib/i18n/locales/es-ES/translation.json +++ b/src/lib/i18n/locales/es-ES/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} palabras", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} a las {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "La descarga de {{model}} ha sido cancelada", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Chats de {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Servidor Requerido", "*Prompt node ID(s) are required for image generation": "Los ID de nodo son requeridos para la generación de imágenes", "1 Source": "1 Fuente", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Nueva versión (v{{LATEST_VERSION}}) disponible.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "El modelo de tareas realiza tareas como la generación de títulos para chats y consultas de búsqueda web", "a user": "un usuario", "About": "Acerca de", @@ -57,8 +53,7 @@ "Add Custom Prompt": "Añadir Indicador Personalizado", "Add Details": "Añadir Detalles", "Add Files": "Añadir Archivos", - "Add Member": "", - "Add Members": "", + "Add Group": "Añadir Grupo", "Add Memory": "Añadir Memoria", "Add Model": "Añadir Modelo", "Add Reaction": "Añadir Reacción", @@ -257,7 +252,6 @@ "Citations": "Citas", "Clear memory": "Liberar memoria", "Clear Memory": "Liberar Memoria", - "Clear status": "", "click here": "Pulsar aquí", "Click here for filter guides.": "Pulsar aquí para guías de filtros", "Click here for help.": "Pulsar aquí para Ayuda.", @@ -294,7 +288,6 @@ "Code Interpreter": "Interprete de Código", "Code Interpreter Engine": "Motor del Interprete de Código", "Code Interpreter Prompt Template": "Plantilla del Indicador del Interprete de Código", - "Collaboration channel where people join as members": "", "Collapse": "Plegar", "Collection": "Colección", "Color": "Color", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Descubre, descarga, y explora indicadores personalizados", "Discover, download, and explore custom tools": "Descubre, descarga y explora herramientas personalizadas", "Discover, download, and explore model presets": "Descubre, descarga y explora modelos con preajustados", - "Discussion channel where access is based on groups and permissions": "", "Display": "Mostrar", "Display chat title in tab": "Mostrar título del chat en el tabulador", "Display Emoji in Call": "Muestra Emojis en Llamada", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "p.ej. \"json\" o un esquema JSON", "e.g. 60": "p.ej. 60", "e.g. A filter to remove profanity from text": "p.ej. Un filtro para eliminar malas palabras del texto", - "e.g. about the Roman Empire": "", "e.g. en": "p.ej. es", "e.g. My Filter": "p.ej. Mi Filtro", "e.g. My Tools": "p.ej. Mis Herramientas", "e.g. my_filter": "p.ej. mi_filtro", "e.g. my_tools": "p.ej. mis_herramientas", "e.g. pdf, docx, txt": "p.ej. pdf, docx, txt ...", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "p.ej. Herramientas para realizar diversas operaciones", "e.g., 3, 4, 5 (leave blank for default)": "p.ej. , 3, 4, 5 ...", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "e.g., audio/wav,audio/mpeg,video/* (dejar en blanco para predeterminados)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exportar Configuración a archivo JSON", "Export Models": "Exportar Modelos", "Export Presets": "Exportar Preajustes", + "Export Prompt Suggestions": "Exportar Sugerencias de Indicador", "Export Prompts": "Exportar Indicadores", "Export to CSV": "Exportar a CSV", "Export Tools": "Exportar Herramientas", @@ -714,8 +704,6 @@ "External Web Search URL": "URL del Buscador Web Externo", "Fade Effect for Streaming Text": "Efecto de desvanecimiento para texto transmitido (streaming)", "Failed to add file.": "Fallo al añadir el archivo.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Fallo al conectar al servidor de herramientas {{URL}}", "Failed to copy link": "Fallo al copiar enlace", "Failed to create API Key.": "Fallo al crear la Clave API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Fallo al cargar el contenido del archivo", "Failed to move chat": "Fallo al mover el chat", "Failed to read clipboard contents": "Fallo al leer el contenido del portapapeles", - "Failed to remove member": "", "Failed to render diagram": "Fallo al renderizar el diagrama", "Failed to render visualization": "Fallo al renderizar la visualización", "Failed to save connections": "Fallo al guardar las conexiones", "Failed to save conversation": "Fallo al guardar la conversación", "Failed to save models configuration": "Fallo al guardar la configuración de los modelos", "Failed to update settings": "Fallo al actualizar los ajustes", - "Failed to update status": "", "Failed to upload file.": "Fallo al subir el archivo.", "Features": "Características", "Features Permissions": "Permisos de las Características", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID del Motor PSE de Google", "Gravatar": "Gravatar", "Group": "Grupo", - "Group Channel": "", "Group created successfully": "Grupo creado correctamente", "Group deleted successfully": "Grupo eliminado correctamente", "Group Description": "Descripción del Grupo", "Group Name": "Nombre del Grupo", "Group updated successfully": "Grupo actualizado correctamente", - "groups": "", "Groups": "Grupos", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "Importar Modelos", "Import Notes": "Importar Notas", "Import Presets": "Importar Preajustes", + "Import Prompt Suggestions": "Importar Sugerencias de Indicador", "Import Prompts": "Importar Indicadores", "Import successful": "Importación realizada correctamente", "Import Tools": "Importar Herramientas", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El soporte de MCP es experimental y su especificación cambia con frecuencia, lo que puede generar incompatibilidades. El equipo de Open WebUI mantiene directamente la compatibilidad con la especificación OpenAPI, lo que la convierte en la opción más fiable para la compatibilidad.", "Medium": "Medio", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Las memorias accesibles por los LLMs se mostrarán aquí.", "Memory": "Memoria", "Memory added successfully": "Memoria añadida correctamente", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo están permitidos en la cadena de comandos caracteres alfanuméricos y guiones.", "Only can be triggered when the chat input is in focus.": "Solo se puede activar cuando el foco está en la entrada del chat.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar las colecciones, para añadir/editar documentos hay que crear una nueva base de conocimientos", - "Only invited users can access": "", "Only markdown files are allowed": "Solo están permitidos archivos markdown", "Only select users and groups with permission can access": "Solo pueden acceder los usuarios y grupos con permiso", "Oops! Looks like the URL is invalid. Please double-check and try again.": "¡vaya! Parece que la URL es inválida. Por favor, revisala y reintenta de nuevo.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 días previos", "Previous message": "Mensaje anterior", "Private": "Privado", - "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "Indicador", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Indicador (p.ej. Cuéntame una cosa divertida sobre el Imperio Romano)", "Prompt Autocompletion": "Autocompletado del Indicador", "Prompt Content": "Contenido del Indicador", "Prompt created successfully": "Indicador creado exitosamente", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Establece el número de hilos de trabajo utilizados para el computo. Esta opción controla cuántos hilos son usados para procesar solicitudes entrantes concurrentes. Aumentar este valor puede mejorar el rendimiento bajo cargas de trabajo de alta concurrencia, pero también puede consumir más recursos de la CPU.", "Set Voice": "Establecer la voz", "Set whisper model": "Establecer modelo whisper (transcripción)", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo plano contra los tokens que han aparecido al menos una vez. Un valor más alto (p.ej. 1.5) penalizará las repeticiones más fuertemente, mientras que un valor más bajo (p.ej. 0.9) será más indulgente. En 0, está deshabilitado.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo escalado contra los tokens para penalizar las repeticiones, basado en cuántas veces han aparecido. Un valor más alto (por ejemplo, 1.5) penalizará las repeticiones más fuertemente, mientras que un valor más bajo (por ejemplo, 0.9) será más indulgente. En 0, está deshabilitado.", "Sets how far back for the model to look back to prevent repetition.": "Establece cuántos tokens debe mirar atrás el modelo para prevenir la repetición. ", @@ -1524,9 +1504,6 @@ "Start a new conversation": "Comenzar una conversación nueva", "Start of the channel": "Inicio del canal", "Start Tag": "Etiqueta de Inicio", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Actualizaciones de Estado", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Pasos", @@ -1542,7 +1519,7 @@ "STT Model": "Modelo STT", "STT Settings": "Ajustes Voz a Texto (STT)", "Stylized PDF Export": "Exportar PDF Estilizado", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtítulo (p.ej. sobre el Imperio Romano)", "Success": "Correcto", "Successfully imported {{userCount}} users.": "{{userCount}} usuarios importados correctamente.", "Successfully updated.": "Actualizado correctamente.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "URL del Servidor Tika necesaria", "Tiktoken": "Tiktoken", "Title": "Título", + "Title (e.g. Tell me a fun fact)": "Título (p.ej. cuéntame un hecho divertidado)", "Title Auto-Generation": "AutoGeneración de Títulos", "Title cannot be an empty string.": "El título no puede ser una cadena vacía.", "Title Generation": "Generación de Títulos", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Actualizar y Copiar Enlace", "Update for the latest features and improvements.": "Actualizar para las últimas características y mejoras.", "Update password": "Actualizar contraseña", - "Update your status": "", "Updated": "Actualizado", "Updated at": "Actualizado el", "Updated At": "Actualizado El", @@ -1747,7 +1724,6 @@ "View Replies": "Ver Respuestas", "View Result from **{{NAME}}**": "Ver Resultado desde **{{NAME}}**", "Visibility": "Visibilidad", - "Visible to all users": "", "Vision": "Visión", "Voice": "Voz", "Voice Input": "Entrada de Voz", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "¿Qué estás tratando de conseguir?", "What are you working on?": "¿En qué estás trabajando?", "What's New in": "Que hay de Nuevo en", - "What's on your mind?": "", "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.": "Cuando está habilitado, el modelo responderá a cada mensaje de chat en tiempo real, generando una respuesta tan pronto como se envíe un mensaje. Este modo es útil para aplicaciones de chat en vivo, pero puede afectar al rendimiento en equipos más lentos.", "wherever you are": "dondequiera que estés", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Al paginar la salida. Cada página será separada por una línea horizontal y número de página. Por defecto: Falso", diff --git a/src/lib/i18n/locales/et-EE/translation.json b/src/lib/i18n/locales/et-EE/translation.json index d04f42b906..f05715bccb 100644 --- a/src/lib/i18n/locales/et-EE/translation.json +++ b/src/lib/i18n/locales/et-EE/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} sõna", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} kell {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} allalaadimine on tühistatud", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} vestlused", "{{webUIName}} Backend Required": "{{webUIName}} taustaserver on vajalik", "*Prompt node ID(s) are required for image generation": "*Vihje sõlme ID(d) on piltide genereerimiseks vajalikud", "1 Source": "1 allikas", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Uus versioon (v{{LATEST_VERSION}}) on saadaval.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Ülesande mudelit kasutatakse selliste toimingute jaoks nagu vestluste pealkirjade ja veebiotsingu päringute genereerimine", "a user": "kasutaja", "About": "Teave", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "Lisa üksikasjad", "Add Files": "Lisa faile", - "Add Member": "", - "Add Members": "", + "Add Group": "Lisa grupp", "Add Memory": "Lisa mälu", "Add Model": "Lisa mudel", "Add Reaction": "Lisa reaktsioon", @@ -257,7 +252,6 @@ "Citations": "Citations", "Clear memory": "Tühjenda mälu", "Clear Memory": "Tühjenda mälu", - "Clear status": "", "click here": "klõpsake siia", "Click here for filter guides.": "Filtri juhiste jaoks klõpsake siia.", "Click here for help.": "Abi saamiseks klõpsake siia.", @@ -294,7 +288,6 @@ "Code Interpreter": "Koodi interpretaator", "Code Interpreter Engine": "Koodi interpretaatori mootor", "Code Interpreter Prompt Template": "Koodi interpretaatori vihje mall", - "Collaboration channel where people join as members": "", "Collapse": "Ahenda", "Collection": "Kogu", "Color": "Värv", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Avasta, laadi alla ja uuri kohandatud vihjeid", "Discover, download, and explore custom tools": "Avasta, laadi alla ja uuri kohandatud tööriistu", "Discover, download, and explore model presets": "Avasta, laadi alla ja uuri mudeli eelseadistusi", - "Discussion channel where access is based on groups and permissions": "", "Display": "Kuva", "Display chat title in tab": "Display vestlus title in tab", "Display Emoji in Call": "Kuva kõnes emoji", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "nt \"json\" või JSON skeem", "e.g. 60": "nt 60", "e.g. A filter to remove profanity from text": "nt filter, mis eemaldab tekstist roppused", - "e.g. about the Roman Empire": "", "e.g. en": "nt en", "e.g. My Filter": "nt Minu Filter", "e.g. My Tools": "nt Minu Tööriistad", "e.g. my_filter": "nt minu_filter", "e.g. my_tools": "nt minu_toriistad", "e.g. pdf, docx, txt": "nt pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "nt tööriistad mitmesuguste operatsioonide teostamiseks", "e.g., 3, 4, 5 (leave blank for default)": "nt 3, 4, 5 (jäta vaikimisi jaoks tühjaks)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "nt audio/wav,audio/mpeg,video/* (vaikeväärtuste jaoks jäta tühjaks)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Ekspordi seadistus JSON-failina", "Export Models": "", "Export Presets": "Ekspordi eelseadistused", + "Export Prompt Suggestions": "Ekspordi vihje soovitused", "Export Prompts": "", "Export to CSV": "Ekspordi CSV-na", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "Välise veebiotsingu URL", "Fade Effect for Streaming Text": "Hajuefekt voogteksti jaoks", "Failed to add file.": "Faili lisamine ebaõnnestus.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Ebaõnnestus kuni connect kuni {{URL}} OpenAPI tööriist server", "Failed to copy link": "Lingi kopeerimine ebaõnnestus", "Failed to create API Key.": "API võtme loomine ebaõnnestus.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Ebaõnnestus kuni load fail content.", "Failed to move chat": "Ebaõnnestus kuni teisalda vestlus", "Failed to read clipboard contents": "Lõikelaua sisu lugemine ebaõnnestus", - "Failed to remove member": "", "Failed to render diagram": "Diagrammi renderdamine ebaõnnestus", "Failed to render visualization": "", "Failed to save connections": "Ebaõnnestus kuni salvesta connections", "Failed to save conversation": "Vestluse salvestamine ebaõnnestus", "Failed to save models configuration": "Mudelite konfiguratsiooni salvestamine ebaõnnestus", "Failed to update settings": "Seadete uuendamine ebaõnnestus", - "Failed to update status": "", "Failed to upload file.": "Faili üleslaadimine ebaõnnestus.", "Features": "Funktsioonid", "Features Permissions": "Funktsioonide õigused", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE mootori ID", "Gravatar": "Gravatar", "Group": "Rühm", - "Group Channel": "", "Group created successfully": "Grupp edukalt loodud", "Group deleted successfully": "Grupp edukalt kustutatud", "Group Description": "Grupi kirjeldus", "Group Name": "Grupi nimi", "Group updated successfully": "Grupp edukalt uuendatud", - "groups": "", "Groups": "Grupid", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Impordi märkmed", "Import Presets": "Impordi eelseadistused", + "Import Prompt Suggestions": "Impordi vihje soovitused", "Import Prompts": "", "Import successful": "Import õnnestus", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP support is katsetuslik ja its specification changes often, which can lead kuni incompatibilities. OpenAPI specification support is directly maintained autor the Ava WebUI team, making it the more reliable option for compatibility.", "Medium": "Keskmine", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM-idele ligipääsetavad mälestused kuvatakse siin.", "Memory": "Mälu", "Memory added successfully": "Mälu edukalt lisatud", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Käsustringis on lubatud ainult tähtede-numbrite kombinatsioonid ja sidekriipsud.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Muuta saab ainult kogusid, dokumentide muutmiseks/lisamiseks looge uus teadmiste baas.", - "Only invited users can access": "", "Only markdown files are allowed": "Only markdown failid are allowed", "Only select users and groups with permission can access": "Juurdepääs on ainult valitud õigustega kasutajatel ja gruppidel", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oih! URL tundub olevat vigane. Palun kontrollige ja proovige uuesti.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Eelmised 7 päeva", "Previous message": "Previous sõnum", "Private": "Privaatne", - "Private conversation between selected users": "", "Profile": "Profiil", "Prompt": "Vihje", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Vihje (nt Räägi mulle üks huvitav fakt Rooma impeeriumi kohta)", "Prompt Autocompletion": "Prompt Autocompletion", "Prompt Content": "Vihje sisu", "Prompt created successfully": "Vihje edukalt loodud", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Määrake arvutusteks kasutatavate töölõimede arv. See valik kontrollib, mitu lõime kasutatakse saabuvate päringute samaaegseks töötlemiseks. Selle väärtuse suurendamine võib parandada jõudlust suure samaaegsusega töökoormuste korral, kuid võib tarbida rohkem CPU ressursse.", "Set Voice": "Määra hääl", "Set whisper model": "Määra whisper mudel", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Seab tasase kallutatuse tokenite vastu, mis on esinenud vähemalt üks kord. Kõrgem väärtus (nt 1,5) karistab kordusi tugevamalt, samas kui madalam väärtus (nt 0,9) on leebem. Väärtuse 0 korral on see keelatud.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Seab skaleeritava kallutatuse tokenite vastu korduste karistamiseks, põhinedes sellel, mitu korda need on esinenud. Kõrgem väärtus (nt 1,5) karistab kordusi tugevamalt, samas kui madalam väärtus (nt 0,9) on leebem. Väärtuse 0 korral on see keelatud.", "Sets how far back for the model to look back to prevent repetition.": "Määrab, kui kaugele mudel tagasi vaatab, et vältida kordusi.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "Käivita a new conversation", "Start of the channel": "Kanali algus", "Start Tag": "Käivita Silt", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Olek Updates", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT mudel", "STT Settings": "STT seaded", "Stylized PDF Export": "Stylized PDF Ekspordi", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Alampealkiri (nt Rooma impeeriumi kohta)", "Success": "Õnnestus", "Successfully imported {{userCount}} users.": "Successfully imported {{userCount}} kasutajat.", "Successfully updated.": "Edukalt uuendatud.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika serveri URL on nõutav.", "Tiktoken": "Tiktoken", "Title": "Pealkiri", + "Title (e.g. Tell me a fun fact)": "Pealkiri (nt Räägi mulle üks huvitav fakt)", "Title Auto-Generation": "Pealkirja automaatne genereerimine", "Title cannot be an empty string.": "Pealkiri ei saa olla tühi string.", "Title Generation": "Pealkirja genereerimine", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Uuenda ja kopeeri link", "Update for the latest features and improvements.": "Uuendage, et saada uusimad funktsioonid ja täiustused.", "Update password": "Uuenda parooli", - "Update your status": "", "Updated": "Uuendatud", "Updated at": "Uuendamise aeg", "Updated At": "Uuendamise aeg", @@ -1746,7 +1723,6 @@ "View Replies": "Vaata vastuseid", "View Result from **{{NAME}}**": "Vaata Result alates **{{NAME}}**", "Visibility": "Nähtavus", - "Visible to all users": "", "Vision": "Vision", "Voice": "Hääl", "Voice Input": "Hääle sisend", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Mida te püüate saavutada?", "What are you working on?": "Millega te tegelete?", "What's New in": "Mis on uut", - "What's on your mind?": "", "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.": "Kui see on lubatud, vastab mudel igale vestlussõnumile reaalajas, genereerides vastuse niipea, kui kasutaja sõnumi saadab. See režiim on kasulik reaalajas vestlusrakendustes, kuid võib mõjutada jõudlust aeglasema riistvara puhul.", "wherever you are": "kus iganes te olete", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Whether kuni paginate the output. Each leht will be separated autor a horizontal rule ja leht number. Defaults kuni False.", diff --git a/src/lib/i18n/locales/eu-ES/translation.json b/src/lib/i18n/locales/eu-ES/translation.json index 31d22abaeb..93fa267202 100644 --- a/src/lib/i18n/locales/eu-ES/translation.json +++ b/src/lib/i18n/locales/eu-ES/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}-ren Txatak", "{{webUIName}} Backend Required": "{{webUIName}} Backend-a Beharrezkoa", "*Prompt node ID(s) are required for image generation": "Prompt nodoaren IDa(k) beharrezkoak dira irudiak sortzeko", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Bertsio berri bat (v{{LATEST_VERSION}}) eskuragarri dago orain.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Ataza eredua erabiltzen da txatentzako izenburuak eta web bilaketa kontsultak sortzeko bezalako atazak egitean", "a user": "erabiltzaile bat", "About": "Honi buruz", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Gehitu Fitxategiak", - "Add Member": "", - "Add Members": "", + "Add Group": "Gehitu Taldea", "Add Memory": "Gehitu Memoria", "Add Model": "Gehitu Eredua", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Garbitu memoria", "Clear Memory": "", - "Clear status": "", "click here": "klikatu hemen", "Click here for filter guides.": "Klikatu hemen iragazkien gidak ikusteko.", "Click here for help.": "Klikatu hemen laguntzarako.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Bilduma", "Color": "Kolorea", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Aurkitu, deskargatu eta esploratu prompt pertsonalizatuak", "Discover, download, and explore custom tools": "Aurkitu, deskargatu eta esploratu tresna pertsonalizatuak", "Discover, download, and explore model presets": "Aurkitu, deskargatu eta esploratu ereduen aurrezarpenak", - "Discussion channel where access is based on groups and permissions": "", "Display": "Bistaratu", "Display chat title in tab": "", "Display Emoji in Call": "Bistaratu Emojiak Deietan", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "adib. Testutik lizunkeriak kentzeko iragazki bat", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "adib. Nire Iragazkia", "e.g. My Tools": "adib. Nire Tresnak", "e.g. my_filter": "adib. nire_iragazkia", "e.g. my_tools": "adib. nire_tresnak", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "adib. Hainbat eragiketa egiteko tresnak", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Esportatu Konfigurazioa JSON Fitxategira", "Export Models": "", "Export Presets": "Esportatu Aurrezarpenak", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Esportatu CSVra", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Huts egin du fitxategia gehitzean.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Huts egin du API Gakoa sortzean.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Huts egin du arbelaren edukia irakurtzean", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Huts egin du elkarrizketa gordetzean", "Failed to save models configuration": "Huts egin du ereduen konfigurazioa gordetzean", "Failed to update settings": "Huts egin du ezarpenak eguneratzean", - "Failed to update status": "", "Failed to upload file.": "Huts egin du fitxategia igotzean.", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE Motor IDa", "Gravatar": "", "Group": "Taldea", - "Group Channel": "", "Group created successfully": "Taldea ongi sortu da", "Group deleted successfully": "Taldea ongi ezabatu da", "Group Description": "Taldearen Deskribapena", "Group Name": "Taldearen Izena", "Group updated successfully": "Taldea ongi eguneratu da", - "groups": "", "Groups": "Taldeak", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Inportatu Aurrezarpenak", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMek atzitu ditzaketen memoriak hemen erakutsiko dira.", "Memory": "Memoria", "Memory added successfully": "Memoria ongi gehitu da", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Karaktere alfanumerikoak eta marratxoak soilik onartzen dira komando katean.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Bildumak soilik edita daitezke, sortu ezagutza-base berri bat dokumentuak editatzeko/gehitzeko.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Baimena duten erabiltzaile eta talde hautatuek soilik sar daitezke", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! URLa ez da baliozkoa. Mesedez, egiaztatu eta saiatu berriro.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Aurreko 7 egunak", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profila", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt-a (adib. Kontatu datu dibertigarri bat Erromatar Inperioari buruz)", "Prompt Autocompletion": "", "Prompt Content": "Prompt edukia", "Prompt created successfully": "Prompt-a ongi sortu da", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ezarri kalkulurako erabilitako langile harien kopurua. Aukera honek kontrolatzen du zenbat hari erabiltzen diren sarrerako eskaerak aldi berean prozesatzeko. Balio hau handitzeak errendimendua hobetu dezake konkurrentzia altuko lan-kargetan, baina CPU baliabide gehiago kontsumitu ditzake.", "Set Voice": "Ezarri ahotsa", "Set whisper model": "Ezarri whisper modeloa", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Kanalaren hasiera", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT modeloa", "STT Settings": "STT ezarpenak", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Azpititulua (adib. Erromatar Inperioari buruz)", "Success": "Arrakasta", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Ongi eguneratu da.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika zerbitzariaren URLa beharrezkoa da.", "Tiktoken": "Tiktoken", "Title": "Izenburua", + "Title (e.g. Tell me a fun fact)": "Izenburua (adib. Kontatu datu dibertigarri bat)", "Title Auto-Generation": "Izenburuen sorrera automatikoa", "Title cannot be an empty string.": "Izenburua ezin da kate hutsa izan.", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Eguneratu eta kopiatu esteka", "Update for the latest features and improvements.": "Eguneratu azken ezaugarri eta hobekuntzak izateko.", "Update password": "Eguneratu pasahitza", - "Update your status": "", "Updated": "Eguneratuta", "Updated at": "Noiz eguneratuta", "Updated At": "Noiz eguneratuta", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "Ikusgarritasuna", - "Visible to all users": "", "Vision": "", "Voice": "Ahotsa", "Voice Input": "Ahots sarrera", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Zer lortu nahi duzu?", "What are you working on?": "Zertan ari zara lanean?", "What's New in": "Zer berri honetan:", - "What's on your mind?": "", "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.": "Gaituta dagoenean, modeloak txat mezu bakoitzari denbora errealean erantzungo dio, erantzun bat sortuz erabiltzaileak mezua bidaltzen duen bezain laster. Modu hau erabilgarria da zuzeneko txat aplikazioetarako, baina errendimenduan eragina izan dezake hardware motelagoan.", "wherever you are": "zauden tokian zaudela", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/fa-IR/translation.json b/src/lib/i18n/locales/fa-IR/translation.json index 613bad9a90..0134fda521 100644 --- a/src/lib/i18n/locales/fa-IR/translation.json +++ b/src/lib/i18n/locales/fa-IR/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} کلمه", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} در {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "دانلود {{model}} لغو شده است", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} گفتگوهای", "{{webUIName}} Backend Required": "بکند {{webUIName}} نیاز است.", "*Prompt node ID(s) are required for image generation": "*شناسه(های) گره پرامپت برای تولید تصویر مورد نیاز است", "1 Source": "۱ منبع", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "نسخه جدید (v{{LATEST_VERSION}}) در دسترس است.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "یک مدل وظیفه هنگام انجام وظایف مانند تولید عناوین برای چت ها و نمایش های جستجوی وب استفاده می شود.", "a user": "یک کاربر", "About": "درباره", @@ -57,8 +53,7 @@ "Add Custom Prompt": "افزودن پرامپت سفارشی", "Add Details": "افزودن جزئیات", "Add Files": "افزودن فایل\u200cها", - "Add Member": "", - "Add Members": "", + "Add Group": "افزودن گروه", "Add Memory": "افزودن حافظه", "Add Model": "افزودن مدل", "Add Reaction": "افزودن واکنش", @@ -257,7 +252,6 @@ "Citations": "ارجاعات", "Clear memory": "پاک کردن حافظه", "Clear Memory": "پاک کردن حافظه", - "Clear status": "", "click here": "اینجا کلیک کنید", "Click here for filter guides.": "برای راهنمای فیلترها اینجا کلیک کنید.", "Click here for help.": "برای کمک اینجا را کلیک کنید.", @@ -294,7 +288,6 @@ "Code Interpreter": "مفسر کد", "Code Interpreter Engine": "موتور مفسر کد", "Code Interpreter Prompt Template": "قالب پرامپت مفسر کد", - "Collaboration channel where people join as members": "", "Collapse": "جمع کردن", "Collection": "مجموعه", "Color": "رنگ", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "پرامپت\u200cهای سفارشی را کشف، دانلود و کاوش کنید", "Discover, download, and explore custom tools": "کشف، دانلود و کاوش ابزارهای سفارشی", "Discover, download, and explore model presets": "پیش تنظیمات مدل را کشف، دانلود و کاوش کنید", - "Discussion channel where access is based on groups and permissions": "", "Display": "نمایش", "Display chat title in tab": "نمایش عنوان چت در تب", "Display Emoji in Call": "نمایش اموجی در تماس", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "مثلا \"json\" یا یک طرح JSON", "e.g. 60": "مثلا 60", "e.g. A filter to remove profanity from text": "مثلا فیلتری برای حذف ناسزا از متن", - "e.g. about the Roman Empire": "", "e.g. en": "مثلاً en", "e.g. My Filter": "مثلا فیلتر من", "e.g. My Tools": "مثلا ابزارهای من", "e.g. my_filter": "مثلا my_filter", "e.g. my_tools": "مثلا my_tools", "e.g. pdf, docx, txt": "مثلاً pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "مثلا ابزارهایی برای انجام عملیات مختلف", "e.g., 3, 4, 5 (leave blank for default)": "مثلاً ۳، ۴، ۵ (برای پیش\u200cفرض خالی بگذارید)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "مثلاً audio/wav,audio/mpeg,video/* (برای پیش\u200cفرض\u200cها خالی بگذارید)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "برون\u200cریزی پیکربندی به پروندهٔ JSON", "Export Models": "", "Export Presets": "برون\u200cریزی پیش\u200cتنظیم\u200cها", + "Export Prompt Suggestions": "خروجی گرفتن از پیشنهادات پرامپت", "Export Prompts": "", "Export to CSV": "برون\u200cریزی به CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "آدرس URL جستجوی وب خارجی", "Fade Effect for Streaming Text": "جلوه محو شدن برای متن جریانی", "Failed to add file.": "خطا در افزودن پرونده", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "خطا در اتصال به سرور ابزار OpenAPI {{URL}}", "Failed to copy link": "کپی لینک ناموفق بود", "Failed to create API Key.": "ایجاد کلید API با خطا مواجه شد.", @@ -729,14 +717,12 @@ "Failed to load file content.": "بارگیری محتوای فایل ناموفق بود.", "Failed to move chat": "انتقال چت ناموفق بود", "Failed to read clipboard contents": "خواندن محتوای کلیپ بورد ناموفق بود", - "Failed to remove member": "", "Failed to render diagram": "رندر دیاگرام ناموفق بود", "Failed to render visualization": "رندر بصری\u200cسازی ناموفق بود", "Failed to save connections": "خطا در ذخیره\u200cسازی اتصالات", "Failed to save conversation": "خطا در ذخیره\u200cسازی گفت\u200cوگو", "Failed to save models configuration": "خطا در ذخیره\u200cسازی پیکربندی مدل\u200cها", "Failed to update settings": "خطا در به\u200cروزرسانی تنظیمات", - "Failed to update status": "", "Failed to upload file.": "خطا در بارگذاری پرونده", "Features": "ویژگی\u200cها", "Features Permissions": "مجوزهای ویژگی\u200cها", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "شناسه موتور PSE گوگل", "Gravatar": "گراواتار", "Group": "گروه", - "Group Channel": "", "Group created successfully": "گروه با موفقیت ایجاد شد", "Group deleted successfully": "گروه با موفقیت حذف شد", "Group Description": "توضیحات گروه", "Group Name": "نام گروه", "Group updated successfully": "گروه با موفقیت به\u200cروز شد", - "groups": "", "Groups": "گروه\u200cها", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "وارد کردن یادداشت\u200cها", "Import Presets": "درون\u200cریزی پیش\u200cتنظیم\u200cها", + "Import Prompt Suggestions": "وارد کردن پیشنهادات پرامپت", "Import Prompts": "", "Import successful": "وارد کردن با موفقیت انجام شد", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "پشتیبانی MCP آزمایشی است و مشخصات آن اغلب تغییر می\u200cکند، که می\u200cتواند منجر به ناسازگاری شود. پشتیبانی از مشخصات OpenAPI مستقیماً توسط تیم Open WebUI نگهداری می\u200cشود و آن را به گزینه قابل اعتماد\u200cتری برای سازگاری تبدیل می\u200cکند.", "Medium": "متوسط", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "حافظه های دسترسی به LLMs در اینجا نمایش داده می شوند.", "Memory": "حافظه", "Memory added successfully": "حافظه با موفقیت اضافه شد", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "فقط کاراکترهای الفبایی و خط فاصله در رشته فرمان مجاز هستند.", "Only can be triggered when the chat input is in focus.": "فقط زمانی قابل اجرا است که ورودی چت در فوکوس باشد.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "فقط مجموعه\u200cها قابل ویرایش هستند، برای ویرایش/افزودن اسناد یک پایگاه دانش جدید ایجاد کنید.", - "Only invited users can access": "", "Only markdown files are allowed": "فقط فایل\u200cهای مارک\u200cداون مجاز هستند", "Only select users and groups with permission can access": "فقط کاربران و گروه\u200cهای دارای مجوز می\u200cتوانند دسترسی داشته باشند", "Oops! Looks like the URL is invalid. Please double-check and try again.": "اوه! به نظر می رسد URL نامعتبر است. لطفاً دوباره بررسی کنید و دوباره امتحان کنید.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 روز قبل", "Previous message": "پیام قبلی", "Private": "خصوصی", - "Private conversation between selected users": "", "Profile": "پروفایل", "Prompt": "پرامپت", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "پیشنهاد (برای مثال: به من بگوید چیزی که برای من یک کاربرد داره درباره ایران)", "Prompt Autocompletion": "تکمیل خودکار پرامپت", "Prompt Content": "محتویات پرامپت", "Prompt created successfully": "پرامپت با موفقیت ایجاد شد", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "تعداد نخ\u200cهای کارگر مورد استفاده برای محاسبات را تنظیم کنید. این گزینه کنترل می\u200cکند که چند نخ برای پردازش همزمان درخواست\u200cهای ورودی استفاده می\u200cشود. افزایش این مقدار می\u200cتواند عملکرد را در بارهای کاری با همزمانی بالا بهبود بخشد اما ممکن است منابع CPU بیشتری مصرف کند.", "Set Voice": "تنظیم صدا", "Set whisper model": "تنظیم مدل ویسپر", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "یک بایاس ثابت در برابر توکن\u200cهایی که حداقل یک بار ظاهر شده\u200cاند تنظیم می\u200cکند. مقدار بالاتر (مثلاً 1.5) تکرارها را شدیدتر جریمه می\u200cکند، در حالی که مقدار پایین\u200cتر (مثلاً 0.9) آسان\u200cگیرتر خواهد بود. در 0، غیرفعال می\u200cشود.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "یک بایاس مقیاس\u200cپذیر در برابر توکن\u200cها برای جریمه کردن تکرارها، بر اساس تعداد دفعات ظاهر شدن آنها تنظیم می\u200cکند. مقدار بالاتر (مثلاً 1.5) تکرارها را شدیدتر جریمه می\u200cکند، در حالی که مقدار پایین\u200cتر (مثلاً 0.9) آسان\u200cگیرتر خواهد بود. در 0، غیرفعال می\u200cشود.", "Sets how far back for the model to look back to prevent repetition.": "تنظیم می\u200cکند که مدل چقدر به عقب نگاه کند تا از تکرار جلوگیری شود.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "شروع یک مکالمه جدید", "Start of the channel": "آغاز کانال", "Start Tag": "تگ شروع", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "به\u200cروزرسانی\u200cهای وضعیت", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "مراحل", @@ -1541,7 +1518,7 @@ "STT Model": "مدل تبدیل صدا به متن", "STT Settings": "تنظیمات تبدیل صدا به متن", "Stylized PDF Export": "خروجی گرفتن از PDF با استایل", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "زیرنویس (برای مثال: درباره رمانی)", "Success": "موفقیت", "Successfully imported {{userCount}} users.": "{{userCount}} کاربر با موفقیت وارد شدند.", "Successfully updated.": "با موفقیت به\u200cروز شد", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "آدرس سرور تیکا مورد نیاز است.", "Tiktoken": "تیک توکن", "Title": "عنوان", + "Title (e.g. Tell me a fun fact)": "عنوان (برای مثال: به من بگوید چیزی که دوست دارید)", "Title Auto-Generation": "تولید خودکار عنوان", "Title cannot be an empty string.": "عنوان نمی تواند یک رشته خالی باشد.", "Title Generation": "تولید عنوان", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "به روزرسانی و کپی لینک", "Update for the latest features and improvements.": "برای آخرین ویژگی\u200cها و بهبودها به\u200cروزرسانی کنید.", "Update password": "به روزرسانی رمزعبور", - "Update your status": "", "Updated": "بارگذاری شد", "Updated at": "بارگذاری در", "Updated At": "بارگذاری در", @@ -1746,7 +1723,6 @@ "View Replies": "مشاهده پاسخ\u200cها", "View Result from **{{NAME}}**": "مشاهده نتیجه از **{{NAME}}**", "Visibility": "قابلیت مشاهده", - "Visible to all users": "", "Vision": "بینایی", "Voice": "صوت", "Voice Input": "ورودی صوتی", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "به دنبال دستیابی به چه هدفی هستید؟", "What are you working on?": "روی چه چیزی کار می\u200cکنید؟", "What's New in": "چه چیز جدیدی در", - "What's on your mind?": "", "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.": "وقتی فعال باشد، مدل به هر پیام گفتگو در زمان واقعی پاسخ می\u200cدهد و به محض ارسال پیام توسط کاربر، پاسخی تولید می\u200cکند. این حالت برای برنامه\u200cهای گفتگوی زنده مفید است، اما ممکن است در سخت\u200cافزارهای کندتر بر عملکرد تأثیر بگذارد.", "wherever you are": "هر جا که هستید", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "آیا خروجی صفحه\u200cبندی شود یا خیر. هر صفحه با یک خط افقی و شماره صفحه از هم جدا می\u200cشود. پیش\u200cفرض: False.", diff --git a/src/lib/i18n/locales/fi-FI/translation.json b/src/lib/i18n/locales/fi-FI/translation.json index 21ca7a584d..1cf41620e3 100644 --- a/src/lib/i18n/locales/fi-FI/translation.json +++ b/src/lib/i18n/locales/fi-FI/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} sanaa", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} lataus peruttu", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}:n keskustelut", "{{webUIName}} Backend Required": "{{webUIName}}-backend vaaditaan", "*Prompt node ID(s) are required for image generation": "Kuvan luomiseen vaaditaan kehote-solmun ID(t)", "1 Source": "1 lähde", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Uusi versio (v{{LATEST_VERSION}}) on nyt saatavilla.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Tehtävämallia käytetään tehtävien suorittamiseen, kuten otsikoiden luomiseen keskusteluille ja verkkohakukyselyille", "a user": "käyttäjä", "About": "Tietoja", @@ -57,8 +53,7 @@ "Add Custom Prompt": "Lisää mukautettu kehoite", "Add Details": "Lisää yksityiskohtia", "Add Files": "Lisää tiedostoja", - "Add Member": "", - "Add Members": "", + "Add Group": "Lisää ryhmä", "Add Memory": "Lisää muistiin", "Add Model": "Lisää malli", "Add Reaction": "Lisää reaktio", @@ -257,7 +252,6 @@ "Citations": "Lähdeviitteet", "Clear memory": "Tyhjennä muisti", "Clear Memory": "Tyhjennä Muisti", - "Clear status": "", "click here": "klikkaa tästä", "Click here for filter guides.": "Katso suodatinohjeita klikkaamalla tästä.", "Click here for help.": "Klikkaa tästä saadaksesi apua.", @@ -294,7 +288,6 @@ "Code Interpreter": "Ohjelmatulkki", "Code Interpreter Engine": "Ohjelmatulkin moottori", "Code Interpreter Prompt Template": "Ohjelmatulkin kehotemalli", - "Collaboration channel where people join as members": "", "Collapse": "Pienennä", "Collection": "Kokoelma", "Color": "Väri", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Löydä ja lataa mukautettuja kehotteita", "Discover, download, and explore custom tools": "Etsi, lataa ja tutki mukautettuja työkaluja", "Discover, download, and explore model presets": "Löydä ja lataa mallien esiasetuksia", - "Discussion channel where access is based on groups and permissions": "", "Display": "Näytä", "Display chat title in tab": "Näytä keskustelu otiskko välilehdessä", "Display Emoji in Call": "Näytä hymiöitä puhelussa", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "esim. \"json\" tai JSON kaava", "e.g. 60": "esim. 60", "e.g. A filter to remove profanity from text": "esim. suodatin, joka poistaa kirosanoja tekstistä", - "e.g. about the Roman Empire": "", "e.g. en": "esim. en", "e.g. My Filter": "esim. Oma suodatin", "e.g. My Tools": "esim. Omat työkalut", "e.g. my_filter": "esim. oma_suodatin", "e.g. my_tools": "esim. omat_työkalut", "e.g. pdf, docx, txt": "esim. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "esim. työkaluja erilaisten toimenpiteiden suorittamiseen", "e.g., 3, 4, 5 (leave blank for default)": "esim. 3, 4, 5 (jätä tyhjäksi, jos haluat oletusarvon)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "esim. audio/wav,audio/mpeg,video/* (oletusarvot tyhjänä)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Vie asetukset JSON-tiedostoon", "Export Models": "", "Export Presets": "Vie esiasetukset", + "Export Prompt Suggestions": "Vie kehote ehdotukset", "Export Prompts": "", "Export to CSV": "Vie CSV-tiedostoon", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "Ulkoinen Web Search verkko-osoite", "Fade Effect for Streaming Text": "Häivytystehoste suoratoistetulle tekstille", "Failed to add file.": "Tiedoston lisääminen epäonnistui.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Yhdistäminen {{URL}} OpenAPI työkalu palvelimeen epäonnistui", "Failed to copy link": "Linkin kopiointi epäonnistui", "Failed to create API Key.": "API-avaimen luonti epäonnistui.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Tiedoston sisällön lataaminen epäonnistui.", "Failed to move chat": "Keskustelun siirto epäonnistui", "Failed to read clipboard contents": "Leikepöydän sisällön lukeminen epäonnistui", - "Failed to remove member": "", "Failed to render diagram": "Diagrammin renderöinti epäonnistui", "Failed to render visualization": "Visualisoinnin renderöinti epäonnistui", "Failed to save connections": "Yhteyksien tallentaminen epäonnistui", "Failed to save conversation": "Keskustelun tallentaminen epäonnistui", "Failed to save models configuration": "Mallien määrityksen tallentaminen epäonnistui", "Failed to update settings": "Asetusten päivittäminen epäonnistui", - "Failed to update status": "", "Failed to upload file.": "Tiedoston lataaminen epäonnistui.", "Features": "Ominaisuudet", "Features Permissions": "Ominaisuuksien käyttöoikeudet", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE -moottorin tunnus", "Gravatar": "Gravatar", "Group": "Ryhmä", - "Group Channel": "", "Group created successfully": "Ryhmä luotu onnistuneesti", "Group deleted successfully": "Ryhmä poistettu onnistuneesti", "Group Description": "Ryhmän kuvaus", "Group Name": "Ryhmän nimi", "Group updated successfully": "Ryhmä päivitetty onnistuneesti", - "groups": "", "Groups": "Ryhmät", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Tuo muistiinpanoja", "Import Presets": "Tuo esiasetuksia", + "Import Prompt Suggestions": "Tuo kehote ehdotukset", "Import Prompts": "", "Import successful": "Tuonti onnistui", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP-tuki on kokeellinen ja sen määritykset muuttuvat usein, mikä voi johtaa yhteensopivuus ongelmiin. OpenAPI-määritysten tuesta vastaa suoraan Open WebUI -tiimi, joten se on luotettavampi vaihtoehto yhteensopivuuden kannalta.", "Medium": "Keskitaso", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Muistitiedostot, joita LLM-ohjelmat käyttävät, näkyvät tässä.", "Memory": "Muisti", "Memory added successfully": "Muisti lisätty onnistuneesti", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Vain kirjaimet, numerot ja väliviivat ovat sallittuja komentosarjassa.", "Only can be triggered when the chat input is in focus.": "Voidaan laukaista vain, kun tekstikenttä on kohdistettuna.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Vain kokoelmia voi muokata, luo uusi tietokanta muokataksesi/lisätäksesi asiakirjoja.", - "Only invited users can access": "", "Only markdown files are allowed": "Vain markdown tiedostot ovat sallittuja", "Only select users and groups with permission can access": "Vain valitut käyttäjät ja ryhmät, joilla on käyttöoikeus, pääsevät käyttämään", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hups! Näyttää siltä, että verkko-osoite on virheellinen. Tarkista se ja yritä uudelleen.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Edelliset 7 päivää", "Previous message": "Edellinen viesti", "Private": "Yksityinen", - "Private conversation between selected users": "", "Profile": "Profiili", "Prompt": "Kehote", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Kehote (esim. Kerro hauska fakta Rooman valtakunnasta)", "Prompt Autocompletion": "Kehotteen automaattinen täydennys", "Prompt Content": "Kehotteen sisältö", "Prompt created successfully": "Kehote luotu onnistuneesti", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Aseta työntekijäsäikeiden määrä laskentaa varten. Tämä asetus kontrolloi, kuinka monta säiettä käytetään saapuvien pyyntöjen rinnakkaiseen käsittelyyn. Arvon kasvattaminen voi parantaa suorituskykyä suurissa samanaikaisissa työkuormissa, mutta voi myös kuluttaa enemmän keskussuorittimen resursseja.", "Set Voice": "Aseta puheääni", "Set whisper model": "Aseta whisper-malli", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "Määrittää kuinka kauas taaksepäin malli katsoo toistumisen estämiseksi.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "Aloita uusi keskustelu", "Start of the channel": "Kanavan alku", "Start Tag": "Aloitus tagi", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Tila päivitykset", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Askeleet", @@ -1541,7 +1518,7 @@ "STT Model": "Puheentunnistusmalli", "STT Settings": "Puheentunnistuksen asetukset", "Stylized PDF Export": "Muotoiltun PDF-vienti", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Alaotsikko (esim. Rooman valtakunta)", "Success": "Onnistui", "Successfully imported {{userCount}} users.": "{{userCount}} käyttäjää tuottiin onnistuneesti.", "Successfully updated.": "Päivitetty onnistuneesti.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika palvelimen verkko-osoite vaaditaan.", "Tiktoken": "Tiktoken", "Title": "Otsikko", + "Title (e.g. Tell me a fun fact)": "Otsikko (esim. Kerro hauska fakta)", "Title Auto-Generation": "Otsikon automaattinen luonti", "Title cannot be an empty string.": "Otsikko ei voi olla tyhjä merkkijono.", "Title Generation": "Otsikon luonti", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Päivitä ja kopioi linkki", "Update for the latest features and improvements.": "Päivitä uusimpiin ominaisuuksiin ja parannuksiin.", "Update password": "Päivitä salasana", - "Update your status": "", "Updated": "Päivitetty", "Updated at": "Päivitetty", "Updated At": "Päivitetty", @@ -1746,7 +1723,6 @@ "View Replies": "Näytä vastaukset", "View Result from **{{NAME}}**": "Näytä **{{NAME}}** tulokset", "Visibility": "Näkyvyys", - "Visible to all users": "", "Vision": "Visio", "Voice": "Ääni", "Voice Input": "Äänitulolaitteen käyttö", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Mitä yrität saavuttaa?", "What are you working on?": "Mitä olet työskentelemässä?", "What's New in": "Mitä uutta", - "What's on your mind?": "", "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.": "Kun käytössä, malli vastaa jokaiseen chatviestiin reaaliajassa, tuottaen vastauksen heti kun käyttäjä lähettää viestin. Tämä tila on hyödyllinen reaaliaikaisissa chat-sovelluksissa, mutta voi vaikuttaa suorituskykyyn hitaammilla laitteistoilla.", "wherever you are": "missä tahansa oletkin", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Sivutetaanko tuloste. Jokainen sivu erotetaan toisistaan vaakasuoralla viivalla ja sivunumerolla. Oletusarvo ei käytössä.", diff --git a/src/lib/i18n/locales/fr-CA/translation.json b/src/lib/i18n/locales/fr-CA/translation.json index f34e4c589f..9c8c35bb9b 100644 --- a/src/lib/i18n/locales/fr-CA/translation.json +++ b/src/lib/i18n/locales/fr-CA/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Conversations de {{user}}", "{{webUIName}} Backend Required": "Backend {{webUIName}} requis", "*Prompt node ID(s) are required for image generation": "*Les ID de noeud du prompt sont nécessaires pour la génération d'images", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Une nouvelle version (v{{LATEST_VERSION}}) est disponible.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un modèle de tâche est utilisé lors de l'exécution de tâches telles que la génération de titres pour les conversations et les requêtes de recherche sur le web.", "a user": "un utilisateur", "About": "À propos", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Ajouter des fichiers", - "Add Member": "", - "Add Members": "", + "Add Group": "Ajouter un groupe", "Add Memory": "Ajouter un souvenir", "Add Model": "Ajouter un modèle", "Add Reaction": "Ajouter une réaction", @@ -257,7 +252,6 @@ "Citations": "Citations", "Clear memory": "Effacer la mémoire", "Clear Memory": "Effacer la mémoire", - "Clear status": "", "click here": "cliquez ici", "Click here for filter guides.": "Cliquez ici pour les guides de filtrage.", "Click here for help.": "Cliquez ici pour obtenir de l'aide.", @@ -294,7 +288,6 @@ "Code Interpreter": "Interpreteur de code", "Code Interpreter Engine": "Moteur de l'interpreteur de code", "Code Interpreter Prompt Template": "Modèle d'invite pour l'interpréteur de code", - "Collaboration channel where people join as members": "", "Collapse": "Réduire", "Collection": "Collection", "Color": "Couleur", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Découvrez, téléchargez et explorez des prompts personnalisés", "Discover, download, and explore custom tools": "Découvrez, téléchargez et explorez des outils personnalisés", "Discover, download, and explore model presets": "Découvrir, télécharger et explorer des préréglages de modèles", - "Discussion channel where access is based on groups and permissions": "", "Display": "Afficher", "Display chat title in tab": "", "Display Emoji in Call": "Afficher les emojis pendant l'appel", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "par ex. \"json\" ou un schéma JSON", "e.g. 60": "par ex. 60", "e.g. A filter to remove profanity from text": "par ex. un filtre pour retirer les vulgarités du texte", - "e.g. about the Roman Empire": "", "e.g. en": "par ex. fr", "e.g. My Filter": "par ex. Mon Filtre", "e.g. My Tools": "par ex. Mes Outils", "e.g. my_filter": "par ex. mon_filtre", "e.g. my_tools": "par ex. mes_outils", "e.g. pdf, docx, txt": "par ex. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "par ex. Outils pour effectuer diverses opérations", "e.g., 3, 4, 5 (leave blank for default)": "par ex., 3, 4, 5 (laisser vide pour par défaut)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exporter la configuration vers un fichier JSON", "Export Models": "", "Export Presets": "Exporter les préréglages", + "Export Prompt Suggestions": "Exporter les suggestions de prompt", "Export Prompts": "", "Export to CSV": "Exporter en CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "URL de la recherche Web externe", "Fade Effect for Streaming Text": "", "Failed to add file.": "Échec de l'ajout du fichier.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}", "Failed to copy link": "Échec de la copie du lien", "Failed to create API Key.": "Échec de la création de la clé API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Échec du chargement du contenu du fichier", "Failed to move chat": "", "Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Échec de la sauvegarde des connexions", "Failed to save conversation": "Échec de la sauvegarde de la conversation", "Failed to save models configuration": "Échec de la sauvegarde de la configuration des modèles", "Failed to update settings": "Échec de la mise à jour des réglages", - "Failed to update status": "", "Failed to upload file.": "Échec du téléversement du fichier.", "Features": "Fonctionnalités", "Features Permissions": "Autorisations des fonctionnalités", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID du moteur de recherche PSE de Google", "Gravatar": "", "Group": "Groupe", - "Group Channel": "", "Group created successfully": "Groupe créé avec succès", "Group deleted successfully": "Groupe supprimé avec succès", "Group Description": "Description du groupe", "Group Name": "Nom du groupe", "Group updated successfully": "Groupe mis à jour avec succès", - "groups": "", "Groups": "Groupes", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Importer des notes", "Import Presets": "Importer les préréglages", + "Import Prompt Suggestions": "Importer des suggestions de prompt", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Les souvenirs accessibles par les LLMs seront affichées ici.", "Memory": "Mémoire", "Memory added successfully": "Souvenir ajoutée avec succès", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Seules les collections peuvent être modifiées, créez une nouvelle base de connaissance pour modifier/ajouter des documents.", - "Only invited users can access": "", "Only markdown files are allowed": "Seul les fichiers markdown sont autorisés", "Only select users and groups with permission can access": "Seuls les utilisateurs et groupes autorisés peuvent accéder", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Veuillez vérifier à nouveau et réessayer.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 derniers jours", "Previous message": "Message précédent", "Private": "Privé", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (par ex. Dites-moi un fait amusant à propos de l'Empire romain)", "Prompt Autocompletion": "Autocomplétion de prompt", "Prompt Content": "Contenu du prompt", "Prompt created successfully": "Prompt créé avec succès", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Définir le nombre de threads de travail utilisés pour le calcul. Cette option contrôle combien de threads sont utilisés pour traiter les demandes entrantes simultanément. L'augmentation de cette valeur peut améliorer les performances sous de fortes charges de travail concurrentes mais peut également consommer plus de ressources CPU.", "Set Voice": "Choisir la voix", "Set whisper model": "Choisir le modèle Whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Applique un biais uniforme contre les jetons déjà apparus. Une valeur élevée (ex. : 1,5) pénalise fortement les répétitions, une valeur faible (ex. : 0,9) les tolère davantage. À 0, ce réglage est désactivé.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Applique un biais progressif contre les jetons en fonction de leur fréquence d'apparition. Une valeur plus élevée les pénalise davantage ; une valeur plus faible est plus indulgente. À 0, ce réglage est désactivé.", "Sets how far back for the model to look back to prevent repetition.": "Définit la profondeur de rétrospection du modèle pour éviter les répétitions.", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "Début du canal", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "Modèle de Speech-to-Text", "STT Settings": "Réglages de Speech-to-Text", "Stylized PDF Export": "Export de PDF stylisés", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Sous-titres (par ex. sur l'Empire romain)", "Success": "Réussite", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Mise à jour réussie.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "URL du serveur Tika requise.", "Tiktoken": "Tiktoken", "Title": "Titre", + "Title (e.g. Tell me a fun fact)": "Titre (par ex. raconte-moi un fait amusant)", "Title Auto-Generation": "Génération automatique des titres", "Title cannot be an empty string.": "Le titre ne peut pas être une chaîne de caractères vide.", "Title Generation": "Génération du Titre", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Mettre à jour et copier le lien", "Update for the latest features and improvements.": "Mettez à jour pour bénéficier des dernières fonctionnalités et améliorations.", "Update password": "Mettre à jour le mot de passe", - "Update your status": "", "Updated": "Mis à jour", "Updated at": "Mise à jour le", "Updated At": "Mise à jour le", @@ -1747,7 +1724,6 @@ "View Replies": "Voir les réponses", "View Result from **{{NAME}}**": "Voir le résultat de **{{NAME}}**", "Visibility": "Visibilité", - "Visible to all users": "", "Vision": "Vision", "Voice": "Voix", "Voice Input": "Saisie vocale", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "Que cherchez-vous à accomplir ?", "What are you working on?": "Sur quoi travaillez-vous ?", "What's New in": "Quoi de neuf dans", - "What's on your mind?": "", "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.": "Lorsqu'il est activé, le modèle répondra à chaque message de la conversation en temps réel, générant une réponse dès que l'utilisateur envoie un message. Ce mode est utile pour les applications de conversation en direct, mais peut affecter les performances sur un matériel plus lent.", "wherever you are": "où que vous soyez", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Indique si la sortie doit être paginée. Chaque page sera séparée par une règle horizontale et un numéro de page. La valeur par défaut est False.", diff --git a/src/lib/i18n/locales/fr-FR/translation.json b/src/lib/i18n/locales/fr-FR/translation.json index f5d3436133..89d08043af 100644 --- a/src/lib/i18n/locales/fr-FR/translation.json +++ b/src/lib/i18n/locales/fr-FR/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} mots", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} à {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Le téléchargement de {{model}} a été annulé", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Conversations de {{user}}", "{{webUIName}} Backend Required": "Backend {{webUIName}} requis", "*Prompt node ID(s) are required for image generation": "*Les ID de noeud du prompt sont nécessaires pour la génération d'images", "1 Source": "1 Source", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Une nouvelle version (v{{LATEST_VERSION}}) est disponible.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un modèle de tâche est utilisé lors de l'exécution de tâches telles que la génération de titres pour les conversations et les requêtes de recherche sur le web.", "a user": "un utilisateur", "About": "À propos", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "Ajouter des détails", "Add Files": "Ajouter des fichiers", - "Add Member": "", - "Add Members": "", + "Add Group": "Ajouter un groupe", "Add Memory": "Ajouter un souvenir", "Add Model": "Ajouter un modèle", "Add Reaction": "Ajouter une réaction", @@ -257,7 +252,6 @@ "Citations": "Citations", "Clear memory": "Effacer la mémoire", "Clear Memory": "Effacer la mémoire", - "Clear status": "", "click here": "cliquez ici", "Click here for filter guides.": "Cliquez ici pour les guides de filtrage.", "Click here for help.": "Cliquez ici pour obtenir de l'aide.", @@ -294,7 +288,6 @@ "Code Interpreter": "Interpreteur de code", "Code Interpreter Engine": "Moteur de l'interpreteur de code", "Code Interpreter Prompt Template": "Modèle d'invite pour l'interpréteur de code", - "Collaboration channel where people join as members": "", "Collapse": "Réduire", "Collection": "Collection", "Color": "Couleur", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Découvrez, téléchargez et explorez des prompts personnalisés", "Discover, download, and explore custom tools": "Découvrez, téléchargez et explorez des outils personnalisés", "Discover, download, and explore model presets": "Découvrir, télécharger et explorer des préréglages de modèles", - "Discussion channel where access is based on groups and permissions": "", "Display": "Afficher", "Display chat title in tab": "", "Display Emoji in Call": "Afficher les emojis pendant l'appel", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "par ex. \"json\" ou un schéma JSON", "e.g. 60": "par ex. 60", "e.g. A filter to remove profanity from text": "par ex. un filtre pour retirer les vulgarités du texte", - "e.g. about the Roman Empire": "", "e.g. en": "par ex. fr", "e.g. My Filter": "par ex. Mon Filtre", "e.g. My Tools": "par ex. Mes Outils", "e.g. my_filter": "par ex. mon_filtre", "e.g. my_tools": "par ex. mes_outils", "e.g. pdf, docx, txt": "par ex. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "par ex. Outils pour effectuer diverses opérations", "e.g., 3, 4, 5 (leave blank for default)": "par ex., 3, 4, 5 (laisser vide pour par défaut)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "Ex : audio/wav,audio/mpeg,video/* (laisser vide pour les valeurs par défaut)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exporter la configuration vers un fichier JSON", "Export Models": "", "Export Presets": "Exporter les préréglages", + "Export Prompt Suggestions": "Exporter les suggestions de prompt", "Export Prompts": "", "Export to CSV": "Exporter en CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "URL de la recherche Web externe", "Fade Effect for Streaming Text": "Effet de fondu pour le texte en streaming", "Failed to add file.": "Échec de l'ajout du fichier.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}", "Failed to copy link": "Échec de la copie du lien", "Failed to create API Key.": "Échec de la création de la clé API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Échec du chargement du contenu du fichier", "Failed to move chat": "Échec du déplacement du chat", "Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Échec de la sauvegarde des connexions", "Failed to save conversation": "Échec de la sauvegarde de la conversation", "Failed to save models configuration": "Échec de la sauvegarde de la configuration des modèles", "Failed to update settings": "Échec de la mise à jour des réglages", - "Failed to update status": "", "Failed to upload file.": "Échec du téléversement du fichier.", "Features": "Fonctionnalités", "Features Permissions": "Autorisations des fonctionnalités", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID du moteur de recherche PSE de Google", "Gravatar": "", "Group": "Groupe", - "Group Channel": "", "Group created successfully": "Groupe créé avec succès", "Group deleted successfully": "Groupe supprimé avec succès", "Group Description": "Description du groupe", "Group Name": "Nom du groupe", "Group updated successfully": "Groupe mis à jour avec succès", - "groups": "", "Groups": "Groupes", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Importer des notes", "Import Presets": "Importer les préréglages", + "Import Prompt Suggestions": "Importer des suggestions de prompt", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "Moyen", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Les souvenirs accessibles par les LLMs seront affichées ici.", "Memory": "Mémoire", "Memory added successfully": "Souvenir ajoutée avec succès", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Seules les collections peuvent être modifiées, créez une nouvelle base de connaissance pour modifier/ajouter des documents.", - "Only invited users can access": "", "Only markdown files are allowed": "Seul les fichiers markdown sont autorisés", "Only select users and groups with permission can access": "Seuls les utilisateurs et groupes autorisés peuvent accéder", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oups ! Il semble que l'URL soit invalide. Veuillez vérifier à nouveau et réessayer.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 derniers jours", "Previous message": "Message précédent", "Private": "Privé", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (par ex. Dites-moi un fait amusant à propos de l'Empire romain)", "Prompt Autocompletion": "Autocomplétion de prompt", "Prompt Content": "Contenu du prompt", "Prompt created successfully": "Prompt créé avec succès", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Définir le nombre de threads de travail utilisés pour le calcul. Cette option contrôle combien de threads sont utilisés pour traiter les demandes entrantes simultanément. L'augmentation de cette valeur peut améliorer les performances sous de fortes charges de travail concurrentes mais peut également consommer plus de ressources CPU.", "Set Voice": "Choisir la voix", "Set whisper model": "Choisir le modèle Whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Applique un biais uniforme contre les jetons déjà apparus. Une valeur élevée (ex. : 1,5) pénalise fortement les répétitions, une valeur faible (ex. : 0,9) les tolère davantage. À 0, ce réglage est désactivé.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Applique un biais progressif contre les jetons en fonction de leur fréquence d'apparition. Une valeur plus élevée les pénalise davantage ; une valeur plus faible est plus indulgente. À 0, ce réglage est désactivé.", "Sets how far back for the model to look back to prevent repetition.": "Définit la profondeur de rétrospection du modèle pour éviter les répétitions.", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "Début du canal", "Start Tag": "Balise de départ", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Mises à jour de statut", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "Modèle de Speech-to-Text", "STT Settings": "Réglages de Speech-to-Text", "Stylized PDF Export": "Export de PDF stylisés", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Sous-titres (par ex. sur l'Empire romain)", "Success": "Réussite", "Successfully imported {{userCount}} users.": "{{userCount}} utilisateurs ont été importés avec succès.", "Successfully updated.": "Mise à jour réussie.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "URL du serveur Tika requise.", "Tiktoken": "Tiktoken", "Title": "Titre", + "Title (e.g. Tell me a fun fact)": "Titre (par ex. raconte-moi un fait amusant)", "Title Auto-Generation": "Génération automatique des titres", "Title cannot be an empty string.": "Le titre ne peut pas être une chaîne de caractères vide.", "Title Generation": "Génération du Titre", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Mettre à jour et copier le lien", "Update for the latest features and improvements.": "Mettez à jour pour bénéficier des dernières fonctionnalités et améliorations.", "Update password": "Mettre à jour le mot de passe", - "Update your status": "", "Updated": "Mis à jour", "Updated at": "Mise à jour le", "Updated At": "Mise à jour le", @@ -1747,7 +1724,6 @@ "View Replies": "Voir les réponses", "View Result from **{{NAME}}**": "Voir le résultat de **{{NAME}}**", "Visibility": "Visibilité", - "Visible to all users": "", "Vision": "Vision", "Voice": "Voix", "Voice Input": "Saisie vocale", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "Que cherchez-vous à accomplir ?", "What are you working on?": "Sur quoi travaillez-vous ?", "What's New in": "Quoi de neuf dans", - "What's on your mind?": "", "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.": "Lorsqu'il est activé, le modèle répondra à chaque message de la conversation en temps réel, générant une réponse dès que l'utilisateur envoie un message. Ce mode est utile pour les applications de conversation en direct, mais peut affecter les performances sur un matériel plus lent.", "wherever you are": "où que vous soyez", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Indique si la sortie doit être paginée. Chaque page sera séparée par une règle horizontale et un numéro de page. La valeur par défaut est False.", diff --git a/src/lib/i18n/locales/gl-ES/translation.json b/src/lib/i18n/locales/gl-ES/translation.json index 821585008c..389ebcd120 100644 --- a/src/lib/i18n/locales/gl-ES/translation.json +++ b/src/lib/i18n/locales/gl-ES/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Chats do {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Servidor Requerido", "*Prompt node ID(s) are required for image generation": "Os ID do nodo son requeridos para a xeneración de imáxes", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Unha nova versión (v{{LATEST_VERSION}}) está disponible.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "o modelo de tarefas utilizase realizando tarefas como a xeneración de títulos para chats e consultas da búsqueda web", "a user": "un usuario", "About": "Sobre nos", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Agregar Arquivos", - "Add Member": "", - "Add Members": "", + "Add Group": "Agregar Grupo", "Add Memory": "Agregar Memoria", "Add Model": "Agregar Modelo", "Add Reaction": "Agregar Reacción", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Liberar memoria", "Clear Memory": "Limpar memoria", - "Clear status": "", "click here": "Pica aquí", "Click here for filter guides.": "Pica aquí para guías de filtros", "Click here for help.": "Pica aquí para obter axuda.", @@ -294,7 +288,6 @@ "Code Interpreter": "Interprete de Código", "Code Interpreter Engine": "Motor interprete de código", "Code Interpreter Prompt Template": "Exemplos de Prompt para o Interprete de Código", - "Collaboration channel where people join as members": "", "Collapse": "Esconder", "Collection": "Colección", "Color": "Cor", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Descubre, descarga, y explora Prompts personalizados", "Discover, download, and explore custom tools": "Descubre, descarga y explora ferramentas personalizadas", "Discover, download, and explore model presets": "Descubre, descarga y explora ajustes preestablecidos de modelos", - "Discussion channel where access is based on groups and permissions": "", "Display": "Mostrar", "Display chat title in tab": "", "Display Emoji in Call": "Muestra Emoji en chamada", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "e.g. 60", "e.g. A filter to remove profanity from text": "p.ej. Un filtro para eliminar a profanidade do texto", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "p.ej. O meu Filtro", "e.g. My Tools": "p.ej. As miñas ferramentas", "e.g. my_filter": "p.ej. meu_filtro", "e.g. my_tools": "p.ej. miñas_ferramentas", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "p.ej. ferramentas para realizar diversas operacions", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exportar configuración a Arquivo JSON", "Export Models": "", "Export Presets": "Exportar ajustes preestablecidos", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Exportar a CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Non pudo agregarse o Arquivo.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Non pudo xerarse a chave API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Non pudo Lerse o contido do portapapeles", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Non puido gardarse a conversa", "Failed to save models configuration": "Non pudogardarse a configuración de os modelos", "Failed to update settings": "Falla al actualizar os ajustes", - "Failed to update status": "", "Failed to upload file.": "Falla al subir o Arquivo.", "Features": "Características", "Features Permissions": "Permisos de características", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID do motor PSE de Google", "Gravatar": "", "Group": "Grupo", - "Group Channel": "", "Group created successfully": "Grupo creado correctamente", "Group deleted successfully": "Grupo eliminado correctamente", "Group Description": "Descripción do grupo", "Group Name": "Nome do grupo", "Group updated successfully": "Grupo actualizado correctamente", - "groups": "", "Groups": "Grupos", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Importar ajustes preestablecidos", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "As memorias accesibles por os LLMs mostraránse aquí.", "Memory": "Memoria", "Memory added successfully": "Memoria añadida correctamente", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo se permiten caracteres alfanuméricos y guiones en a cadena de comando.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar as coleccions, xerar unha nova base de coñecementos para editar / añadir documentos", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Solo os usuarios y grupos con permiso pueden acceder", "Oops! Looks like the URL is invalid. Please double-check and try again.": "¡Ups! Parece que a URL no es válida. Vuelva a verificar e inténtelo novamente.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Últimos 7 días", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (por Exemplo, cuéntame unha cosa divertida sobre o Imperio Romano)", "Prompt Autocompletion": "", "Prompt Content": "Contenido do Prompt", "Prompt created successfully": "Prompt creado exitosamente", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Establece o número de hilos de trabajo utilizados para o cálculo. Esta opción controla cuántos hilos se utilizan para procesar as solicitudes entrantes simultáneamente. Aumentar este valor puede mejorar o rendimiento bajo cargas de trabajo de alta concurrencia, pero también puede consumir mais recursos de CPU.", "Set Voice": "Establecer la voz", "Set whisper model": "Establecer modelo de whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo plano contra os tokens que han aparecido al menos una vez. Un valor más alto (por Exemplo, 1.5) penalizará más fuertemente las repeticiones, mientras que un valor más bajo (por Exemplo, 0.9) será más indulgente. En 0, está deshabilitado.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo de escala contra os tokens para penalizar las repeticiones, basado en cuántas veces han aparecido. Un valor más alto (por Exemplo, 1.5) penalizará más fuertemente las repeticiones, mientras que un valor más bajo (por Exemplo, 0.9) será más indulgente. En 0, está deshabilitado.", "Sets how far back for the model to look back to prevent repetition.": "Establece canto tempo debe retroceder o modelo para evitar a repetición.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Inicio da canle", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "Modelo STT", "STT Settings": "Configuracions de STT", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtítulo (por Exemplo, sobre o Imperio Romano)", "Success": "Éxito", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Actualizado exitosamente.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "URL do servidor de Tika", "Tiktoken": "Tiktoken", "Title": "Título", + "Title (e.g. Tell me a fun fact)": "Título (por Exemplo, cóntame unha curiosidad)", "Title Auto-Generation": "xeneración automática de títulos", "Title cannot be an empty string.": "O título non pode ser unha cadena vacía.", "Title Generation": "Xeneración de titulos", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Actualizar y copiar enlace", "Update for the latest features and improvements.": "Actualize para as últimas características e mejoras.", "Update password": "Actualizar contrasinal ", - "Update your status": "", "Updated": "Actualizado", "Updated at": "Actualizado en", "Updated At": "Actualizado en", @@ -1746,7 +1723,6 @@ "View Replies": "Ver respuestas", "View Result from **{{NAME}}**": "", "Visibility": "Visibilidad", - "Visible to all users": "", "Vision": "", "Voice": "Voz", "Voice Input": "Entrada de voz", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "¿Qué estás tratando de lograr?", "What are you working on?": "¿En qué estás trabajando?", "What's New in": "Novedades en", - "What's on your mind?": "", "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.": "Cando está habilitado, o modelo responderá a cada mensaxe de chat en tempo real, generando unha resposta tan pronto como o usuario envíe un mensaxe. Este modo es útil para aplicacions de chat en vivo, pero puede afectar o rendimiento en hardware mais lento.", "wherever you are": "Donde queira que estés", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/he-IL/translation.json b/src/lib/i18n/locales/he-IL/translation.json index e2bb677e9f..bac52cf336 100644 --- a/src/lib/i18n/locales/he-IL/translation.json +++ b/src/lib/i18n/locales/he-IL/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "צ'אטים של {{user}}", "{{webUIName}} Backend Required": "נדרש Backend של {{webUIName}}", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "מודל משימה משמש בעת ביצוע משימות כגון יצירת כותרות עבור צ'אטים ושאילתות חיפוש באינטרנט", "a user": "משתמש", "About": "אודות", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "הוסף קבצים", - "Add Member": "", - "Add Members": "", + "Add Group": "הוסף קבוצה", "Add Memory": "הוסף זיכרון", "Add Model": "הוסף מודל", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "נקה זיכרון", "Clear Memory": "נקה", - "Clear status": "", "click here": "לחץ פה", "Click here for filter guides.": "", "Click here for help.": "לחץ כאן לעזרה.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "אוסף", "Color": "צבע", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "גלה, הורד, וחקור פקודות מותאמות אישית", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "גלה, הורד, וחקור הגדרות מודל מוגדרות מראש", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "יצירת מפתח API נכשלה.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "קריאת תוכן הלוח נכשלה", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "שמירת השיחה נכשלה", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "מזהה מנוע PSE של Google", "Gravatar": "", "Group": "קבוצה", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "קבוצות", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "ייבוא פתקים", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "מזכירים נגישים על ידי LLMs יוצגו כאן.", "Memory": "זיכרון", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "רק תווים אלפאנומריים ומקפים מותרים במחרוזת הפקודה.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "אופס! נראה שהכתובת URL אינה תקינה. אנא בדוק שוב ונסה שנית.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 הימים הקודמים", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "פרופיל", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "פקודה (למשל, ספר לי עובדה מעניינת על האימפריה הרומית)", "Prompt Autocompletion": "", "Prompt Content": "תוכן הפקודה", "Prompt created successfully": "", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "הגדר קול", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "תחילת הערוץ", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "", "STT Settings": "הגדרות חקירה של TTS", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "תחקור (לדוגמה: על מעמד הרומי)", "Success": "הצלחה", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "עדכון הצלחה.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "שם", + "Title (e.g. Tell me a fun fact)": "שם (לדוגמה: תרגום)", "Title Auto-Generation": "יצירת שם אוטומטית", "Title cannot be an empty string.": "שם לא יכול להיות מחרוזת ריקה.", "Title Generation": "", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "עדכן ושכפל קישור", "Update for the latest features and improvements.": "", "Update password": "עדכן סיסמה", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1747,7 +1724,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "מה חדש ב", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/hi-IN/translation.json b/src/lib/i18n/locales/hi-IN/translation.json index 1127218ebc..23bcb203a9 100644 --- a/src/lib/i18n/locales/hi-IN/translation.json +++ b/src/lib/i18n/locales/hi-IN/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} की चैट", "{{webUIName}} Backend Required": "{{webUIName}} बैकएंड आवश्यक", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "चैट और वेब खोज क्वेरी के लिए शीर्षक उत्पन्न करने जैसे कार्य करते समय कार्य मॉडल का उपयोग किया जाता है", "a user": "एक उपयोगकर्ता", "About": "हमारे बारे में", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "फाइलें जोड़ें", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "मेमोरी जोड़ें", "Add Model": "मॉडल जोड़ें", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "सहायता के लिए यहां क्लिक करें।", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "संग्रह", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "कस्टम प्रॉम्प्ट को खोजें, डाउनलोड करें और एक्सप्लोर करें", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "मॉडल प्रीसेट खोजें, डाउनलोड करें और एक्सप्लोर करें", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "एपीआई कुंजी बनाने में विफल.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "क्लिपबोर्ड सामग्री पढ़ने में विफल", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "वार्तालाप सहेजने में विफल", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE इंजन आईडी", "Gravatar": "", "Group": "समूह", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "एलएलएम द्वारा सुलभ यादें यहां दिखाई जाएंगी।", "Memory": "मेमोरी", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "कमांड स्ट्रिंग में केवल अल्फ़ान्यूमेरिक वर्ण और हाइफ़न की अनुमति है।", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "उफ़! ऐसा लगता है कि यूआरएल अमान्य है. कृपया दोबारा जांचें और पुनः प्रयास करें।", @@ -1282,9 +1263,9 @@ "Previous 7 days": "पिछले 7 दिन", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "प्रोफ़ाइल", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "प्रॉम्प्ट (उदाहरण के लिए मुझे रोमन साम्राज्य के बारे में एक मजेदार तथ्य बताएं)", "Prompt Autocompletion": "", "Prompt Content": "प्रॉम्प्ट सामग्री", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "आवाज सेट करें", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "चैनल की शुरुआत", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "", "STT Settings": "STT सेटिंग्स ", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "उपशीर्षक (जैसे रोमन साम्राज्य के बारे में)", "Success": "संपन्न", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "सफलतापूर्वक उत्परिवर्तित।", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "शीर्षक", + "Title (e.g. Tell me a fun fact)": "शीर्षक (उदा. मुझे एक मज़ेदार तथ्य बताएं)", "Title Auto-Generation": "शीर्षक ऑटो-जेनरेशन", "Title cannot be an empty string.": "शीर्षक नहीं खाली पाठ हो सकता है.", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "अपडेट करें और लिंक कॉपी करें", "Update for the latest features and improvements.": "", "Update password": "पासवर्ड अपडेट करें", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "इसमें नया क्या है", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/hr-HR/translation.json b/src/lib/i18n/locales/hr-HR/translation.json index 03b8810777..d3e8258e23 100644 --- a/src/lib/i18n/locales/hr-HR/translation.json +++ b/src/lib/i18n/locales/hr-HR/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Razgovori korisnika {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Backend je potreban", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model zadatka koristi se pri izvođenju zadataka kao što su generiranje naslova za razgovore i upite za pretraživanje weba", "a user": "korisnik", "About": "O aplikaciji", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Dodaj datoteke", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "Dodaj memoriju", "Add Model": "Dodaj model", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Očisti memoriju", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Kliknite ovdje za pomoć.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolekcija", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Otkrijte, preuzmite i istražite prilagođene prompte", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Otkrijte, preuzmite i istražite unaprijed postavljene modele", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Neuspješno stvaranje API ključa.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Neuspješno spremanje razgovora", "Failed to save models configuration": "", "Failed to update settings": "Greška kod ažuriranja postavki", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID Google PSE modula", "Gravatar": "", "Group": "Grupa", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Ovdje će biti prikazana memorija kojoj mogu pristupiti LLM-ovi.", "Memory": "Memorija", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Prethodnih 7 dana", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (npr. Reci mi zanimljivost o Rimskom carstvu)", "Prompt Autocompletion": "", "Prompt Content": "Sadržaj prompta", "Prompt created successfully": "", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Postavi glas", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "Početak kanala", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "STT model", "STT Settings": "STT postavke", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Podnaslov (npr. o Rimskom carstvu)", "Success": "Uspjeh", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Uspješno ažurirano.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Naslov", + "Title (e.g. Tell me a fun fact)": "Naslov (npr. Reci mi zanimljivost)", "Title Auto-Generation": "Automatsko generiranje naslova", "Title cannot be an empty string.": "Naslov ne može biti prazni niz.", "Title Generation": "", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Ažuriraj i kopiraj vezu", "Update for the latest features and improvements.": "", "Update password": "Ažuriraj lozinku", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1747,7 +1724,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Što je novo u", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/hu-HU/translation.json b/src/lib/i18n/locales/hu-HU/translation.json index dcc8ab379e..4803bea601 100644 --- a/src/lib/i18n/locales/hu-HU/translation.json +++ b/src/lib/i18n/locales/hu-HU/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} beszélgetései", "{{webUIName}} Backend Required": "{{webUIName}} Backend szükséges", "*Prompt node ID(s) are required for image generation": "*Prompt node ID(k) szükségesek a képgeneráláshoz", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Új verzió (v{{LATEST_VERSION}}) érhető el.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "A feladat modell olyan feladatokhoz használatos, mint a beszélgetések címeinek generálása és webes keresési lekérdezések", "a user": "egy felhasználó", "About": "Névjegy", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Fájlok hozzáadása", - "Add Member": "", - "Add Members": "", + "Add Group": "Csoport hozzáadása", "Add Memory": "Memória hozzáadása", "Add Model": "Modell hozzáadása", "Add Reaction": "Reakció hozzáadása", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Memória törlése", "Clear Memory": "Memória törlése", - "Clear status": "", "click here": "kattints ide", "Click here for filter guides.": "Kattints ide a szűrő útmutatókért.", "Click here for help.": "Kattints ide segítségért.", @@ -294,7 +288,6 @@ "Code Interpreter": "Kód értelmező", "Code Interpreter Engine": "Kód értelmező motor", "Code Interpreter Prompt Template": "Kód értelmező prompt sablon", - "Collaboration channel where people join as members": "", "Collapse": "Összecsukás", "Collection": "Gyűjtemény", "Color": "Szín", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Fedezz fel, tölts le és fedezz fel egyéni promptokat", "Discover, download, and explore custom tools": "Fedezz fel, tölts le és fedezz fel egyéni eszközöket", "Discover, download, and explore model presets": "Fedezz fel, tölts le és fedezz fel modell beállításokat", - "Discussion channel where access is based on groups and permissions": "", "Display": "Megjelenítés", "Display chat title in tab": "", "Display Emoji in Call": "Emoji megjelenítése hívásban", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "pl. \"json\" vagy egy JSON séma", "e.g. 60": "pl. 60", "e.g. A filter to remove profanity from text": "pl. Egy szűrő a trágárság eltávolítására a szövegből", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "pl. Az én szűrőm", "e.g. My Tools": "pl. Az én eszközeim", "e.g. my_filter": "pl. az_en_szűrőm", "e.g. my_tools": "pl. az_en_eszkozeim", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "pl. Eszközök különböző műveletek elvégzéséhez", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Konfiguráció exportálása JSON fájlba", "Export Models": "", "Export Presets": "Előre beállított exportálás", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Exportálás CSV-be", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Nem sikerült hozzáadni a fájlt.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Nem sikerült csatlakozni a {{URL}} OpenAPI eszköszerverhez", "Failed to copy link": "", "Failed to create API Key.": "Nem sikerült létrehozni az API kulcsot.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Nem sikerült olvasni a vágólap tartalmát", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Nem sikerült menteni a kapcsolatokat", "Failed to save conversation": "Nem sikerült menteni a beszélgetést", "Failed to save models configuration": "Nem sikerült menteni a modellek konfigurációját", "Failed to update settings": "Nem sikerült frissíteni a beállításokat", - "Failed to update status": "", "Failed to upload file.": "Nem sikerült feltölteni a fájlt.", "Features": "Funkciók", "Features Permissions": "Funkciók engedélyei", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE motor azonosító", "Gravatar": "", "Group": "Csoport", - "Group Channel": "", "Group created successfully": "Csoport sikeresen létrehozva", "Group deleted successfully": "Csoport sikeresen törölve", "Group Description": "Csoport leírása", "Group Name": "Csoport neve", "Group updated successfully": "Csoport sikeresen frissítve", - "groups": "", "Groups": "Csoportok", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Előre beállított importálás", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Az LLM-ek által elérhető emlékek itt jelennek meg.", "Memory": "Memória", "Memory added successfully": "Memória sikeresen hozzáadva", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Csak alfanumerikus karakterek és kötőjelek engedélyezettek a parancssorban.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Csak gyűjtemények szerkeszthetők, hozzon létre új tudásbázist dokumentumok szerkesztéséhez/hozzáadásához.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Csak a kiválasztott, engedéllyel rendelkező felhasználók és csoportok férhetnek hozzá", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppá! Úgy tűnik, az URL érvénytelen. Kérjük, ellenőrizze és próbálja újra.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Előző 7 nap", "Previous message": "", "Private": "Privát", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (pl. Mondj egy érdekes tényt a Római Birodalomról)", "Prompt Autocompletion": "Prompt automatikus kiegészítés", "Prompt Content": "Prompt tartalom", "Prompt created successfully": "Prompt sikeresen létrehozva", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Állítsd be a számítási feladatokhoz használt munkaszálak számát. Ez az opció szabályozza, hány szál dolgozik párhuzamosan a bejövő kérések feldolgozásán. Az érték növelése javíthatja a teljesítményt nagy párhuzamosságú munkaterhelés esetén, de több CPU-erőforrást is fogyaszthat.", "Set Voice": "Hang beállítása", "Set whisper model": "Whisper modell beállítása", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Egységes elfogultságot állít be az egyszer már megjelent tokenek ellen. Magasabb érték (pl. 1,5) erősebben bünteti az ismétléseket, alacsonyabb érték (pl. 0,9) engedékenyebb. 0-nál kikapcsolva.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Skálázott elfogultságot állít be az ismétlések büntetésére a tokenek megjelenési száma alapján. Magasabb érték (pl. 1,5) erősebben bünteti az ismétléseket, alacsonyabb érték (pl. 0,9) engedékenyebb. 0-nál kikapcsolva.", "Sets how far back for the model to look back to prevent repetition.": "Beállítja, hogy a modell mennyire nézzen vissza az ismétlések elkerülése érdekében.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "A csatorna eleje", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT modell", "STT Settings": "STT beállítások", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Alcím (pl. a Római Birodalomról)", "Success": "Siker", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Sikeresen frissítve.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika szerver URL szükséges.", "Tiktoken": "Tiktoken", "Title": "Cím", + "Title (e.g. Tell me a fun fact)": "Cím (pl. Mondj egy érdekes tényt)", "Title Auto-Generation": "Cím automatikus generálása", "Title cannot be an empty string.": "A cím nem lehet üres karakterlánc.", "Title Generation": "Cím generálás", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Frissítés és link másolása", "Update for the latest features and improvements.": "Frissítsen a legújabb funkciókért és fejlesztésekért.", "Update password": "Jelszó frissítése", - "Update your status": "", "Updated": "Frissítve", "Updated at": "Frissítve ekkor", "Updated At": "Frissítve ekkor", @@ -1746,7 +1723,6 @@ "View Replies": "Válaszok megtekintése", "View Result from **{{NAME}}**": "Eredmény megtekintése innen: **{{NAME}}**", "Visibility": "Láthatóság", - "Visible to all users": "", "Vision": "", "Voice": "Hang", "Voice Input": "Hangbevitel", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Mit próbálsz elérni?", "What are you working on?": "Min dolgozol?", "What's New in": "Mi újság a", - "What's on your mind?": "", "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.": "Ha engedélyezve van, a modell valós időben válaszol minden csevegőüzenetre, amint a felhasználó elküldi az üzenetet. Ez a mód hasznos élő csevegőalkalmazásokhoz, de lassabb hardveren befolyásolhatja a teljesítményt.", "wherever you are": "bárhol is vagy", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/id-ID/translation.json b/src/lib/i18n/locales/id-ID/translation.json index 54f46a88d4..9470800202 100644 --- a/src/lib/i18n/locales/id-ID/translation.json +++ b/src/lib/i18n/locales/id-ID/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Obrolan {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Diperlukan Backend", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model tugas digunakan saat melakukan tugas seperti membuat judul untuk obrolan dan kueri penelusuran web", "a user": "seorang pengguna", "About": "Tentang", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Menambahkan File", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "Menambahkan Memori", "Add Model": "Tambahkan Model", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Menghapus memori", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Klik di sini untuk bantuan.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Koleksi", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Temukan, unduh, dan jelajahi prompt khusus", "Discover, download, and explore custom tools": "Menemukan, mengunduh, dan menjelajahi alat khusus", "Discover, download, and explore model presets": "Menemukan, mengunduh, dan menjelajahi preset model", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Menampilkan Emoji dalam Panggilan", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Gagal membuat API Key.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Gagal membaca konten papan klip", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Gagal menyimpan percakapan", "Failed to save models configuration": "", "Failed to update settings": "Gagal memperbarui pengaturan", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Id Mesin Google PSE", "Gravatar": "", "Group": "Grup", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memori yang dapat diakses oleh LLM akan ditampilkan di sini.", "Memory": "Memori", "Memory added successfully": "Memori berhasil ditambahkan", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Hanya karakter alfanumerik dan tanda hubung yang diizinkan dalam string perintah.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Sepertinya URL tidak valid. Mohon periksa ulang dan coba lagi.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 hari sebelumnya", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Permintaan (mis. Ceritakan sebuah fakta menarik tentang Kekaisaran Romawi)", "Prompt Autocompletion": "", "Prompt Content": "Konten yang Diminta", "Prompt created successfully": "", @@ -1469,7 +1450,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Mengatur Suara", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1522,9 +1502,6 @@ "Start a new conversation": "", "Start of the channel": "Awal saluran", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1540,7 +1517,7 @@ "STT Model": "Model STT", "STT Settings": "Pengaturan STT", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtitle (misalnya tentang Kekaisaran Romawi)", "Success": "Berhasil", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Berhasil diperbarui.", @@ -1623,6 +1600,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Judul", + "Title (e.g. Tell me a fun fact)": "Judul (misalnya, Ceritakan sebuah fakta menarik)", "Title Auto-Generation": "Pembuatan Judul Secara Otomatis", "Title cannot be an empty string.": "Judul tidak boleh berupa string kosong.", "Title Generation": "", @@ -1691,7 +1669,6 @@ "Update and Copy Link": "Perbarui dan Salin Tautan", "Update for the latest features and improvements.": "", "Update password": "Perbarui kata sandi", - "Update your status": "", "Updated": "", "Updated at": "Diperbarui di", "Updated At": "", @@ -1745,7 +1722,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "Suara", "Voice Input": "", @@ -1773,7 +1749,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Apa yang Baru di", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ie-GA/translation.json b/src/lib/i18n/locales/ie-GA/translation.json index f9017c4a15..4b7a4e8baa 100644 --- a/src/lib/i18n/locales/ie-GA/translation.json +++ b/src/lib/i18n/locales/ie-GA/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} focail", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} ag {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Tá íoslódáil {{model}} curtha ar ceal", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Comhráite {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Ceoldeireadh Riachtanach", "*Prompt node ID(s) are required for image generation": "* Tá ID nód leid ag teastáil chun íomhá a ghiniúint", "1 Source": "1 Foinse", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Tá leagan nua (v {{LATEST_VERSION}}) ar fáil anois.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Úsáidtear samhail tascanna agus tascanna á ndéanamh amhail teidil a ghiniúint le haghaidh comhráite agus fiosrúcháin chuardaigh ghréasáin", "a user": "úsáideoir", "About": "Maidir", @@ -57,8 +53,7 @@ "Add Custom Prompt": "Cuir Leid Saincheaptha leis", "Add Details": "Cuir Sonraí leis", "Add Files": "Cuir Comhaid", - "Add Member": "", - "Add Members": "", + "Add Group": "Cuir Grúpa leis", "Add Memory": "Cuir Cuimhne", "Add Model": "Cuir Samhail leis", "Add Reaction": "Cuir Frithghníomh leis", @@ -257,7 +252,6 @@ "Citations": "Comhlua", "Clear memory": "Cuimhne ghlan", "Clear Memory": "Glan Cuimhne", - "Clear status": "", "click here": "cliceáil anseo", "Click here for filter guides.": "Cliceáil anseo le haghaidh treoracha scagaire.", "Click here for help.": "Cliceáil anseo le haghaidh cabhair.", @@ -294,7 +288,6 @@ "Code Interpreter": "Ateangaire Cód", "Code Interpreter Engine": "Inneall Ateangaire Cóid", "Code Interpreter Prompt Template": "Teimpléad Pras Ateangaire Cód", - "Collaboration channel where people join as members": "", "Collapse": "Laghdaigh", "Collection": "Bailiúchán", "Color": "Dath", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Leideanna saincheaptha a fháil amach, a íoslódáil agus a iniúchadh", "Discover, download, and explore custom tools": "Uirlisí saincheaptha a fháil amach, íoslódáil agus iniúchadh", "Discover, download, and explore model presets": "Réamhshocruithe samhail a fháil amach, a íoslódáil agus a iniúchadh", - "Discussion channel where access is based on groups and permissions": "", "Display": "Taispeáin", "Display chat title in tab": "Taispeáin teideal an chomhrá sa chluaisín", "Display Emoji in Call": "Taispeáin Emoji i nGlao", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "m.sh. \"json\" nó scéimre JSON", "e.g. 60": "m.sh. 60", "e.g. A filter to remove profanity from text": "m.sh. Scagaire chun profanity a bhaint as téacs", - "e.g. about the Roman Empire": "", "e.g. en": "m.sh. en", "e.g. My Filter": "m.sh. Mo Scagaire", "e.g. My Tools": "m.sh. Mo Uirlisí", "e.g. my_filter": "m.sh. mo_scagaire", "e.g. my_tools": "m.sh. mo_uirlisí", "e.g. pdf, docx, txt": "m.sh. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "m.sh. Uirlisí chun oibríochtaí éagsúla a dhéanamh", "e.g., 3, 4, 5 (leave blank for default)": "m.sh., 3, 4, 5 (fág bán le haghaidh réamhshocraithe)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "m.sh., fuaim/wav, fuaim/mpeg, físeán/* (fág bán le haghaidh réamhshocruithe)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Easpórtáil Cumraíocht chuig Comhad JSON", "Export Models": "", "Export Presets": "Easpórtáil Gach Comhrá Cartlainne", + "Export Prompt Suggestions": "Moltaí Easpórtála", "Export Prompts": "", "Export to CSV": "Easpórtáil go CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "URL Cuardaigh Gréasáin Sheachtrach", "Fade Effect for Streaming Text": "Éifeacht Céimnithe le haghaidh Sruthú Téacs", "Failed to add file.": "Theip ar an gcomhad a chur leis.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Theip ar nascadh le {{URL}} freastalaí uirlisí OpenAPI", "Failed to copy link": "Theip ar an nasc a chóipeáil", "Failed to create API Key.": "Theip ar an eochair API a chruthú.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Theip ar lódáil ábhar an chomhaid.", "Failed to move chat": "Theip ar an gcomhrá a bhogadh", "Failed to read clipboard contents": "Theip ar ábhar gearrthaisce a lé", - "Failed to remove member": "", "Failed to render diagram": "Theip ar an léaráid a rindreáil", "Failed to render visualization": "Theip ar an léirshamhlú a rindreáil", "Failed to save connections": "Theip ar na naisc a shábháil", "Failed to save conversation": "Theip ar an gcomhrá a shábháil", "Failed to save models configuration": "Theip ar chumraíocht na samhlacha a shábháil", "Failed to update settings": "Theip ar shocruithe a nuashonrú", - "Failed to update status": "", "Failed to upload file.": "Theip ar uaslódáil an chomhaid.", "Features": "Gnéithe", "Features Permissions": "Ceadanna Gnéithe", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID Inneall Google PSE", "Gravatar": "Gravatar", "Group": "Grúpa", - "Group Channel": "", "Group created successfully": "Grúpa cruthaithe go rathúil", "Group deleted successfully": "D'éirigh le scriosadh an ghrúpa", "Group Description": "Cur síos ar an nGrúpa", "Group Name": "Ainm an Ghrúpa", "Group updated successfully": "D'éirigh le nuashonrú an ghrúpa", - "groups": "", "Groups": "Grúpaí", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Nótaí Iompórtála", "Import Presets": "Réamhshocruithe Iompórtáil", + "Import Prompt Suggestions": "Moltaí Pras Iompórtála", "Import Prompts": "", "Import successful": "D'éirigh leis an allmhairiú", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "Is turgnamhach tacaíocht MCP agus athraítear a shonraíocht go minic, rud a d’fhéadfadh neamh-chomhoiriúnachtaí a bheith mar thoradh air. Déanann foireann Open WebUI cothabháil dhíreach ar thacaíocht sonraíochta OpenAPI, rud a fhágann gurb é an rogha is iontaofa é le haghaidh comhoiriúnachta.", "Medium": "Meánach", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Taispeánfar cuimhní atá inrochtana ag LLManna anseo.", "Memory": "Cuimhne", "Memory added successfully": "Cuireadh cuimhne leis go", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Ní cheadaítear ach carachtair alfauméireacha agus braithíní sa sreangán ordaithe.", "Only can be triggered when the chat input is in focus.": "Ní féidir é a spreagadh ach amháin nuair a bhíonn an t-ionchur comhrá i bhfócas.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Ní féidir ach bailiúcháin a chur in eagar, bonn eolais nua a chruthú chun doiciméid a chur in eagar/a chur leis.", - "Only invited users can access": "", "Only markdown files are allowed": "Ní cheadaítear ach comhaid marcála síos", "Only select users and groups with permission can access": "Ní féidir ach le húsáideoirí roghnaithe agus le grúpaí a bhfuil cead acu rochtain a fháil", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Is cosúil go bhfuil an URL neamhbhailí. Seiceáil faoi dhó le do thoil agus iarracht arís.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 lá roimhe seo", "Previous message": "Teachtaireacht roimhe seo", "Private": "Príobháideach", - "Private conversation between selected users": "", "Profile": "Próifíl", "Prompt": "Leid", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Leid (m.sh. inis dom fíric spraíúil faoin Impireacht Rómhánach)", "Prompt Autocompletion": "Uathchríochnú Pras", "Prompt Content": "Ábhar Leid", "Prompt created successfully": "Leid cruthaithe go rathúil", @@ -1472,7 +1453,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Socraigh líon na snáitheanna oibrithe a úsáidtear le haghaidh ríomh. Rialaíonn an rogha seo cé mhéad snáithe a úsáidtear chun iarratais a thagann isteach a phróiseáil i gcomhthráth. D'fhéadfadh méadú ar an luach seo feidhmíocht a fheabhsú faoi ualaí oibre comhairgeadra ard ach féadfaidh sé níos mó acmhainní LAP a úsáid freisin.", "Set Voice": "Socraigh Guth", "Set whisper model": "Socraigh samhail cogarnaí", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Socraíonn sé claonadh cothrom i gcoinne comharthaí a tháinig chun solais uair amháin ar a laghad. Cuirfidh luach níos airde (m.sh., 1.5) pionós níos láidre ar athrá, agus beidh luach níos ísle (m.sh., 0.9) níos boige. Ag 0, tá sé díchumasaithe.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Socraíonn sé laofacht scálaithe i gcoinne comharthaí chun pionós a ghearradh ar athrá, bunaithe ar cé mhéad uair a tháinig siad chun solais. Cuirfidh luach níos airde (m.sh., 1.5) pionós níos láidre ar athrá, agus beidh luach níos ísle (m.sh., 0.9) níos boige. Ag 0, tá sé díchumasaithe.", "Sets how far back for the model to look back to prevent repetition.": "Socraíonn sé cé chomh fada siar is atá an tsamhail le breathnú siar chun athrá a chosc.", @@ -1525,9 +1505,6 @@ "Start a new conversation": "Tosaigh comhrá nua", "Start of the channel": "Tús an chainéil", "Start Tag": "Clib Tosaigh", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Nuashonruithe Stádais", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Céimeanna", @@ -1543,7 +1520,7 @@ "STT Model": "Samhail STT", "STT Settings": "Socruithe STT", "Stylized PDF Export": "Easpórtáil PDF Stílithe", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Fotheideal (m.sh. faoin Impireacht Rómhánach)", "Success": "Rath", "Successfully imported {{userCount}} users.": "Iompórtáladh {{userCount}} úsáideoir go rathúil.", "Successfully updated.": "Nuashonraithe go rathúil.", @@ -1626,6 +1603,7 @@ "Tika Server URL required.": "Teastaíonn URL Freastalaí Tika.", "Tiktoken": "Tiktoken", "Title": "Teideal", + "Title (e.g. Tell me a fun fact)": "Teideal (m.sh. inis dom fíric spraíúil)", "Title Auto-Generation": "Teideal Auto-Generation", "Title cannot be an empty string.": "Ní féidir leis an teideal a bheith ina teaghrán folamh.", "Title Generation": "Giniúint Teidil", @@ -1694,7 +1672,6 @@ "Update and Copy Link": "Nuashonraigh agus Cóipeáil Nasc", "Update for the latest features and improvements.": "Nuashonrú le haghaidh na gnéithe agus na feabhsuithe is déanaí.", "Update password": "Nuashonrú pasfhocal", - "Update your status": "", "Updated": "Nuashonraithe", "Updated at": "Nuashonraithe ag", "Updated At": "Nuashonraithe Ag", @@ -1748,7 +1725,6 @@ "View Replies": "Féach ar Fhreagraí", "View Result from **{{NAME}}**": "Féach ar Thoradh ó **{{NAME}}**", "Visibility": "Infheictheacht", - "Visible to all users": "", "Vision": "Fís", "Voice": "Guth", "Voice Input": "Ionchur Gutha", @@ -1776,7 +1752,6 @@ "What are you trying to achieve?": "Cad atá tú ag iarraidh a bhaint amach?", "What are you working on?": "Cad air a bhfuil tú ag obair?", "What's New in": "Cad atá Nua i", - "What's on your mind?": "", "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.": "Nuair a bheidh sé cumasaithe, freagróidh an tsamhail gach teachtaireacht comhrá i bhfíor-am, ag giniúint freagra a luaithe a sheolann an t-úsáideoir teachtaireacht. Tá an mód seo úsáideach le haghaidh feidhmchláir chomhrá beo, ach d'fhéadfadh tionchar a bheith aige ar fheidhmíocht ar chrua-earraí níos moille.", "wherever you are": "aon áit a bhfuil tú", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Cibé acu an ndéanfar an t-aschur a roinnt le leathanaigh nó nach ndéanfar. Beidh riail chothrománach agus uimhir leathanaigh ag scartha ó gach leathanach. Is é Bréag an rogha réamhshocraithe.", diff --git a/src/lib/i18n/locales/it-IT/translation.json b/src/lib/i18n/locales/it-IT/translation.json index 86d85be79e..44e5e33e85 100644 --- a/src/lib/i18n/locales/it-IT/translation.json +++ b/src/lib/i18n/locales/it-IT/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} Chat", "{{webUIName}} Backend Required": "{{webUIName}} Richiesta Backend", "*Prompt node ID(s) are required for image generation": "*ID nodo prompt sono necessari per la generazione di immagini", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Una nuova versione (v{{LATEST_VERSION}}) è ora disponibile.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un task model viene utilizzato durante l'esecuzione di attività come la generazione di titoli per chat e query di ricerca Web", "a user": "un utente", "About": "Informazioni", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Aggiungi dei file", - "Add Member": "", - "Add Members": "", + "Add Group": "Aggiungi un gruppo", "Add Memory": "Aggiungi memoria", "Add Model": "Aggiungi un modello", "Add Reaction": "Aggiungi una reazione", @@ -257,7 +252,6 @@ "Citations": "Citazioni", "Clear memory": "Cancella memoria", "Clear Memory": "Cancella memoria", - "Clear status": "", "click here": "clicca qui", "Click here for filter guides.": "Clicca qui per le guide ai filtri.", "Click here for help.": "Clicca qui per aiuto.", @@ -294,7 +288,6 @@ "Code Interpreter": "Interprete codice", "Code Interpreter Engine": "Motore interprete codice", "Code Interpreter Prompt Template": "Template di prompt per interprete codice", - "Collaboration channel where people join as members": "", "Collapse": "Riduci", "Collection": "Collezione", "Color": "Colore", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Scopri, scarica ed esplora prompt personalizzati", "Discover, download, and explore custom tools": "Scopri, scarica ed esplora strumenti personalizzati", "Discover, download, and explore model presets": "Scopri, scarica ed esplora i preset dei modello", - "Discussion channel where access is based on groups and permissions": "", "Display": "Visualizza", "Display chat title in tab": "", "Display Emoji in Call": "Visualizza emoji nella chiamata", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "ad esempio \"json\" o uno schema JSON", "e.g. 60": "ad esempio 60", "e.g. A filter to remove profanity from text": "ad esempio un filtro per rimuovere le parolacce dal testo", - "e.g. about the Roman Empire": "", "e.g. en": "ad esempio en", "e.g. My Filter": "ad esempio il Mio Filtro", "e.g. My Tools": "ad esempio i Miei Strumenti", "e.g. my_filter": "ad esempio il mio_filtro", "e.g. my_tools": "ad esempio i miei_strumenti", "e.g. pdf, docx, txt": "ad esempio pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "ad esempio strumenti per eseguire varie operazioni", "e.g., 3, 4, 5 (leave blank for default)": "ad esempio, 3, 4, 5 (lascia vuoto per predefinito)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Esporta Configurazione in file JSON", "Export Models": "", "Export Presets": "Esporta Preset", + "Export Prompt Suggestions": "Esporta i suggerimenti per il prompt", "Export Prompts": "", "Export to CSV": "Esporta in CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "URL di ricerca web esterna", "Fade Effect for Streaming Text": "", "Failed to add file.": "Impossibile aggiungere il file.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Impossibile connettersi al server dello strumento OpenAPI {{URL}}", "Failed to copy link": "Impossibile copiare il link", "Failed to create API Key.": "Impossibile creare Chiave API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Impossibile caricare il contenuto del file.", "Failed to move chat": "", "Failed to read clipboard contents": "Impossibile leggere il contenuto degli appunti", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Impossibile salvare le connessioni", "Failed to save conversation": "Impossibile salvare la conversazione", "Failed to save models configuration": "Impossibile salvare la configurazione dei modelli", "Failed to update settings": "Impossibile aggiornare le impostazioni", - "Failed to update status": "", "Failed to upload file.": "Impossibile caricare il file.", "Features": "Caratteristiche", "Features Permissions": "Permessi delle funzionalità", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID motore PSE di Google", "Gravatar": "", "Group": "Gruppo", - "Group Channel": "", "Group created successfully": "Gruppo creato con successo", "Group deleted successfully": "Gruppo eliminato con successo", "Group Description": "Descrizione Gruppo", "Group Name": "Nome Gruppo", "Group updated successfully": "Gruppo aggiornato con successo", - "groups": "", "Groups": "Gruppi", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Importa Note", "Import Presets": "Importa Preset", + "Import Prompt Suggestions": "Importa suggerimenti Prompt", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "I memori accessibili ai LLM saranno mostrati qui.", "Memory": "Memoria", "Memory added successfully": "Memoria aggiunta con successo", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Nella stringa di comando sono consentiti solo caratteri alfanumerici e trattini.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo le collezioni possono essere modificate, crea una nuova base di conoscenza per modificare/aggiungere documenti.", - "Only invited users can access": "", "Only markdown files are allowed": "Sono consentiti solo file markdown", "Only select users and groups with permission can access": "Solo gli utenti e i gruppi selezionati con autorizzazione possono accedere", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Sembra che l'URL non sia valido. Si prega di ricontrollare e riprovare.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Ultimi 7 giorni", "Previous message": "", "Private": "Privato", - "Private conversation between selected users": "", "Profile": "Profilo", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ad esempio Dimmi un fatto divertente sull'Impero Romano)", "Prompt Autocompletion": "Autocompletamento del Prompt", "Prompt Content": "Contenuto del Prompt", "Prompt created successfully": "Prompt creato con successo", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Imposta il numero di thread di lavoro utilizzati per il calcolo. Questa opzione controlla quanti thread vengono utilizzati per elaborare le richieste in arrivo in modo concorrente. Aumentare questo valore può migliorare le prestazioni sotto carichi di lavoro ad alta concorrenza, ma può anche consumare più risorse CPU.", "Set Voice": "Imposta voce", "Set whisper model": "Imposta modello whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Imposta un bias piatto contro i token che sono apparsi almeno una volta. Un valore più alto (ad esempio, 1,5) penalizzerà le ripetizioni in modo più forte, mentre un valore più basso (ad esempio, 0,9) sarà più indulgente. A 0, è disabilitato.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Imposta un bias di scaling contro i token per penalizzare le ripetizioni, in base a quante volte sono apparsi. Un valore più alto (ad esempio, 1,5) penalizzerà le ripetizioni in modo più forte, mentre un valore più basso (ad esempio, 0,9) sarà più indulgente. A 0, è disabilitato.", "Sets how far back for the model to look back to prevent repetition.": "Imposta quanto lontano il modello deve guardare indietro per prevenire la ripetizione.", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "Inizio del canale", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "Modello STT", "STT Settings": "Impostazioni STT", "Stylized PDF Export": "Esportazione PDF Stilizzata", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Sottotitolo (ad esempio sull'Impero Romano)", "Success": "Successo", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Aggiornato con successo.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "L'URL del server Tika è obbligatorio.", "Tiktoken": "Tiktoken", "Title": "Titolo", + "Title (e.g. Tell me a fun fact)": "Titolo (ad esempio Dimmi un fatto divertente)", "Title Auto-Generation": "Generazione automatica del titolo", "Title cannot be an empty string.": "Il titolo non può essere una stringa vuota.", "Title Generation": "Generazione del titolo", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Aggiorna e Copia Link", "Update for the latest features and improvements.": "Aggiorna per le ultime funzionalità e miglioramenti.", "Update password": "Aggiorna password", - "Update your status": "", "Updated": "Aggiornato", "Updated at": "Aggiornato il", "Updated At": "Aggiornato Il", @@ -1747,7 +1724,6 @@ "View Replies": "Visualizza Risposte", "View Result from **{{NAME}}**": "Visualizza risultato da **{{NAME}}**", "Visibility": "Visibilità", - "Visible to all users": "", "Vision": "", "Voice": "Voce", "Voice Input": "Input vocale", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "Cosa stai cercando di ottenere?", "What are you working on?": "Su cosa stai lavorando?", "What's New in": "Novità in", - "What's on your mind?": "", "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.": "Quando abilitato, il modello risponderà a ciascun messaggio della chat in tempo reale, generando una risposta non appena l'utente invia un messaggio. Questa modalità è utile per le applicazioni di chat dal vivo, ma potrebbe influire sulle prestazioni su hardware più lento.", "wherever you are": "Ovunque tu sia", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Specifica se paginare l'output. Ogni pagina sarà separata da una riga orizzontale e dal numero di pagina. Predefinito è Falso.", diff --git a/src/lib/i18n/locales/ja-JP/translation.json b/src/lib/i18n/locales/ja-JP/translation.json index e8ca7a7e8a..a5f11ef2e4 100644 --- a/src/lib/i18n/locales/ja-JP/translation.json +++ b/src/lib/i18n/locales/ja-JP/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} 語", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "{{model}} のダウンロードがキャンセルされました", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} のチャット", "{{webUIName}} Backend Required": "{{webUIName}} バックエンドが必要です", "*Prompt node ID(s) are required for image generation": "*画像生成にはプロンプトノードIDが必要です", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "新しいバージョン (v{{LATEST_VERSION}}) が利用可能です。", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "タスクモデルは、チャットやウェブ検索クエリのタイトルの生成などのタスクを実行するときに使用されます", "a user": "ユーザー", "About": "概要", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "より詳しく", "Add Files": "ファイルを追加", - "Add Member": "", - "Add Members": "", + "Add Group": "グループを追加", "Add Memory": "メモリを追加", "Add Model": "モデルを追加", "Add Reaction": "リアクションを追加", @@ -257,7 +252,6 @@ "Citations": "引用", "Clear memory": "メモリをクリア", "Clear Memory": "メモリをクリア", - "Clear status": "", "click here": "ここをクリック", "Click here for filter guides.": "フィルターガイドはこちらをクリックしてください。", "Click here for help.": "ヘルプについてはここをクリックしてください。", @@ -294,7 +288,6 @@ "Code Interpreter": "コードインタプリタ", "Code Interpreter Engine": "コードインタプリタエンジン", "Code Interpreter Prompt Template": "コードインタプリタプロンプトテンプレート", - "Collaboration channel where people join as members": "", "Collapse": "折りたたむ", "Collection": "コレクション", "Color": "色", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "カスタムプロンプトを探してダウンロードする", "Discover, download, and explore custom tools": "カスタムツールを探てしダウンロードする", "Discover, download, and explore model presets": "モデルプリセットを探してダウンロードする", - "Discussion channel where access is based on groups and permissions": "", "Display": "表示", "Display chat title in tab": "", "Display Emoji in Call": "コールで絵文字を表示", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "例: \"json\" または JSON スキーマ", "e.g. 60": "", "e.g. A filter to remove profanity from text": "例: テキストから不適切な表現を削除するフィルター", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "e.g. 様々な操作を実行するためのツール", "e.g., 3, 4, 5 (leave blank for default)": "e.g. 3, 4, 5 (空白でデフォルト)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "e.g., audio/wav,audio/mpeg,video/* (空白でデフォルト)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "設定をJSONファイルでエクスポート", "Export Models": "", "Export Presets": "プリセットのエクスポート", + "Export Prompt Suggestions": "プロンプトの提案をエクスポート", "Export Prompts": "", "Export to CSV": "CSVにエクスポート", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "外部Web検索のURL", "Fade Effect for Streaming Text": "ストリームテキストのフェーディング効果", "Failed to add file.": "ファイルの追加に失敗しました。", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPIツールサーバーへの接続に失敗しました。", "Failed to copy link": "リンクのコピーに失敗しました。", "Failed to create API Key.": "APIキーの作成に失敗しました。", @@ -729,14 +717,12 @@ "Failed to load file content.": "ファイルの内容を読み込めませんでした。", "Failed to move chat": "チャットの移動に失敗しました。", "Failed to read clipboard contents": "クリップボードの内容を読み取れませんでした。", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "接続の保存に失敗しました。", "Failed to save conversation": "会話の保存に失敗しました。", "Failed to save models configuration": "モデルの設定の保存に失敗しました。", "Failed to update settings": "設定アップデートに失敗しました。", - "Failed to update status": "", "Failed to upload file.": "ファイルアップロードに失敗しました。", "Features": "機能", "Features Permissions": "機能の許可", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE エンジン ID", "Gravatar": "", "Group": "グループ", - "Group Channel": "", "Group created successfully": "グループの作成が成功しました。", "Group deleted successfully": "グループの削除が成功しました。", "Group Description": "グループの説明", "Group Name": "グループ名", "Group updated successfully": "グループの更新が成功しました。", - "groups": "", "Groups": "グループ", "H1": "見出し1", "H2": "見出し2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "ノートをインポート", "Import Presets": "プリセットをインポート", + "Import Prompt Suggestions": "プロンプトの提案をインポート", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "中", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM がアクセスできるメモリはここに表示されます。", "Memory": "メモリ", "Memory added successfully": "メモリに追加されました。", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "コマンド文字列には英数字とハイフンのみが使用できます。", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "コレクションのみ編集できます。新しいナレッジベースを作成してドキュメントを編集/追加してください。", - "Only invited users can access": "", "Only markdown files are allowed": "マークダウンファイルのみが許可されています", "Only select users and groups with permission can access": "許可されたユーザーとグループのみがアクセスできます", "Oops! Looks like the URL is invalid. Please double-check and try again.": "おっと! URL が無効なようです。もう一度確認してやり直してください。", @@ -1282,9 +1263,9 @@ "Previous 7 days": "過去7日間", "Previous message": "前のメッセージ", "Private": "プライベート", - "Private conversation between selected users": "", "Profile": "プロフィール", "Prompt": "プロンプト", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "プロンプト(例:ローマ帝国についての楽しい事を教えてください)", "Prompt Autocompletion": "プロンプトの自動補完", "Prompt Content": "プロンプトの内容", "Prompt created successfully": "プロンプトが正常に作成されました", @@ -1469,7 +1450,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "計算に使用するワーカースレッドの数を設定します。このオプションは、同時に処理可能なリクエスト数(スレッド数)を制御します。値を増やすことで、高い同時実行負荷下でのパフォーマンスが向上する可能性がありますが、その分CPUリソースの消費も増加します。", "Set Voice": "音声を設定", "Set whisper model": "whisperモデルを設定", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "一度でも出現したトークンに対して一定のペナルティを設定します。値が高い(例:1.5)ほど繰り返しを強く抑制し、低い値(例:0.9)では寛容になります。0の場合は無効です。", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "出現回数に応じてトークンにスケーリングされたペナルティを設定します。値が高い(例:1.5)ほど繰り返しを強く抑制し、低い値(例:0.9)では寛容になります。0の場合は無効です。", "Sets how far back for the model to look back to prevent repetition.": "モデルが繰り返しを防止するために遡る履歴の長さを設定します。", @@ -1522,9 +1502,6 @@ "Start a new conversation": "", "Start of the channel": "チャンネルの開始", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1540,7 +1517,7 @@ "STT Model": "STTモデル", "STT Settings": "STT設定", "Stylized PDF Export": "スタイル付きPDFエクスポート", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "サブタイトル(例:ローマ帝国について)", "Success": "成功", "Successfully imported {{userCount}} users.": "{{userCount}} 人のユーザが正常にインポートされました。", "Successfully updated.": "正常に更新されました。", @@ -1623,6 +1600,7 @@ "Tika Server URL required.": "Tika Server URLが必要です。", "Tiktoken": "Tiktoken", "Title": "タイトル", + "Title (e.g. Tell me a fun fact)": "タイトル (例: 楽しい事を教えて)", "Title Auto-Generation": "タイトル自動生成", "Title cannot be an empty string.": "タイトルは空文字列にできません。", "Title Generation": "タイトル生成", @@ -1691,7 +1669,6 @@ "Update and Copy Link": "リンクの更新とコピー", "Update for the latest features and improvements.": "最新の機能と改善点を更新します。", "Update password": "パスワードを更新", - "Update your status": "", "Updated": "更新されました", "Updated at": "更新日時", "Updated At": "更新日時", @@ -1745,7 +1722,6 @@ "View Replies": "リプライを表示", "View Result from **{{NAME}}**": "**{{NAME}}**の結果を表示", "Visibility": "可視性", - "Visible to all users": "", "Vision": "視覚", "Voice": "ボイス", "Voice Input": "音声入力", @@ -1773,7 +1749,6 @@ "What are you trying to achieve?": "何を達成したいですか?", "What are you working on?": "何に取り組んでいますか?", "What's New in": "新機能", - "What's on your mind?": "", "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": "どこにいても", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "出力をページ分けするかどうか。各ページは水平線とページ番号で分割されます。デフォルトでは無効", diff --git a/src/lib/i18n/locales/ka-GE/translation.json b/src/lib/i18n/locales/ka-GE/translation.json index 2c2684e4ec..8222b8fa98 100644 --- a/src/lib/i18n/locales/ka-GE/translation.json +++ b/src/lib/i18n/locales/ka-GE/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} სიტყვა", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} დრო {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} მოდელი გაუქმდა", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}-ის ჩათები", "{{webUIName}} Backend Required": "{{webUIName}} საჭიროა უკანაბოლო", "*Prompt node ID(s) are required for image generation": "", "1 Source": "1 წყარო", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "ხელმისაწვდომია ახალი ვერსია (v{{LATEST_VERSION}}).", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "დავალების მოდელი გამოიყენება ისეთი ამოცანების შესრულებისას, როგორიცაა ჩეთების სათაურების გენერირება და ვებ – ძიების მოთხოვნები", "a user": "მომხმარებელი", "About": "შესახებ", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "დეტალების დამატება", "Add Files": "ფაილების დამატება", - "Add Member": "", - "Add Members": "", + "Add Group": "ჯგუფის დამატება", "Add Memory": "მეხსიერების დამატება", "Add Model": "მოდელის დამატება", "Add Reaction": "რეაქციის დამატება", @@ -257,7 +252,6 @@ "Citations": "ციტატები", "Clear memory": "მეხსიერების გასუფთავება", "Clear Memory": "მეხსიერების გასუფთავება", - "Clear status": "", "click here": "აქ დააწკაპუნეთ", "Click here for filter guides.": "", "Click here for help.": "დახმარებისთვის დააწკაპუნეთ აქ.", @@ -294,7 +288,6 @@ "Code Interpreter": "კოდის ინტერპრეტატორი", "Code Interpreter Engine": "კოდის ინტერპრეტატორის ძრავა", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "აკეცვა", "Collection": "კოლექცია", "Color": "ფერი", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "აღმოაჩინეთ, გადმოწერეთ და შეისწავლეთ მორგებული მოთხოვნები", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "აღმოაჩინეთ, გადმოწერეთ და შეისწავლეთ მოდელის პარამეტრები", - "Discussion channel where access is based on groups and permissions": "", "Display": "ჩვენება", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "მაგ: 60", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "მაგ: en", "e.g. My Filter": "მაგ: ჩემი ფილტრი", "e.g. My Tools": "მაგ: ჩემი ხელსაწყოები", "e.g. my_filter": "მაგ: ჩემი_ფილტრი", "e.g. my_tools": "მაგ: ჩემი_ხელსაწყოები", "e.g. pdf, docx, txt": "მაგ: pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "პრესეტების გატანა", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "CVS-ში გატანა", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "გარე ვებძებნის URL", "Fade Effect for Streaming Text": "", "Failed to add file.": "ფაილის დამატების შეცდომა.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "ბმულის კოპირება ჩავარდა", "Failed to create API Key.": "API-ის გასაღების შექმნა ჩავარდა.", @@ -729,14 +717,12 @@ "Failed to load file content.": "ფაილის შემცველობის ჩატვირთვა ჩავარდა.", "Failed to move chat": "ჩატის გადატანა ჩავარდა", "Failed to read clipboard contents": "ბუფერის შემცველობის წაკითხვა ჩავარდა", - "Failed to remove member": "", "Failed to render diagram": "დიაგრამის რენდერი ჩავარდა", "Failed to render visualization": "", "Failed to save connections": "კავშირების შენახვა ჩავარდა", "Failed to save conversation": "საუბრის შენახვა ვერ მოხერხდა", "Failed to save models configuration": "მოდელების კონფიგურაციის შენახვა ჩავარდა", "Failed to update settings": "პარამეტრების განახლება ჩავარდა", - "Failed to update status": "", "Failed to upload file.": "ფაილის ატვირთვა ჩავარდა.", "Features": "მახასიათებლები", "Features Permissions": "უფლებები ფუნქციებზე", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE ძრავის Id", "Gravatar": "გრავატარი", "Group": "ჯგუფი", - "Group Channel": "", "Group created successfully": "ჯგუფი წარმატებით შეიქმნა", "Group deleted successfully": "ჯგუფი წარმატებით წაიშალა", "Group Description": "ჯგუფის აღწერა", "Group Name": "ჯგუფის სახელი", "Group updated successfully": "ჯგუფის წარმატებით განახლდა", - "groups": "", "Groups": "ჯგუფები", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "შენიშვნების შემოტანა", "Import Presets": "პრესეტების შემოტანა", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "შემოტანა წარმატებულია", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "საშუალო", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM-ებისთვის ხელმისაწვდომი მეხსიერებები აქ გამოჩნდება.", "Memory": "მეხსიერება", "Memory added successfully": "მოგონება წარმატებით დაემატა", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "ბრძანების სტრიქონში დაშვებულია, მხოლოდ, ალფარიცხვითი სიმბოლოები და ტირეები.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "უი! როგორც ჩანს, მისამართი არასწორია. გთხოვთ, გადაამოწმოთ და ისევ სცადოთ.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "წინა 7 დღე", "Previous message": "წინა შეტყობინება", "Private": "პირადი", - "Private conversation between selected users": "", "Profile": "პროფილი", "Prompt": "ბრძანების შეყვანის შეხსენება", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (მაგ. მითხარი სახალისო ფაქტი რომის იმპერიის შესახებ)", "Prompt Autocompletion": "", "Prompt Content": "მოთხოვნის შემცველობა", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "ხმის დაყენება", "Set whisper model": "Whisper-ის მოდელის დაყენება", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "არხის დასაწყისი", "Start Tag": "დაწყების ჭდე", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "სტატუსის განახლებები", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT მოდელი", "STT Settings": "STT-ის მორგება", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "სუბტიტრები (მაგ. რომის იმპერიის შესახებ)", "Success": "წარმატება", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "წარმატებით განახლდა.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika-ის სერვერის URL აუცილებელია.", "Tiktoken": "Tiktoken", "Title": "სათაური", + "Title (e.g. Tell me a fun fact)": "სათაური (მაგ. მითხარი რამე სასაცილო)", "Title Auto-Generation": "სათაურის ავტოგენერაცია", "Title cannot be an empty string.": "სათაურის ველი ცარიელი სტრიქონი ვერ იქნება.", "Title Generation": "სათაურის გენერაცია", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "განახლება და ბმულის კოპირება", "Update for the latest features and improvements.": "", "Update password": "პაროლის განახლება", - "Update your status": "", "Updated": "განახლებულია", "Updated at": "განახლების დრო", "Updated At": "განახლების დრო", @@ -1746,7 +1723,6 @@ "View Replies": "პასუხების ნახვა", "View Result from **{{NAME}}**": "", "Visibility": "ხილვადობა", - "Visible to all users": "", "Vision": "ხედვა", "Voice": "ხმა", "Voice Input": "ხმოვანი შეყვანა", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "რას ცდილობთ, მიაღწიოთ?", "What are you working on?": "რაზე მუშაობთ?", "What's New in": "რა არის ახალი", - "What's on your mind?": "", "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": "სადაც არ უნდა ბრძანდებოდეთ", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/kab-DZ/translation.json b/src/lib/i18n/locales/kab-DZ/translation.json index 32bfb38e7f..be64cec7de 100644 --- a/src/lib/i18n/locales/kab-DZ/translation.json +++ b/src/lib/i18n/locales/kab-DZ/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} n wawalen", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} ɣef {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "Azdam n {{model}} yettusemmet", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Asqerdec n {{user}}", "{{webUIName}} Backend Required": "", "*Prompt node ID(s) are required for image generation": "", "1 Source": "1 n weɣbalu", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Lqem amaynut n (v{{LATEST_VERSION}}), yella akka tura.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Tamudemt n temsekra tettuseqdec mi ara tgeḍ timsekra am usirew n yizwal i yidiwenniyen akked tuttriwin n unadi deg web", "a user": "aseqdac", "About": "Awal ɣef", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "Rnu talqayt", "Add Files": "Rnu ifuyla", - "Add Member": "", - "Add Members": "", + "Add Group": "Rnu agraw", "Add Memory": "Rnu cfawat", "Add Model": "Rnu tamudemt", "Add Reaction": "Rnu tamyigawt", @@ -257,7 +252,6 @@ "Citations": "Tinebdurin", "Clear memory": "Sfeḍ takatut", "Clear Memory": "Sfeḍ takatut", - "Clear status": "", "click here": "sit da", "Click here for filter guides.": "Tekki da i yimniren n tṣeffayt.", "Click here for help.": "Sit da i wawway n tallalt.", @@ -294,7 +288,6 @@ "Code Interpreter": "Asegzay n tengalt", "Code Interpreter Engine": "Amsedday n usegzay n tengalt", "Code Interpreter Prompt Template": "Tamudemt n uneftaɣ n usegzay n tengalt", - "Collaboration channel where people join as members": "", "Collapse": "Sneḍfes", "Collection": "Tagrumma", "Color": "Ini", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Af-d, zdem-d, tesnirmeḍ-d ineftaɣen udmawanen", "Discover, download, and explore custom tools": "Af-d, zdem-d, tesnirmeḍ ifecka udmawanen", "Discover, download, and explore model presets": "Af-d, zdem-d, tesnirmeḍ-d iferdisen n tmudemt", - "Discussion channel where access is based on groups and permissions": "", "Display": "Beqqeḍ", "Display chat title in tab": "", "Display Emoji in Call": "Sken imujitin lawan n usiwel", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "amedya: \"json\" neɣ azenziɣ JSON", "e.g. 60": "amedya. 60", "e.g. A filter to remove profanity from text": "e.g. Imzizdig akken ad yekkes tukksa n sser seg uḍris", - "e.g. about the Roman Empire": "", "e.g. en": "amedya kab", "e.g. My Filter": "amedya Imsizdeg-iw", "e.g. My Tools": "amedya ifecka-inu", "e.g. my_filter": "amedya amsizdeg_iw", "e.g. my_tools": "amedya ifecka_inu", "e.g. pdf, docx, txt": "amedya: pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "g. Ifecka i usexdem n tigawin yemgaraden", "e.g., 3, 4, 5 (leave blank for default)": "e.g., 3, 4, 5 (iɣes n temtunt d ilem i tazwara)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "amedya, audio/wav,audio/mpeg,video/* (anef-as d ilem i yimezwura)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Sifeḍ asesteb ɣer ufaylu JSON", "Export Models": "", "Export Presets": "Sifeḍ isestab uzwiren", + "Export Prompt Suggestions": "Sifeḍ isumar n uneftaɣ", "Export Prompts": "", "Export to CSV": "Kter ɣer CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "Tansa URL yeffɣen n unadi deg Web", "Fade Effect for Streaming Text": "", "Failed to add file.": "Tecceḍ tmerna n ufaylu.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Ur yessaweḍ ara ad yeqqen ɣer {{URL}} n uqeddac n yifecka OpenAPI", "Failed to copy link": "Ur yessaweḍ ara ad yessukken aseɣwen", "Failed to create API Key.": "Ur yessaweḍ ara ad d-yesnulfu tasarut API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Ur yessaweḍ ara ad d-yessali agbur n yifuyla.", "Failed to move chat": "Tuccḍa deg unkaz n udiwenni", "Failed to read clipboard contents": "Ur yessaweḍ ara ad iɣer agbur n tfelwit", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Yecceḍ uklas n tuqqniwin", "Failed to save conversation": "Yecceḍ uklas n udiwenni", "Failed to save models configuration": "Ur yessaweḍ ara ad d-yessukkes tamudemt n usneftaɣ", "Failed to update settings": "Yecceḍ uleqqem n yiɣewwaren", - "Failed to update status": "", "Failed to upload file.": "Yecceḍ uzdam n ufaylu.", "Features": "Timahilin", "Features Permissions": "Tisirag n tmehilin", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Asulay n umsadday n unadi PSE n Google", "Gravatar": "Gravatar", "Group": "Agraw", - "Group Channel": "", "Group created successfully": "Agraw yennulfa-d akken iwata", "Group deleted successfully": "Agraw yettwakkes akken iwata", "Group Description": "Aglam n ugraw", "Group Name": "Isem n ugraw", "Group updated successfully": "Agraw yettwaleqqem akken iwata", - "groups": "", "Groups": "Igrawen", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Kter tizmilin", "Import Presets": "Kter iɣewwaren uzwiren", + "Import Prompt Suggestions": "Kter isumar n uneftaɣ", "Import Prompts": "", "Import successful": "Taktert tella-d akken iwata", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Da ara d-banent teḥkayin ara yaweḍ yiwen ɣer LLMs.", "Memory": "Takatut", "Memory added successfully": "Asmekti yettwarna akken iwata", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Ala iwudam ifenyanen d tfendiwin i yettusirgen deg uzrar n ukman.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Ala tigrummiwin i izemren ad ttwabeddlent, ad d-snulfunt azadur amaynut n tmussni i ubeddel/ad arraten.", - "Only invited users can access": "", "Only markdown files are allowed": "Ala ifuyla n tuccar i yettusirgen", "Only select users and groups with permission can access": "Ala iseqdacen akked yegrawen yesɛan tisirag i izemren ad kecmen", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ayhuh! Yettban-d dakken URL-nni ur tṣeḥḥa ara. Ttxil-k, ssefqed snat n tikkal yernu ɛreḍ tikkelt niḍen.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 n wussan yezrin", "Previous message": "Izen udfir", "Private": "Uslig", - "Private conversation between selected users": "", "Profile": "Amaɣnu", "Prompt": "Aneftaɣ", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Aneftaɣ (amedya. Ini-yi-d kra yessedhayen ɣef Temnekda Tarumanit)", "Prompt Autocompletion": "Asmad awurman n uneftaɣ", "Prompt Content": "Agbur n uneftaɣ", "Prompt created successfully": "Aneftaɣ yettwarna akken iwata", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Sbadu amḍan n tnelli n yixeddamen yettwasqedcen i umṣada. Tifrat-a teḥkem acḥal n tnelli i yennumen ttḥerriken issutren i d-iteddun akka tura. Asenqes n wazal-a yezmer ad yesnerni aswir deg usali n yisali n umahil n uḥezzeb meqqren maca yezmer daɣen ad yečč ugar n teɣbula CPU.", "Set Voice": "Fren taɣect", "Set whisper model": "Fren tamudemt Whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Tazwara n ubadu", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "Tamudemt n uɛqal n taɣect", "STT Settings": "Iɣewwaren n uɛqal n tavect", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Addad amaruz (amedya ɣef tgelda Tarumanit)", "Success": "Yedda", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Yettwaleqqem akken iwata.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tansa URL n Tika Server tettwasra.", "Tiktoken": "Tiktoken", "Title": "Azwel", + "Title (e.g. Tell me a fun fact)": "Azwel (amedya. Ini-yi-d ayen yessedhayen)", "Title Auto-Generation": "Asirew awurman n izwilen", "Title cannot be an empty string.": "Azwel ur yettili ara d azrir ilem.", "Title Generation": "Asirew n uzwel", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Leqqem aseɣwen", "Update for the latest features and improvements.": "Leqqem tiɣawsiwin tineggura d usnerni.", "Update password": "Leqqem awal n uɛeddi", - "Update your status": "", "Updated": "Yettuleqqmen", "Updated at": "Yettwaleqqem", "Updated At": "Yettwaleqqem", @@ -1746,7 +1723,6 @@ "View Replies": "Sken-d tiririyin", "View Result from **{{NAME}}**": "Tamuɣli i d-yettuɣalen seg tazwara **{NAME}}**", "Visibility": "Tametwalant", - "Visible to all users": "", "Vision": "Vision", "Voice": "Taɣect", "Voice Input": "Anekcam s taɣect", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Sanda ay tettarmed ad tessiwḍed?", "What are you working on?": "Ɣef wacu ay la tettmahaled?", "What's New in": "D acu d amaynut deg", - "What's on your mind?": "", "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": "anda yebɣu tiliḍ", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Ma tebɣiḍ ad d-tessugneḍ tuffɣa. Yal asebter ad yebḍu s ulugen igli d wuṭṭun n usebter. Imezwura ɣer False.", diff --git a/src/lib/i18n/locales/ko-KR/translation.json b/src/lib/i18n/locales/ko-KR/translation.json index e143c88187..5eb6357707 100644 --- a/src/lib/i18n/locales/ko-KR/translation.json +++ b/src/lib/i18n/locales/ko-KR/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} 단어", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "{{model}} 다운로드가 취소되었습니다.", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}의 채팅", "{{webUIName}} Backend Required": "{{webUIName}} 백엔드가 필요합니다.", "*Prompt node ID(s) are required for image generation": "이미지 생성에는 프롬프트 노드 ID가 필요합니다.", "1 Source": "소스1", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "새로운 버전 (v{{LATEST_VERSION}})을 사용할 수 있습니다.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "작업 모델은 채팅 및 웹 검색 쿼리에 대한 제목 생성 등의 작업 수행 시 사용됩니다.", "a user": "사용자", "About": "정보", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "디테일 추가", "Add Files": "파일 추가", - "Add Member": "", - "Add Members": "", + "Add Group": "그룹 추가", "Add Memory": "메모리 추가", "Add Model": "모델 추가", "Add Reaction": "리액션 추가", @@ -257,7 +252,6 @@ "Citations": "인용", "Clear memory": "메모리 초기화", "Clear Memory": "메모리 지우기", - "Clear status": "", "click here": "여기를 클릭하세요", "Click here for filter guides.": "필터 가이드를 보려면 여기를 클릭하세요.", "Click here for help.": "도움말을 보려면 여기를 클릭하세요.", @@ -294,7 +288,6 @@ "Code Interpreter": "코드 인터프리터", "Code Interpreter Engine": "코드 인터프리터 엔진", "Code Interpreter Prompt Template": "코드 인터프리터 프롬프트 템플릿", - "Collaboration channel where people join as members": "", "Collapse": "접기", "Collection": "컬렉션", "Color": "색상", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "사용자 정의 프롬프트 검색, 다운로드 및 탐색", "Discover, download, and explore custom tools": "사용자 정의 도구 검색, 다운로드 및 탐색", "Discover, download, and explore model presets": "모델 사전 설정 검색, 다운로드 및 탐색", - "Discussion channel where access is based on groups and permissions": "", "Display": "표시", "Display chat title in tab": "탭에 채팅 목록 표시", "Display Emoji in Call": "음성기능에서 이모지 표시", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "예: \\\"json\\\" 또는 JSON 스키마", "e.g. 60": "예: 60", "e.g. A filter to remove profanity from text": "예: 텍스트에서 비속어를 제거하는 필터", - "e.g. about the Roman Empire": "", "e.g. en": "예: en", "e.g. My Filter": "예: 내 필터", "e.g. My Tools": "예: 내 도구", "e.g. my_filter": "예: my_filter", "e.g. my_tools": "예: my_tools", "e.g. pdf, docx, txt": "예: pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "예: 다양한 작업을 수행하는 도구", "e.g., 3, 4, 5 (leave blank for default)": "예: 3, 4, 5 (기본값을 위해 비워 두세요)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "예: audio/wav,audio/mpeg,video/* (기본값은 빈칸)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Config를 JSON 파일로 내보내기", "Export Models": "", "Export Presets": "프리셋 내보내기", + "Export Prompt Suggestions": "프롬프트 제안 내보내기", "Export Prompts": "", "Export to CSV": "CSV로 내보내기", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "외부 웹 검색 URL", "Fade Effect for Streaming Text": "스트리밍 텍스트에 대한 페이드 효과", "Failed to add file.": "파일추가에 실패했습니다", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI 도구 서버 연결 실패", "Failed to copy link": "링크 복사 실패", "Failed to create API Key.": "API 키 생성에 실패했습니다.", @@ -729,14 +717,12 @@ "Failed to load file content.": "파일 내용 로드 실패.", "Failed to move chat": "채팅 이동 실패", "Failed to read clipboard contents": "클립보드 내용 가져오기를 실패하였습니다", - "Failed to remove member": "", "Failed to render diagram": "다이어그램을 표시할 수 없습니다", "Failed to render visualization": "", "Failed to save connections": "연결 저장 실패", "Failed to save conversation": "대화 저장 실패", "Failed to save models configuration": "모델 구성 저장 실패", "Failed to update settings": "설정 업데이트에 실패하였습니다.", - "Failed to update status": "", "Failed to upload file.": "파일 업로드에 실패했습니다", "Features": "기능", "Features Permissions": "기능 권한", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE 엔진 ID", "Gravatar": "", "Group": "그룹", - "Group Channel": "", "Group created successfully": "성공적으로 그룹을 생성했습니다", "Group deleted successfully": "성공적으로 그룹을 삭제했습니다", "Group Description": "그룹 설명", "Group Name": "그룹 명", "Group updated successfully": "성공적으로 그룹을 수정했습니다", - "groups": "", "Groups": "그룹", "H1": "제목 1", "H2": "제목 2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "노트 가져오기", "Import Presets": "프리셋 가져오기", + "Import Prompt Suggestions": "프롬프트 제안 가져오기", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 지원은 실험적이며 명세가 자주 변경되므로, 호환성 문제가 발생할 수 있습니다. Open WebUI 팀이 OpenAPI 명세 지원을 직접 유지·관리하고 있어, 호환성 측면에서는 더 신뢰할 수 있는 선택입니다.", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM에서 접근할 수 있는 메모리는 여기에 표시됩니다.", "Memory": "메모리", "Memory added successfully": "성공적으로 메모리가 추가되었습니다", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "명령어 문자열에는 영문자, 숫자 및 하이픈(-)만 허용됩니다.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "가지고 있는 컬렉션만 수정 가능합니다, 새 지식 기반을 생성하여 문서를 수정 혹은 추가하십시오.", - "Only invited users can access": "", "Only markdown files are allowed": "마크다운 파일만 허용됩니다", "Only select users and groups with permission can access": "권한이 있는 사용자와 그룹만 접근 가능합니다.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "이런! URL이 잘못된 것 같습니다. 다시 한번 확인하고 다시 시도해주세요.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "이전 7일", "Previous message": "이전 메시지", "Private": "비공개", - "Private conversation between selected users": "", "Profile": "프로필", "Prompt": "프롬프트", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "프롬프트 (예: 로마 황제에 대해 재미있는 사실을 알려주세요)", "Prompt Autocompletion": "프롬프트 자동 완성", "Prompt Content": "프롬프트 내용", "Prompt created successfully": "성공적으로 프롬프트를 생성했습니다", @@ -1469,7 +1450,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "계산에 사용되는 작업자 스레드 수를 설정합니다. 이 옵션은 들어오는 요청을 동시에 처리하는 데 사용되는 스레드 수를 제어합니다. 이 값을 높이면 동시성이 높은 워크로드에서 성능을 향상시킬 수 있지만 더 많은 CPU 리소스를 소비할 수도 있습니다.", "Set Voice": "음성 설정", "Set whisper model": "자막 생성기 모델 설정", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "적어도 한 번 이상 나타난 토큰에 대해 평평한 편향을 설정합니다. 값이 높을수록 반복에 더 강력한 불이익을 주는 반면, 값이 낮을수록(예: 0.9) 더 관대해집니다. 0에서는 비활성화됩니다.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "토큰에 대한 스케일링 편향을 설정하여 반복 횟수에 따라 반복 횟수에 불이익을 줍니다. 값이 높을수록(예: 1.5) 반복 횟수에 더 강하게 불이익을 주는 반면, 값이 낮을수록(예: 0.9) 더 관대해집니다. 0에서는 반복 횟수가 비활성화됩니다.", "Sets how far back for the model to look back to prevent repetition.": "모델이 반복을 방지하기 위해 되돌아볼 수 있는 거리를 설정합니다.", @@ -1522,9 +1502,6 @@ "Start a new conversation": "새 대화 시작", "Start of the channel": "채널 시작", "Start Tag": "시작 태그", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "상태 업데이트", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1540,7 +1517,7 @@ "STT Model": "STT 모델", "STT Settings": "STT 설정", "Stylized PDF Export": "서식이 적용된 PDF 내보내기", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "자막 (예: 로마 제국에 대하여)", "Success": "성공", "Successfully imported {{userCount}} users.": "성공적으로 {{userCount}}명의 사용자를 가져왔습니다.", "Successfully updated.": "성공적으로 업데이트되었습니다.", @@ -1623,6 +1600,7 @@ "Tika Server URL required.": "Tika 서버 URL이 필요합니다.", "Tiktoken": "틱토큰 (Tiktoken)", "Title": "제목", + "Title (e.g. Tell me a fun fact)": "제목 (예: 재미있는 사실을 알려주세요.)", "Title Auto-Generation": "제목 자동 생성", "Title cannot be an empty string.": "제목은 빈 문자열일 수 없습니다.", "Title Generation": "제목 생성", @@ -1691,7 +1669,6 @@ "Update and Copy Link": "링크 업데이트 및 복사", "Update for the latest features and improvements.": "이번 업데이트의 새로운 기능과 개선", "Update password": "비밀번호 업데이트", - "Update your status": "", "Updated": "업데이트됨", "Updated at": "업데이트 일시", "Updated At": "업데이트 일시", @@ -1745,7 +1722,6 @@ "View Replies": "답글 보기", "View Result from **{{NAME}}**": "**{{NAME}}**의 결과 보기", "Visibility": "공개 범위", - "Visible to all users": "", "Vision": "비전", "Voice": "음성", "Voice Input": "음성 입력", @@ -1773,7 +1749,6 @@ "What are you trying to achieve?": "무엇을 성취하고 싶으신가요?", "What are you working on?": "어떤 작업을 하고 계신가요?", "What's New in": "새로운 기능:", - "What's on your mind?": "", "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": "당신이 어디에 있든", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "출력을 페이지로 나눌지 여부입니다. 각 페이지는 구분선과 페이지 번호로 구분됩니다. 기본값은 False입니다.", diff --git a/src/lib/i18n/locales/lt-LT/translation.json b/src/lib/i18n/locales/lt-LT/translation.json index 658470eb88..30aa24ac01 100644 --- a/src/lib/i18n/locales/lt-LT/translation.json +++ b/src/lib/i18n/locales/lt-LT/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} susirašinėjimai", "{{webUIName}} Backend Required": "{{webUIName}} būtinas serveris", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Užduočių modelis naudojamas pokalbių pavadinimų ir paieškos užklausų generavimui.", "a user": "naudotojas", "About": "Apie", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Pridėti failus", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "Pridėti atminį", "Add Model": "Pridėti modelį", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Ištrinti atmintį", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Paspauskite čia dėl pagalbos.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolekcija", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Atrasti ir parsisiųsti užklausas", "Discover, download, and explore custom tools": "Atrasti, atsisiųsti arba rasti naujų įrankių", "Discover, download, and explore model presets": "Atrasti ir parsisiųsti modelių konfigūracija", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Rodyti emoji pokalbiuose", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Nepavyko sukurti API rakto", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Nepavyko perskaityti kopijuoklės", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Nepavyko išsaugoti pokalbio", "Failed to save models configuration": "", "Failed to update settings": "Nepavyko atnaujinti nustatymų", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE variklio ID", "Gravatar": "", "Group": "Grupė", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Atminitis prieinama kalbos modelio bus rodoma čia.", "Memory": "Atmintis", "Memory added successfully": "Atmintis pridėta sėkmingai", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Leistinos tik raidės, skaičiai ir brūkšneliai.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Regis nuoroda nevalidi. Prašau patikrtinkite ir pabandykite iš naujo.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Paskutinės 7 dienos", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profilis", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Užklausa (pvz. supaprastink šį laišką)", "Prompt Autocompletion": "", "Prompt Content": "Užklausos turinys", "Prompt created successfully": "", @@ -1472,7 +1453,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Numatyti balsą", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1525,9 +1505,6 @@ "Start a new conversation": "", "Start of the channel": "Kanalo pradžia", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1543,7 +1520,7 @@ "STT Model": "STT modelis", "STT Settings": "STT nustatymai", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtitras", "Success": "Sėkmingai", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Sėkmingai atnaujinta.", @@ -1626,6 +1603,7 @@ "Tika Server URL required.": "Reiklainga Tika serverio nuorodą", "Tiktoken": "", "Title": "Pavadinimas", + "Title (e.g. Tell me a fun fact)": "Pavadinimas", "Title Auto-Generation": "Automatinis pavadinimų generavimas", "Title cannot be an empty string.": "Pavadinimas negali būti tuščias", "Title Generation": "", @@ -1694,7 +1672,6 @@ "Update and Copy Link": "Atnaujinti ir kopijuoti nuorodą", "Update for the latest features and improvements.": "", "Update password": "Atnaujinti slaptažodį", - "Update your status": "", "Updated": "", "Updated at": "Atnaujinta", "Updated At": "", @@ -1748,7 +1725,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "Balsas", "Voice Input": "", @@ -1776,7 +1752,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Kas naujo", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ms-MY/translation.json b/src/lib/i18n/locales/ms-MY/translation.json index 5eb1559e52..8be1d826bc 100644 --- a/src/lib/i18n/locales/ms-MY/translation.json +++ b/src/lib/i18n/locales/ms-MY/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Perbualan {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Backend diperlukan", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model tugas digunakan semasa melaksanakan tugas seperti menjana tajuk untuk perbualan dan pertanyaan carian web.", "a user": "seorang pengguna", "About": "Mengenai", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Tambah Fail", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "Tambah Memori", "Add Model": "Tambah Model", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Kosongkan memori", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Klik disini untuk mendapatkan bantuan", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Koleksi", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Temui, muat turun dan teroka gesaan tersuai", "Discover, download, and explore custom tools": "Temui, muat turun dan teroka alat tersuai", "Discover, download, and explore model presets": "Temui, muat turun dan teroka model pratetap", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Paparkan Emoji dalam Panggilan", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Gagal mencipta kekunci API", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Gagal membaca konten papan klip", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Gagal menyimpan perbualan", "Failed to save models configuration": "", "Failed to update settings": "Gagal mengemaskini tetapan", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID Enjin Google PSE", "Gravatar": "", "Group": "Kumpulan", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memori yang boleh diakses oleh LLM akan ditunjukkan di sini.", "Memory": "Memori", "Memory added successfully": "Memori berjaya ditambah", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Hanya aksara alfanumerik dan sempang dibenarkan dalam rentetan arahan.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Maaf, didapati URL tidak sah. Sila semak semula dan cuba lagi.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 hari sebelumnya", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Gesaan (cth Beritahu saya fakta yang menyeronokkan tentang Kesultanan Melaka)", "Prompt Autocompletion": "", "Prompt Content": "Kandungan Gesaan", "Prompt created successfully": "", @@ -1469,7 +1450,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Tetapan Suara", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1522,9 +1502,6 @@ "Start a new conversation": "", "Start of the channel": "Permulaan saluran", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1540,7 +1517,7 @@ "STT Model": "Model STT", "STT Settings": "Tetapan STT", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Sari kata (cth tentang Kesultanan Melaka)", "Success": "Berjaya", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Berjaya Dikemaskini", @@ -1623,6 +1600,7 @@ "Tika Server URL required.": "URL Pelayan Tika diperlukan.", "Tiktoken": "", "Title": "Tajuk", + "Title (e.g. Tell me a fun fact)": "Tajuk (cth Beritahu saya fakta yang menyeronokkan)", "Title Auto-Generation": "Penjanaan Auto Tajuk", "Title cannot be an empty string.": "Tajuk tidak boleh menjadi rentetan kosong", "Title Generation": "", @@ -1691,7 +1669,6 @@ "Update and Copy Link": "Kemaskini dan salin pautan", "Update for the latest features and improvements.": "", "Update password": "Kemaskini Kata Laluan", - "Update your status": "", "Updated": "", "Updated at": "Dikemaskini pada", "Updated At": "", @@ -1745,7 +1722,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "Suara", "Voice Input": "", @@ -1773,7 +1749,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Apakah yang terbaru dalam", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/nb-NO/translation.json b/src/lib/i18n/locales/nb-NO/translation.json index 7dde6e8404..a8b6b574fc 100644 --- a/src/lib/i18n/locales/nb-NO/translation.json +++ b/src/lib/i18n/locales/nb-NO/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} sine samtaler", "{{webUIName}} Backend Required": "Backend til {{webUIName}} kreves", "*Prompt node ID(s) are required for image generation": "Node-ID-er for ledetekst kreves for generering av bilder", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "En ny versjon (v{{LATEST_VERSION}}) er nå tilgjengelig.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "En oppgavemodell brukes når du utfører oppgaver som å generere titler for samtaler eller utfører søkeforespørsler på nettet", "a user": "en bruker", "About": "Om", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Legg til filer", - "Add Member": "", - "Add Members": "", + "Add Group": "Legg til gruppe", "Add Memory": "Legg til minne", "Add Model": "Legg til modell", "Add Reaction": "Legg til reaksjon", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Tøm minnet", "Clear Memory": "", - "Clear status": "", "click here": "Klikk her", "Click here for filter guides.": "Klikk her for å få veiledning om filtre", "Click here for help.": "Klikk her for å få hjelp.", @@ -294,7 +288,6 @@ "Code Interpreter": "Kodetolker", "Code Interpreter Engine": "Motor for kodetolking", "Code Interpreter Prompt Template": "Mal for ledetekst for kodetolker", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Samling", "Color": "Farge", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Oppdag, last ned og utforsk tilpassede ledetekster", "Discover, download, and explore custom tools": "Oppdag, last ned og utforsk tilpassede verktøy", "Discover, download, and explore model presets": "Oppdag, last ned og utforsk forhåndsinnstillinger for modeller", - "Discussion channel where access is based on groups and permissions": "", "Display": "Visning", "Display chat title in tab": "", "Display Emoji in Call": "Vis emoji i samtale", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "f.eks. 60", "e.g. A filter to remove profanity from text": "f.eks. et filter for å fjerne banning fra tekst", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "f.eks. Mitt filter", "e.g. My Tools": "f.eks. Mine verktøy", "e.g. my_filter": "f.eks. mitt_filter", "e.g. my_tools": "f.eks. mine_verktøy", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "f.eks. Verktøy for å gjøre ulike handlinger", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Ekporter konfigurasjon til en JSON-fil", "Export Models": "", "Export Presets": "Eksporter forhåndsinnstillinger", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Eksporter til CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Kan ikke legge til filen.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Kan ikke opprette en API-nøkkel.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Kan ikke lese utklippstavlens innhold", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Kan ikke lagre samtalen", "Failed to save models configuration": "Kan ikke lagre konfigurasjonen av modeller", "Failed to update settings": "Kan ikke oppdatere innstillinger", - "Failed to update status": "", "Failed to upload file.": "Kan ikke laste opp filen.", "Features": "Funksjoner", "Features Permissions": "Tillatelser for funksjoner", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Motor-ID for Google PSE", "Gravatar": "", "Group": "Gruppe", - "Group Channel": "", "Group created successfully": "Gruppe opprettet", "Group deleted successfully": "Gruppe slettet", "Group Description": "Beskrivelse av gruppe", "Group Name": "Navn på gruppe", "Group updated successfully": "Gruppe oppdatert", - "groups": "", "Groups": "Grupper", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Importer forhåndsinnstillinger", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Språkmodellers tilgjengelige minner vises her.", "Memory": "Minne", "Memory added successfully": "Minne lagt til", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Bare alfanumeriske tegn og bindestreker er tillatt i kommandostrengen.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Bare samlinger kan redigeres, eller lag en ny kunnskapsbase for å kunne redigere / legge til dokumenter.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Bare utvalgte brukere og grupper med tillatelse kan få tilgang", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oi! Det ser ut som URL-en er ugyldig. Dobbeltsjekk, og prøv på nytt.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Siste 7 dager", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Ledetekst", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Ledetekst (f.eks. Fortell meg noe morsomt om romerriket)", "Prompt Autocompletion": "", "Prompt Content": "Ledetekstinnhold", "Prompt created successfully": "Ledetekst opprettet", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Angi antall arbeidstråder som skal brukes til beregning. Dette alternativet kontrollerer hvor mange tråder som brukes til å behandle innkommende forespørsler samtidig. Hvis du øker denne verdien, kan det forbedre ytelsen under arbeidsbelastninger med høy samtidighet, men det kan også føre til økt forbruk av CPU-ressurser.", "Set Voice": "Angi stemme", "Set whisper model": "Angi whisper-modell", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Starten av kanalen", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT-modell", "STT Settings": "STT-innstillinger", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Undertittel (f.eks. om romerriket)", "Success": "Suksess", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Oppdatert.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Server-URL for Tika kreves.", "Tiktoken": "Tiktoken", "Title": "Tittel", + "Title (e.g. Tell me a fun fact)": "Tittel (f.eks. Fortell meg noe morsomt)", "Title Auto-Generation": "Automatisk tittelgenerering", "Title cannot be an empty string.": "Tittel kan ikke være en tom streng.", "Title Generation": "Genering av tittel", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Oppdater og kopier lenke", "Update for the latest features and improvements.": "Oppdater for å få siste funksjoner og forbedringer.", "Update password": "Oppdater passord", - "Update your status": "", "Updated": "Oppdatert", "Updated at": "Oppdatert", "Updated At": "Oppdatert", @@ -1746,7 +1723,6 @@ "View Replies": "Vis svar", "View Result from **{{NAME}}**": "", "Visibility": "Synlighet", - "Visible to all users": "", "Vision": "", "Voice": "Stemme", "Voice Input": "Taleinndata", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Hva prøver du å oppnå?", "What are you working on?": "Hva jobber du på nå?", "What's New in": "Hva er nytt i", - "What's on your mind?": "", "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.": "Hvis denne modusen er aktivert, svarer modellen på alle chattemeldinger i sanntid, og genererer et svar så snart brukeren sender en melding. Denne modusen er nyttig for live chat-applikasjoner, men kan påvirke ytelsen på tregere maskinvare.", "wherever you are": "uansett hvor du er", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/nl-NL/translation.json b/src/lib/i18n/locales/nl-NL/translation.json index 15d721e5da..410bf7c32e 100644 --- a/src/lib/i18n/locales/nl-NL/translation.json +++ b/src/lib/i18n/locales/nl-NL/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} woorden", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'s chats", "{{webUIName}} Backend Required": "{{webUIName}} Backend verplicht", "*Prompt node ID(s) are required for image generation": "*Prompt node ID('s) zijn vereist voor het genereren van afbeeldingen", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Een nieuwe versie (v{{LATEST_VERSION}}) is nu beschikbaar", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Een taakmodel wordt gebruikt bij het uitvoeren van taken zoals het genereren van titels voor chats en zoekopdrachten op het internet", "a user": "een gebruiker", "About": "Over", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Voeg bestanden toe", - "Add Member": "", - "Add Members": "", + "Add Group": "Voeg groep toe", "Add Memory": "Voeg geheugen toe", "Add Model": "Voeg model toe", "Add Reaction": "Voeg reactie toe", @@ -257,7 +252,6 @@ "Citations": "Citaten", "Clear memory": "Geheugen wissen", "Clear Memory": "Geheugen wissen", - "Clear status": "", "click here": "klik hier", "Click here for filter guides.": "Klik hier voor filterhulp.", "Click here for help.": "Klik hier voor hulp.", @@ -294,7 +288,6 @@ "Code Interpreter": "Code-interpretatie", "Code Interpreter Engine": "Code-interpretatie engine", "Code Interpreter Prompt Template": "Code-interpretatie promptsjabloon", - "Collaboration channel where people join as members": "", "Collapse": "Inklappen", "Collection": "Verzameling", "Color": "Kleur", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Ontdek, download en verken aangepaste prompts", "Discover, download, and explore custom tools": "Ontdek, download en verken aangepaste gereedschappen", "Discover, download, and explore model presets": "Ontdek, download en verken model presets", - "Discussion channel where access is based on groups and permissions": "", "Display": "Toon", "Display chat title in tab": "", "Display Emoji in Call": "Emoji tonen tijdens gesprek", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "bijv. \"json\" of een JSON-schema", "e.g. 60": "bijv. 60", "e.g. A filter to remove profanity from text": "bijv. Een filter om gevloek uit tekst te verwijderen", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "bijv. Mijn filter", "e.g. My Tools": "bijv. Mijn gereedschappen", "e.g. my_filter": "bijv. mijn_filter", "e.g. my_tools": "bijv. mijn_gereedschappen", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "Gereedschappen om verschillende bewerkingen uit te voeren", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exporteer configuratie naar JSON-bestand", "Export Models": "", "Export Presets": "Exporteer voorinstellingen", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Exporteer naar CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Het is niet gelukt om het bestand toe te voegen.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Kan geen verbinding maken met {{URL}} OpenAPI gereedschapserver", "Failed to copy link": "", "Failed to create API Key.": "Kan API Key niet aanmaken.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Kan klembord inhoud niet lezen", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Het is niet gelukt om het gesprek op te slaan", "Failed to save models configuration": "Het is niet gelukt om de modelconfiguratie op te slaan", "Failed to update settings": "Instellingen konden niet worden bijgewerkt.", - "Failed to update status": "", "Failed to upload file.": "Bestand kon niet worden geüpload.", "Features": "Functies", "Features Permissions": "Functietoestemmingen", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE-engine-ID", "Gravatar": "", "Group": "Groep", - "Group Channel": "", "Group created successfully": "Groep succesvol aangemaakt", "Group deleted successfully": "Groep succesvol verwijderd", "Group Description": "Groepsbeschrijving", "Group Name": "Groepsnaam", "Group updated successfully": "Groep succesvol bijgewerkt", - "groups": "", "Groups": "Groepen", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Importeer voorinstellingen", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Geheugen toegankelijk voor LLMs wordt hier getoond.", "Memory": "Geheugen", "Memory added successfully": "Geheugen succesvol toegevoegd", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Alleen alfanumerieke karakters en streepjes zijn toegestaan in de commando string.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Alleen verzamelinge kunnen gewijzigd worden, maak een nieuwe kennisbank aan om bestanden aan te passen/toe te voegen", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Alleen geselecteerde gebruikers en groepen met toestemming hebben toegang", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oeps! Het lijkt erop dat de URL ongeldig is. Controleer het nogmaals en probeer opnieuw.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Afgelopen 7 dagen", "Previous message": "", "Private": "Privé", - "Private conversation between selected users": "", "Profile": "Profiel", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (bv. Vertel me een leuke gebeurtenis over het Romeinse Rijk)", "Prompt Autocompletion": "Automatische promptaanvulling", "Prompt Content": "Promptinhoud", "Prompt created successfully": "Prompt succesvol aangemaakt", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Stel het aantal threads in dat wordt gebruikt voor berekeningen. Deze optie bepaalt hoeveel threads worden gebruikt om gelijktijdig binnenkomende verzoeken te verwerken. Het verhogen van deze waarde kan de prestaties verbeteren onder hoge concurrency werklasten, maar kan ook meer CPU-bronnen verbruiken.", "Set Voice": "Stel stem in", "Set whisper model": "Stel Whisper-model in", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Stelt een vlakke bias in tegen tokens die minstens één keer zijn voorgekomen. Een hogere waarde (bijv. 1,5) straft herhalingen sterker af, terwijl een lagere waarde (bijv. 0,9) toegeeflijker is. Bij 0 is het uitgeschakeld.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Stelt een schaalvooroordeel in tegen tokens om herhalingen te bestraffen, gebaseerd op hoe vaak ze zijn voorgekomen. Een hogere waarde (bijv. 1,5) straft herhalingen sterker af, terwijl een lagere waarde (bijv. 0,9) toegeeflijker is. Bij 0 is het uitgeschakeld.", "Sets how far back for the model to look back to prevent repetition.": "Stelt in hoe ver het model terug moet kijken om herhaling te voorkomen.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Begin van het kanaal", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT Model", "STT Settings": "STT Instellingen", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Ondertitel (bijv. over de Romeinse Empire)", "Success": "Succes", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Succesvol bijgewerkt.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika Server-URL vereist", "Tiktoken": "Tiktoken", "Title": "Titel", + "Title (e.g. Tell me a fun fact)": "Titel (bv. Vertel me een leuke gebeurtenis)", "Title Auto-Generation": "Titel Auto-Generatie", "Title cannot be an empty string.": "Titel kan niet leeg zijn.", "Title Generation": "Titelgeneratie", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Bijwerken en kopieer link", "Update for the latest features and improvements.": "Bijwerken voor de nieuwste functies en verbeteringen", "Update password": "Wijzig wachtwoord", - "Update your status": "", "Updated": "Bijgewerkt", "Updated at": "Bijgewerkt om", "Updated At": "Bijgewerkt om", @@ -1746,7 +1723,6 @@ "View Replies": "Bekijke resultaten", "View Result from **{{NAME}}**": "", "Visibility": "Zichtbaarheid", - "Visible to all users": "", "Vision": "", "Voice": "Stem", "Voice Input": "Steminvoer", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Wat probeer je te bereiken?", "What are you working on?": "Waar werk je aan?", "What's New in": "Wat is nieuw in", - "What's on your mind?": "", "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.": "Als dit is ingeschakeld, reageert het model op elk chatbericht in real-time, waarbij een reactie wordt gegenereerd zodra de gebruiker een bericht stuurt. Deze modus is handig voor live chat-toepassingen, maar kan de prestaties op langzamere hardware beïnvloeden.", "wherever you are": "waar je ook bent", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/pa-IN/translation.json b/src/lib/i18n/locales/pa-IN/translation.json index 6970e3335a..56d8d95a7c 100644 --- a/src/lib/i18n/locales/pa-IN/translation.json +++ b/src/lib/i18n/locales/pa-IN/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} ਦੀਆਂ ਗੱਲਾਂ", "{{webUIName}} Backend Required": "{{webUIName}} ਬੈਕਐਂਡ ਲੋੜੀਂਦਾ ਹੈ", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "ਚੈਟਾਂ ਅਤੇ ਵੈੱਬ ਖੋਜ ਪੁੱਛਗਿੱਛਾਂ ਵਾਸਤੇ ਸਿਰਲੇਖ ਤਿਆਰ ਕਰਨ ਵਰਗੇ ਕਾਰਜ ਾਂ ਨੂੰ ਕਰਦੇ ਸਮੇਂ ਇੱਕ ਕਾਰਜ ਮਾਡਲ ਦੀ ਵਰਤੋਂ ਕੀਤੀ ਜਾਂਦੀ ਹੈ", "a user": "ਇੱਕ ਉਪਭੋਗਤਾ", "About": "ਬਾਰੇ", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "ਫਾਈਲਾਂ ਸ਼ਾਮਲ ਕਰੋ", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "ਮਿਹਾਨ ਸ਼ਾਮਲ ਕਰੋ", "Add Model": "ਮਾਡਲ ਸ਼ਾਮਲ ਕਰੋ", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "ਮਦਦ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "ਸੰਗ੍ਰਹਿ", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "ਕਸਟਮ ਪ੍ਰੰਪਟਾਂ ਨੂੰ ਖੋਜੋ, ਡਾਊਨਲੋਡ ਕਰੋ ਅਤੇ ਪੜਚੋਲ ਕਰੋ", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "ਮਾਡਲ ਪ੍ਰੀਸੈਟਾਂ ਨੂੰ ਖੋਜੋ, ਡਾਊਨਲੋਡ ਕਰੋ ਅਤੇ ਪੜਚੋਲ ਕਰੋ", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "API ਕੁੰਜੀ ਬਣਾਉਣ ਵਿੱਚ ਅਸਫਲ।", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਪੜ੍ਹਣ ਵਿੱਚ ਅਸਫਲ", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "ਗੱਲਬਾਤ ਸੰਭਾਲਣ ਵਿੱਚ ਅਸਫਲ", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ਗੂਗਲ PSE ਇੰਜਣ ID", "Gravatar": "", "Group": "ਗਰੁੱਪ", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMs ਲਈ ਸਮਰੱਥ ਕਾਰਨ ਇੱਕ ਸੂਚਨਾ ਨੂੰ ਸ਼ਾਮਲ ਕੀਤਾ ਗਿਆ ਹੈ।", "Memory": "ਮੀਮਰ", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "ਕਮਾਂਡ ਸਤਰ ਵਿੱਚ ਸਿਰਫ਼ ਅਲਫ਼ਾਨਯੂਮੈਰਿਕ ਅੱਖਰ ਅਤੇ ਹਾਈਫਨ ਦੀ ਆਗਿਆ ਹੈ।", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ਓਹੋ! ਲੱਗਦਾ ਹੈ ਕਿ URL ਗਲਤ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ ਦੁਬਾਰਾ ਜਾਂਚ ਕਰੋ ਅਤੇ ਮੁੜ ਕੋਸ਼ਿਸ਼ ਕਰੋ।", @@ -1282,9 +1263,9 @@ "Previous 7 days": "ਪਿਛਲੇ 7 ਦਿਨ", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "ਪ੍ਰੋਫ਼ਾਈਲ", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "ਪ੍ਰੰਪਟ (ਉਦਾਹਰਣ ਲਈ ਮੈਨੂੰ ਰੋਮਨ ਸਾਮਰਾਜ ਬਾਰੇ ਇੱਕ ਮਜ਼ੇਦਾਰ ਤੱਥ ਦੱਸੋ)", "Prompt Autocompletion": "", "Prompt Content": "ਪ੍ਰੰਪਟ ਸਮੱਗਰੀ", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "ਆਵਾਜ਼ ਸੈੱਟ ਕਰੋ", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "ਚੈਨਲ ਦੀ ਸ਼ੁਰੂਆਤ", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "", "STT Settings": "STT ਸੈਟਿੰਗਾਂ", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "ਉਪਸਿਰਲੇਖ (ਉਦਾਹਰਣ ਲਈ ਰੋਮਨ ਸਾਮਰਾਜ ਬਾਰੇ)", "Success": "ਸਫਲਤਾ", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "ਸਫਲਤਾਪੂਰਵਕ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ।", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "ਸਿਰਲੇਖ", + "Title (e.g. Tell me a fun fact)": "ਸਿਰਲੇਖ (ਉਦਾਹਰਣ ਲਈ ਮੈਨੂੰ ਇੱਕ ਮਜ਼ੇਦਾਰ ਤੱਥ ਦੱਸੋ)", "Title Auto-Generation": "ਸਿਰਲੇਖ ਆਟੋ-ਜਨਰੇਸ਼ਨ", "Title cannot be an empty string.": "ਸਿਰਲੇਖ ਖਾਲੀ ਸਤਰ ਨਹੀਂ ਹੋ ਸਕਦਾ।", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "ਅੱਪਡੇਟ ਕਰੋ ਅਤੇ ਲਿੰਕ ਕਾਪੀ ਕਰੋ", "Update for the latest features and improvements.": "", "Update password": "ਪਾਸਵਰਡ ਅੱਪਡੇਟ ਕਰੋ", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "ਨਵਾਂ ਕੀ ਹੈ", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/pl-PL/translation.json b/src/lib/i18n/locales/pl-PL/translation.json index cb529fe181..c1c2c42744 100644 --- a/src/lib/i18n/locales/pl-PL/translation.json +++ b/src/lib/i18n/locales/pl-PL/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} słów", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Czaty użytkownika {{user}}", "{{webUIName}} Backend Required": "Backend dla {{webUIName}} jest wymagany", "*Prompt node ID(s) are required for image generation": "Wymagane są identyfikatory węzłów wyzwalających do generowania obrazów.", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Dostępna jest nowa wersja (v{{LATEST_VERSION}}).", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model zadań jest wykorzystywany podczas realizacji zadań, takich jak generowanie tytułów rozmów i zapytań wyszukiwania internetowego.", "a user": "użytkownik", "About": "O nas", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Dodaj pliki", - "Add Member": "", - "Add Members": "", + "Add Group": "Dodaj grupę", "Add Memory": "Dodaj pamięć", "Add Model": "Dodaj model", "Add Reaction": "Dodaj reakcję", @@ -257,7 +252,6 @@ "Citations": "Cytaty", "Clear memory": "Wyczyść pamięć", "Clear Memory": "Wyczyść pamięć", - "Clear status": "", "click here": "kliknij tutaj", "Click here for filter guides.": "Kliknij tutaj, aby uzyskać podpowiedź do filtrów.", "Click here for help.": "Kliknij tutaj, aby uzyskać pomoc.", @@ -294,7 +288,6 @@ "Code Interpreter": "Interpreter kodu", "Code Interpreter Engine": "Silnik interpretatora kodu", "Code Interpreter Prompt Template": "Szablon promptu interpretera kodu", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolekcja", "Color": "Kolor", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Odkryj, pobierz i eksploruj niestandardowe prompty", "Discover, download, and explore custom tools": "Odkryj, pobierz i eksploruj niestandardowe narzędzia", "Discover, download, and explore model presets": "Odkryj, pobierz i badaj ustawienia modeli", - "Discussion channel where access is based on groups and permissions": "", "Display": "Wyświetl", "Display chat title in tab": "", "Display Emoji in Call": "Wyświetl emoji w połączeniu", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "np. Filtr do usuwania wulgaryzmów z tekstu", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "np. Mój filtr", "e.g. My Tools": "np. Moje narzędzia", "e.g. my_filter": "np. moj_filtr", "e.g. my_tools": "np. moje_narzędzia", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "np. Narzędzia do wykonywania różnych operacji", "e.g., 3, 4, 5 (leave blank for default)": "np. 3, 4, 5 (zostaw puste dla domyślnego)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Eksportuj konfigurację do pliku JSON", "Export Models": "", "Export Presets": "Wyeksportuj ustawienia domyślne", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Eksport do CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Nie udało się dodać pliku.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "Nie udało się skopiować linku", "Failed to create API Key.": "Nie udało się wygenerować klucza API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Nie udało się załadować zawartości pliku.", "Failed to move chat": "", "Failed to read clipboard contents": "Nie udało się odczytać zawartości schowka", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Nie udałio się zapisać połączeń", "Failed to save conversation": "Nie udało się zapisać rozmowy", "Failed to save models configuration": "Nie udało się zapisać konfiguracji modelu", "Failed to update settings": "Nie udało się zaktualizować ustawień", - "Failed to update status": "", "Failed to upload file.": "Nie udało się przesłać pliku.", "Features": "Funkcje", "Features Permissions": "Uprawnienia do funkcji", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Identyfikator silnika Google PSE", "Gravatar": "", "Group": "Grupa", - "Group Channel": "", "Group created successfully": "Grupa utworzona pomyślnie", "Group deleted successfully": "Grupa została usunięta pomyślnie", "Group Description": "Opis grupy", "Group Name": "Nazwa grupy", "Group updated successfully": "Grupa zaktualizowana pomyślnie", - "groups": "", "Groups": "Grupy", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Importuj notatki", "Import Presets": "Importuj ustawienia", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Wspomnienia dostępne za pomocą LLM zostaną wyświetlone tutaj.", "Memory": "Pamięć", "Memory added successfully": "Pamięć dodana pomyślnie", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "W komendzie dozwolone są wyłącznie znaki alfanumeryczne i myślniki.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Tylko kolekcje można edytować, utwórz nową bazę wiedzy, aby edytować/dodawać dokumenty.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Tylko wybrani użytkownicy i grupy z uprawnieniami mogą uzyskać dostęp.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Wygląda na to, że podany URL jest nieprawidłowy. Proszę sprawdzić go ponownie i spróbować jeszcze raz.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Ostatnie 7 dni", "Previous message": "Poprzednia wiadomość", "Private": "Prywatne", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Wprowadź prompt: ", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (np. podaj ciekawostkę o Imperium Rzymskim)", "Prompt Autocompletion": "Autouzupełnianie promptu", "Prompt Content": "Treść promptu", "Prompt created successfully": "Prompt został utworzony pomyślnie", @@ -1472,7 +1453,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ustaw liczbę wątków pracowników używanych do obliczeń. Ta opcja kontroluje, ile wątków jest używanych do jednoczesnego przetwarzania przychodzących żądań. Zwiększenie tej wartości może poprawić wydajność pod wysokim obciążeniem, ale może również zużywać więcej zasobów CPU.", "Set Voice": "Ustaw głos", "Set whisper model": "Ustaw model szeptu", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1525,9 +1505,6 @@ "Start a new conversation": "", "Start of the channel": "Początek kanału", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1543,7 +1520,7 @@ "STT Model": "Model STT", "STT Settings": "Ustawienia STT", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Podtytuł (np. o Imperium Rzymskim)", "Success": "Sukces", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Uaktualniono pomyślnie.", @@ -1626,6 +1603,7 @@ "Tika Server URL required.": "Wymagany jest adres URL serwera Tika.", "Tiktoken": "Tiktoken", "Title": "Tytuł", + "Title (e.g. Tell me a fun fact)": "Tytuł (na przykład {e.g.} Powiedz mi jakiś zabawny fakt)", "Title Auto-Generation": "Automatyczne tworzenie tytułu", "Title cannot be an empty string.": "Tytuł nie może być pustym stringiem.", "Title Generation": "Generowanie tytułów", @@ -1694,7 +1672,6 @@ "Update and Copy Link": "Aktualizuj i kopiuj link", "Update for the latest features and improvements.": "Aktualizacja do najnowszych funkcji i ulepszeń.", "Update password": "Zmiana hasła", - "Update your status": "", "Updated": "Zaktualizowano", "Updated at": "Aktualizacja dnia", "Updated At": "Czas aktualizacji", @@ -1748,7 +1725,6 @@ "View Replies": "Wyświetl odpowiedzi", "View Result from **{{NAME}}**": "", "Visibility": "Widoczność", - "Visible to all users": "", "Vision": "", "Voice": "Głos", "Voice Input": "Wprowadzanie głosowe", @@ -1776,7 +1752,6 @@ "What are you trying to achieve?": "Do czego dążysz?", "What are you working on?": "Nad czym pracujesz?", "What's New in": "Co nowego w", - "What's on your mind?": "", "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.": "Gdy jest włączony, model będzie reagował na każdą wiadomość czatu w czasie rzeczywistym, generując odpowiedź tak szybko, jak użytkownik wyśle wiadomość. Ten tryb jest przydatny dla aplikacji czatu na żywo, ale może wpływać na wydajność na wolniejszym sprzęcie.", "wherever you are": "gdziekolwiek jesteś", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json index f388e9319f..bcd51bf274 100644 --- a/src/lib/i18n/locales/pt-BR/translation.json +++ b/src/lib/i18n/locales/pt-BR/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} palavras", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} às {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "O download do {{model}} foi cancelado", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Chats de {{user}}", "{{webUIName}} Backend Required": "Backend {{webUIName}} necessário", "*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) são obrigatórios para gerar imagens", "1 Source": "1 Origem", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Um nova versão (v{{LATEST_VERSION}}) está disponível.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Um modelo de tarefa é usado ao realizar tarefas como gerar títulos para chats e consultas de pesquisa na web", "a user": "um usuário", "About": "Sobre", @@ -36,6 +32,7 @@ "Accessible to all users": "Acessível para todos os usuários", "Account": "Conta", "Account Activation Pending": "Ativação da Conta Pendente", + "Accurate information": "Informações precisas", "Action": "Ação", "Action not found": "Ação não encontrada", @@ -57,8 +54,7 @@ "Add Custom Prompt": "Adicionar prompt personalizado", "Add Details": "Adicionar detalhes", "Add Files": "Adicionar Arquivos", - "Add Member": "", - "Add Members": "", + "Add Group": "Adicionar Grupo", "Add Memory": "Adicionar Memória", "Add Model": "Adicionar Modelo", "Add Reaction": "Adicionar reação", @@ -128,8 +124,10 @@ "and {{COUNT}} more": "e mais {{COUNT}}", "and create a new shared link.": "e criar um novo link compartilhado.", "Android": "Android", + "API Base URL": "URL Base da API", "API Base URL for Datalab Marker service. Defaults to: https://www.datalab.to/api/v1/marker": "URL base da API para o serviço Datalab Marker. O padrão é: https://www.datalab.to/api/v1/marker", + "API Key": "Chave API", "API Key created.": "Chave API criada.", "API Key Endpoint Restrictions": "Restrições de endpoint de chave de API", @@ -205,6 +203,7 @@ "Bocha Search API Key": "Chave da API de pesquisa Bocha", "Bold": "Negrito", "Boosting or penalizing specific tokens for constrained responses. Bias values will be clamped between -100 and 100 (inclusive). (Default: none)": "Aumentar ou penalizar tokens específicos para respostas restritas. Os valores de viés serão fixados entre -100 e 100 (inclusive). (Padrão: nenhum)", + "Brave Search API Key": "Chave API do Brave Search", "Bullet List": "Lista com marcadores", "Button ID": "ID do botão", @@ -257,7 +256,6 @@ "Citations": "Citações", "Clear memory": "Limpar memória", "Clear Memory": "Limpar Memória", - "Clear status": "", "click here": "Clique aqui", "Click here for filter guides.": "Clique aqui para obter instruções de filtros.", "Click here for help.": "Clique aqui para obter ajuda.", @@ -294,7 +292,6 @@ "Code Interpreter": "Intérprete de código", "Code Interpreter Engine": "Motor de interpretação de código", "Code Interpreter Prompt Template": "Modelo de Prompt do Interpretador de Código", - "Collaboration channel where people join as members": "", "Collapse": "Recolher", "Collection": "Coleção", "Color": "Cor", @@ -429,6 +426,7 @@ "Deleted {{name}}": "Excluído {{name}}", "Deleted User": "Usuário Excluído", "Deployment names are required for Azure OpenAI": "Nomes de implantação são necessários para o Azure OpenAI", + "Describe your knowledge base and objectives": "Descreva sua base de conhecimento e objetivos", "Description": "Descrição", "Detect Artifacts Automatically": "Detectar artefatos automaticamente", @@ -454,7 +452,6 @@ "Discover, download, and explore custom prompts": "Descubra, baixe e explore prompts personalizados", "Discover, download, and explore custom tools": "Descubra, baixe e explore ferramentas personalizadas", "Discover, download, and explore model presets": "Descubra, baixe e explore predefinições de modelos", - "Discussion channel where access is based on groups and permissions": "", "Display": "Exibir", "Display chat title in tab": "Exibir título do chat na aba", "Display Emoji in Call": "Exibir Emoji na Chamada", @@ -463,6 +460,9 @@ "Displays citations in the response": "Exibir citações na resposta", "Displays status updates (e.g., web search progress) in the response": "Exibe atualizações de status (por exemplo, progresso da pesquisa na web) na resposta", "Dive into knowledge": "Explorar base de conhecimento", + + + "Do not install functions from sources you do not fully trust.": "Não instale funções de origens nas quais você não confia totalmente.", "Do not install tools from sources you do not fully trust.": "Não instale ferramentas de origens nas quais você não confia totalmente.", "Docling": "", @@ -493,15 +493,12 @@ "e.g. \"json\" or a JSON schema": "por exemplo, \"json\" ou um esquema JSON", "e.g. 60": "por exemplo, 60", "e.g. A filter to remove profanity from text": "Exemplo: Um filtro para remover palavrões do texto", - "e.g. about the Roman Empire": "", "e.g. en": "por exemplo, en", "e.g. My Filter": "Exemplo: Meu Filtro", "e.g. My Tools": "Exemplo: Minhas Ferramentas", "e.g. my_filter": "Exemplo: my_filter", "e.g. my_tools": "Exemplo: my_tools", "e.g. pdf, docx, txt": "por exemplo, pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "Exemplo: Ferramentas para executar operações diversas", "e.g., 3, 4, 5 (leave blank for default)": "por exemplo, 3, 4, 5 (deixe em branco para o padrão)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "por exemplo, áudio/wav, áudio/mpeg, vídeo/* (deixe em branco para os padrões)", @@ -530,6 +527,7 @@ "Embedding Batch Size": "Tamanho do Lote de Embedding", "Embedding Model": "Modelo de Embedding", "Embedding Model Engine": "Motor do Modelo de Embedding", + "Enable API Keys": "Habilitar chave de API", "Enable autocomplete generation for chat messages": "Habilitar geração de preenchimento automático para mensagens do chat", "Enable Code Execution": "Habilitar execução de código", @@ -566,12 +564,14 @@ "Enter Chunk Overlap": "Digite a Sobreposição de Chunk", "Enter Chunk Size": "Digite o Tamanho do Chunk", "Enter comma-separated \"token:bias_value\" pairs (example: 5432:100, 413:-100)": "Insira pares \"token:bias_value\" separados por vírgulas (exemplo: 5432:100, 413:-100)", + "Enter content for the pending user info overlay. Leave empty for default.": "Insira o conteúdo para a sobreposição de informações pendentes do usuário. Deixe em branco para o padrão.", "Enter coordinates (e.g. 51.505, -0.09)": "Insira as coordenadas (por exemplo, 51,505, -0,09)", "Enter Datalab Marker API Base URL": "Insira o URL base da API do marcador do Datalab", "Enter Datalab Marker API Key": "Insira a chave da API do marcador do Datalab", "Enter description": "Digite a descrição", "Enter Docling API Key": "Insira a chave da API do Docling", + "Enter Docling Server URL": "Digite a URL do servidor Docling", "Enter Document Intelligence Endpoint": "Insira o endpoint do Document Intelligence", "Enter Document Intelligence Key": "Insira a chave de inteligência do documento", @@ -700,6 +700,7 @@ "Export Config to JSON File": "Exportar Configuração para Arquivo JSON", "Export Models": "Exportar Modelos", "Export Presets": "Exportar Presets", + "Export Prompt Suggestions": "Exportar Sugestões de Prompt", "Export Prompts": "Exportar Prompts", "Export to CSV": "Exportar para CSV", "Export Tools": "Exportar Ferramentas", @@ -714,8 +715,6 @@ "External Web Search URL": "URL de pesquisa na Web externa", "Fade Effect for Streaming Text": "Efeito de desbotamento para texto em streaming", "Failed to add file.": "Falha ao adicionar arquivo.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Falha ao conectar ao servidor da ferramenta OpenAPI {{URL}}", "Failed to copy link": "Falha ao copiar o link", "Failed to create API Key.": "Falha ao criar a Chave API.", @@ -729,15 +728,14 @@ "Failed to load file content.": "Falha ao carregar o conteúdo do arquivo.", "Failed to move chat": "Falha ao mover o chat", "Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência", - "Failed to remove member": "", "Failed to render diagram": "Falha ao renderizar o diagrama", "Failed to render visualization": "Falha ao renderizar a visualização", "Failed to save connections": "Falha ao salvar conexões", "Failed to save conversation": "Falha ao salvar a conversa", "Failed to save models configuration": "Falha ao salvar a configuração dos modelos", "Failed to update settings": "Falha ao atualizar as configurações", - "Failed to update status": "", "Failed to upload file.": "Falha ao carregar o arquivo.", + "Features": "Funcionalidades", "Features Permissions": "Permissões das Funcionalidades", "February": "Fevereiro", @@ -830,13 +828,11 @@ "Google PSE Engine Id": "ID do Motor do Google PSE", "Gravatar": "", "Group": "Grupo", - "Group Channel": "", "Group created successfully": "Grupo criado com sucesso", "Group deleted successfully": "Grupo excluído com sucesso", "Group Description": "Descrição do Grupo", "Group Name": "Nome do Grupo", "Group updated successfully": "Grupo atualizado com sucesso", - "groups": "", "Groups": "Grupos", "H1": "Título", "H2": "Subtítulo", @@ -891,10 +887,12 @@ "Import Models": "Importar Modelos", "Import Notes": "Importar Notas", "Import Presets": "Importar Presets", + "Import Prompt Suggestions": "Importar Sugestões de Prompt", "Import Prompts": "Importar Prompts", "Import successful": "Importação bem-sucedida", "Import Tools": "Importar Ferramentas", "Important Update": "Atualização importante", + "Include": "Incluir", "Include `--api-auth` flag when running stable-diffusion-webui": "Incluir a flag `--api-auth` ao executar stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Incluir a flag `--api` ao executar stable-diffusion-webui", @@ -1026,9 +1024,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "O suporte ao MCP é experimental e suas especificações mudam com frequência, o que pode levar a incompatibilidades. O suporte à especificação OpenAPI é mantido diretamente pela equipe do Open WebUI, tornando-o a opção mais confiável para compatibilidade.", "Medium": "Médio", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memórias acessíveis por LLMs serão mostradas aqui.", "Memory": "Memória", "Memory added successfully": "Memória adicionada com sucesso", @@ -1176,7 +1171,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.", "Only can be triggered when the chat input is in focus.": "Só pode ser acionado quando o campo de entrada do chat estiver em foco.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Somente coleções podem ser editadas. Crie uma nova base de conhecimento para editar/adicionar documentos.", - "Only invited users can access": "", "Only markdown files are allowed": "Somente arquivos markdown são permitidos", "Only select users and groups with permission can access": "Somente usuários e grupos selecionados com permissão podem acessar.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Parece que a URL é inválida. Por favor, verifique novamente e tente de novo.", @@ -1208,6 +1202,7 @@ "OpenAPI Spec": "", "openapi.json URL or Path": "", "Optional": "Opcional", + "or": "ou", "Ordered List": "Lista ordenada", "Organize your users": "Organizar seus usuários", @@ -1222,12 +1217,14 @@ "Password": "Senha", "Passwords do not match.": "As senhas não coincidem.", "Paste Large Text as File": "Cole Textos Longos como Arquivo", + "PDF document (.pdf)": "Documento PDF (.pdf)", "PDF Extract Images (OCR)": "Extrair Imagens do PDF (OCR)", "pending": "pendente", "Pending": "Pendente", "Pending User Overlay Content": "Conteúdo de sobreposição de usuário pendente", "Pending User Overlay Title": "Título de sobreposição de usuário pendente", + "Permission denied when accessing media devices": "Permissão negada ao acessar dispositivos de mídia", "Permission denied when accessing microphone": "Permissão negada ao acessar o microfone", "Permission denied when accessing microphone: {{error}}": "Permissão negada ao acessar o microfone: {{error}}", @@ -1237,11 +1234,15 @@ "Perplexity Search API URL": "", "Perplexity Search Context Usage": "Uso do contexto de pesquisa do Perplexity", "Personalization": "Personalização", + + + "Pin": "Fixar", "Pinned": "Fixado", "Pinned Messages": "", "Pioneer insights": "Insights pioneiros", "Pipe": "", + "Pipeline deleted successfully": "Pipeline excluído com sucesso", "Pipeline downloaded successfully": "Pipeline baixado com sucesso", "Pipelines": "Pipelines", @@ -1282,9 +1283,9 @@ "Previous 7 days": "Últimos 7 dias", "Previous message": "Mensagem anterior", "Private": "Privado", - "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (por exemplo, Diga-me um fato divertido sobre o Império Romano)", "Prompt Autocompletion": "Preenchimento automático de prompts", "Prompt Content": "Conteúdo do Prompt", "Prompt created successfully": "Prompt criado com sucesso", @@ -1298,6 +1299,7 @@ "Pull \"{{searchValue}}\" from Ollama.com": "Obter \"{{searchValue}}\" de Ollama.com", "Pull a model from Ollama.com": "Obter um modelo de Ollama.com", "Pull Model": "Obter Modelo", + "Query Generation Prompt": "Prompt de Geração de Consulta", "Querying": "Consultando", "Quick Actions": "Ações rápidas", @@ -1471,7 +1473,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Defina o número de threads de trabalho usadas para computação. Esta opção controla quantos threads são usados para processar as solicitações recebidas de forma simultânea. Aumentar esse valor pode melhorar o desempenho em cargas de trabalho de alta concorrência, mas também pode consumir mais recursos da CPU.", "Set Voice": "Definir Voz", "Set whisper model": "Definir modelo Whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Define um viés fixo contra tokens que apareceram pelo menos uma vez. Um valor mais alto (por exemplo, 1,5) penalizará as repetições com mais força, enquanto um valor mais baixo (por exemplo, 0,9) será mais tolerante. Em 0, está desabilitado.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Define um viés de escala contra tokens para penalizar repetições, com base em quantas vezes elas apareceram. Um valor mais alto (por exemplo, 1,5) penalizará as repetições com mais rigor, enquanto um valor mais baixo (por exemplo, 0,9) será mais brando. Em 0, está desabilitado.", "Sets how far back for the model to look back to prevent repetition.": "Define até que ponto o modelo deve olhar para trás para evitar repetições.", @@ -1521,12 +1522,10 @@ "Speech recognition error: {{error}}": "Erro de reconhecimento de fala: {{error}}", "Speech-to-Text": "Fala-para-Texto", "Speech-to-Text Engine": "Motor de Transcrição de Fala", + "Start a new conversation": "Iniciar uma nova conversa", "Start of the channel": "Início do canal", "Start Tag": "Tag inicial", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Atualizações de status", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "Passos", @@ -1542,7 +1541,7 @@ "STT Model": "Modelo STT", "STT Settings": "Configurações STT", "Stylized PDF Export": "Exportação de PDF estilizado", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtítulo (por exemplo, sobre o Império Romano)", "Success": "Sucesso", "Successfully imported {{userCount}} users.": "{{userCount}} usuários importados com sucesso.", "Successfully updated.": "Atualizado com sucesso.", @@ -1555,6 +1554,7 @@ "System": "Sistema", "System Instructions": "Instruções do sistema", "System Prompt": "Prompt do Sistema", + "Tag": "", "Tags": "", "Tags Generation": "Geração de tags", @@ -1625,6 +1625,7 @@ "Tika Server URL required.": "URL do servidor Tika necessária.", "Tiktoken": "", "Title": "Título", + "Title (e.g. Tell me a fun fact)": "Título (por exemplo, Conte-me um fato divertido)", "Title Auto-Generation": "Geração Automática de Título", "Title cannot be an empty string.": "O Título não pode ser uma string vazia.", "Title Generation": "Geração de Títulos", @@ -1693,7 +1694,6 @@ "Update and Copy Link": "Atualizar e Copiar Link", "Update for the latest features and improvements.": "Atualizar para as novas funcionalidades e melhorias.", "Update password": "Atualizar senha", - "Update your status": "", "Updated": "Atualizado", "Updated at": "Atualizado em", "Updated At": "Atualizado Em", @@ -1747,8 +1747,8 @@ "View Replies": "Ver respostas", "View Result from **{{NAME}}**": "Ver resultado de **{{NAME}}**", "Visibility": "Visibilidade", - "Visible to all users": "", "Vision": "Visão", + "Voice": "Voz", "Voice Input": "Entrada de voz", "Voice mode": "Modo de voz", @@ -1775,7 +1775,6 @@ "What are you trying to achieve?": "O que está tentando alcançar?", "What are you working on?": "No que está trabalhando?", "What's New in": "O que há de novo em", - "What's on your mind?": "", "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.": "Quando habilitado, o modelo responderá a cada mensagem de chat em tempo real, gerando uma resposta assim que o usuário enviar uma mensagem. Este modo é útil para aplicativos de chat ao vivo, mas pode impactar o desempenho em hardware mais lento.", "wherever you are": "onde quer que você esteja.", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Se a saída deve ser paginada. Cada página será separada por uma régua horizontal e um número de página. O padrão é Falso.", diff --git a/src/lib/i18n/locales/pt-PT/translation.json b/src/lib/i18n/locales/pt-PT/translation.json index e83b993ed8..32f5893e30 100644 --- a/src/lib/i18n/locales/pt-PT/translation.json +++ b/src/lib/i18n/locales/pt-PT/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'s Chats", "{{webUIName}} Backend Required": "{{webUIName}} Backend Necessário", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Um modelo de tarefa é usado ao executar tarefas como gerar títulos para bate-papos e consultas de pesquisa na Web", "a user": "um utilizador", "About": "Acerca de", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Adicionar Ficheiros", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "Adicionar memória", "Add Model": "Adicionar modelo", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Limpar memória", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Clique aqui para obter ajuda.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Coleção", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Descubra, descarregue e explore prompts personalizados", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "Descubra, descarregue e explore predefinições de modelo", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Falha ao criar a Chave da API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Falha ao guardar a conversa", "Failed to save models configuration": "", "Failed to update settings": "Falha ao atualizar as definições", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID do mecanismo PSE do Google", "Gravatar": "", "Group": "Grupo", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memórias acessíveis por LLMs serão mostradas aqui.", "Memory": "Memória", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Epá! Parece que o URL é inválido. Verifique novamente e tente outra vez.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Últimos 7 dias", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Perfil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ex.: Dê-me um facto divertido sobre o Império Romano)", "Prompt Autocompletion": "", "Prompt Content": "Conteúdo do Prompt", "Prompt created successfully": "", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Definir Voz", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "Início do canal", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "Modelo STT", "STT Settings": "Configurações STT", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtítulo (ex.: sobre o Império Romano)", "Success": "Sucesso", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Atualizado com sucesso.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Título", + "Title (e.g. Tell me a fun fact)": "Título (ex.: Diz-me um facto divertido)", "Title Auto-Generation": "Geração Automática de Título", "Title cannot be an empty string.": "Título não pode ser uma string vazia.", "Title Generation": "", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Atualizar e Copiar Link", "Update for the latest features and improvements.": "", "Update password": "Atualizar senha", - "Update your status": "", "Updated": "", "Updated at": "", "Updated At": "", @@ -1747,7 +1724,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "O que há de novo em", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ro-RO/translation.json b/src/lib/i18n/locales/ro-RO/translation.json index fef5de52cc..86510eefc6 100644 --- a/src/lib/i18n/locales/ro-RO/translation.json +++ b/src/lib/i18n/locales/ro-RO/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Conversațiile lui {{user}}", "{{webUIName}} Backend Required": "Este necesar backend-ul {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*Sunt necesare ID-urile nodurilor de solicitare pentru generarea imaginii*", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "O nouă versiune (v{{LATEST_VERSION}}) este acum disponibilă.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Un model de sarcină este utilizat pentru realizarea unor sarcini precum generarea de titluri pentru conversații și interogări de căutare pe web", "a user": "un utilizator", "About": "Despre", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Adaugă fișiere", - "Add Member": "", - "Add Members": "", + "Add Group": "Adaugă grup", "Add Memory": "Adaugă memorie", "Add Model": "Adaugă model", "Add Reaction": "Adaugă reacție", @@ -257,7 +252,6 @@ "Citations": "Citații", "Clear memory": "Șterge memoria", "Clear Memory": "Golește memoria", - "Clear status": "", "click here": "apasă aici.", "Click here for filter guides.": "Apasă aici pentru ghidul de filtrare.", "Click here for help.": "Apasă aici pentru ajutor.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "Motor de interpretare a codului", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Colecție", "Color": "Culoare", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Descoperă, descarcă și explorează prompturi personalizate", "Discover, download, and explore custom tools": "Descoperă, descarcă și explorează instrumente personalizate", "Discover, download, and explore model presets": "Descoperă, descarcă și explorează presetări de model", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Afișează Emoji în Apel", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exportă Configurația în Fișier JSON", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Eșec la adăugarea fișierului.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Crearea cheii API a eșuat.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Citirea conținutului clipboard-ului a eșuat", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Nu s-a putut salva conversația", "Failed to save models configuration": "", "Failed to update settings": "Actualizarea setărilor a eșuat", - "Failed to update status": "", "Failed to upload file.": "Încărcarea fișierului a eșuat.", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID Motor Google PSE", "Gravatar": "", "Group": "Grup", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memoriile accesibile de LLM-uri vor fi afișate aici.", "Memory": "Memorie", "Memory added successfully": "Memoria a fost adăugată cu succes", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Doar caracterele alfanumerice și cratimele sunt permise în șirul de comandă.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Doar colecțiile pot fi editate, creați o nouă bază de cunoștințe pentru a edita/adăuga documente.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Se pare că URL-ul este invalid. Vă rugăm să verificați din nou și să încercați din nou.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Ultimele 7 zile", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (de ex. Spune-mi un fapt amuzant despre Imperiul Roman)", "Prompt Autocompletion": "", "Prompt Content": "Conținut Prompt", "Prompt created successfully": "", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Setează Voce", "Set whisper model": "Setează modelul whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "Începutul canalului", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "Model STT", "STT Settings": "Setări STT", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtitlu (de ex. despre Imperiul Roman)", "Success": "Succes", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Actualizat cu succes.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "Este necesar URL-ul serverului Tika.", "Tiktoken": "Tiktoken", "Title": "Titlu", + "Title (e.g. Tell me a fun fact)": "Titlu (de ex. Spune-mi un fapt amuzant)", "Title Auto-Generation": "Generare Automată a Titlului", "Title cannot be an empty string.": "Titlul nu poate fi un șir gol.", "Title Generation": "", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Actualizează și Copiază Link-ul", "Update for the latest features and improvements.": "Actualizare pentru cele mai recente caracteristici și îmbunătățiri.", "Update password": "Actualizează parola", - "Update your status": "", "Updated": "Actualizat", "Updated at": "Actualizat la", "Updated At": "Actualizat la", @@ -1747,7 +1724,6 @@ "View Replies": "Vezi răspunsurile", "View Result from **{{NAME}}**": "", "Visibility": "Vizibilitate", - "Visible to all users": "", "Vision": "", "Voice": "Voce", "Voice Input": "Intrare vocală", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Ce e Nou în", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ru-RU/translation.json b/src/lib/i18n/locales/ru-RU/translation.json index 060ef68240..d5f5bcf30e 100644 --- a/src/lib/i18n/locales/ru-RU/translation.json +++ b/src/lib/i18n/locales/ru-RU/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} слов", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} в {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} загрузка была отменена", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Чаты {{user}}'а", "{{webUIName}} Backend Required": "Необходимо подключение к серверу {{webUIName}}", "*Prompt node ID(s) are required for image generation": "ID узлов промптов обязательны для генерации изображения", "1 Source": "1 Источник", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Новая версия (v{{LATEST_VERSION}}) теперь доступна.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Модель задач используется при выполнении таких задач, как генерация заголовков для чатов и поисковых запросов в Интернете", "a user": "пользователь", "About": "О программе", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "Добавить детали", "Add Files": "Добавить файлы", - "Add Member": "", - "Add Members": "", + "Add Group": "Добавить группу", "Add Memory": "Добавить воспоминание", "Add Model": "Добавить модель", "Add Reaction": "Добавить реакцию", @@ -257,7 +252,6 @@ "Citations": "Цитаты", "Clear memory": "Очистить воспоминания", "Clear Memory": "Очистить память", - "Clear status": "", "click here": "кликните сюда", "Click here for filter guides.": "Нажмите здесь, чтобы просмотреть руководства по фильтрам.", "Click here for help.": "Нажмите здесь для получения помощи.", @@ -294,7 +288,6 @@ "Code Interpreter": "Интерпретатор кода", "Code Interpreter Engine": "Механизм интерпретатора кода", "Code Interpreter Prompt Template": "Шаблон промпта интерпретатора кода", - "Collaboration channel where people join as members": "", "Collapse": "Свернуть", "Collection": "Коллекция", "Color": "Цвет", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Открывайте для себя, загружайте и исследуйте пользовательские промпты", "Discover, download, and explore custom tools": "Открывайте для себя, загружайте и исследуйте пользовательские инструменты", "Discover, download, and explore model presets": "Открывайте для себя, загружайте и исследуйте пользовательские предустановки моделей", - "Discussion channel where access is based on groups and permissions": "", "Display": "Отображать", "Display chat title in tab": "", "Display Emoji in Call": "Отображать эмодзи в вызовах", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "например, \"json\" или схему JSON", "e.g. 60": "например, 60", "e.g. A filter to remove profanity from text": "например, фильтр для удаления ненормативной лексики из текста", - "e.g. about the Roman Empire": "", "e.g. en": "например, en", "e.g. My Filter": "например, мой фильтр", "e.g. My Tools": "например, мой инструмент", "e.g. my_filter": "например, мой_фильтр", "e.g. my_tools": "например, мой_инструмент", "e.g. pdf, docx, txt": "например, pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "например, инструменты для выполнения различных операций", "e.g., 3, 4, 5 (leave blank for default)": "например, 3, 4, 5 (оставьте поле пустым по умолчанию)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "напр., audio/wav,audio/mpeg,video/* (оставьте пустым для значений по умолчанию)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Экспорт конфигурации в JSON-файл", "Export Models": "", "Export Presets": "Экспорт Пресетов", + "Export Prompt Suggestions": "Экспортировать Предложения промптов", "Export Prompts": "", "Export to CSV": "Экспортировать в CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "URL-адрес внешнего веб-поиска", "Fade Effect for Streaming Text": "Эффект затухания для потокового текста", "Failed to add file.": "Не удалось добавить файл.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Не удалось подключиться к серверу инструмента OpenAI {{URL}}", "Failed to copy link": "Не удалось скопировать ссылку", "Failed to create API Key.": "Не удалось создать ключ API.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Не удалось загрузить содержимое файла.", "Failed to move chat": "Не удалось переместить чат", "Failed to read clipboard contents": "Не удалось прочитать содержимое буфера обмена", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Не удалось сохранить подключения", "Failed to save conversation": "Не удалось сохранить беседу", "Failed to save models configuration": "Не удалось сохранить конфигурацию моделей", "Failed to update settings": "Не удалось обновить настройки", - "Failed to update status": "", "Failed to upload file.": "Не удалось загрузить файл.", "Features": "Функции", "Features Permissions": "Разрешения для функций", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Id движка Google PSE", "Gravatar": "Gravatar", "Group": "Группа", - "Group Channel": "", "Group created successfully": "Группа успешно создана", "Group deleted successfully": "Группа успешно удалена", "Group Description": "Описание группы", "Group Name": "Название группы", "Group updated successfully": "Группа успешно обновлена", - "groups": "", "Groups": "Группы", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Импортировать Заметки", "Import Presets": "Импортировать Пресеты", + "Import Prompt Suggestions": "Импортировать Предложения промптов", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "Средний", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Воспоминания, доступные LLMs, будут отображаться здесь.", "Memory": "Воспоминания", "Memory added successfully": "Воспоминание успешно добавлено", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "В строке команды разрешено использовать только буквенно-цифровые символы и дефисы.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Редактировать можно только коллекции, создайте новую базу знаний для редактирования/добавления документов.", - "Only invited users can access": "", "Only markdown files are allowed": "Разрешены только файлы markdown", "Only select users and groups with permission can access": "Доступ имеют только избранные пользователи и группы, имеющие разрешение.", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Похоже, что URL-адрес недействителен. Пожалуйста, перепроверьте и попробуйте еще раз.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Предыдущие 7 дней", "Previous message": "Предыдущее сообщение", "Private": "Частное", - "Private conversation between selected users": "", "Profile": "Профиль", "Prompt": "Промпт", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Промпт (напр., Расскажи мне интересный факт о Римской империи)", "Prompt Autocompletion": "Автодополнение промпта", "Prompt Content": "Содержание промпта", "Prompt created successfully": "Промпт успешно создан", @@ -1472,7 +1453,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Задайте количество рабочих потоков, используемых для вычислений. Этот параметр определяет, сколько потоков используется для одновременной обработки входящих запросов. Увеличение этого значения может повысить производительность при высоких рабочих нагрузках с параллелизмом, но также может потреблять больше ресурсов процессора.", "Set Voice": "Задать голос", "Set whisper model": "Выбрать модель whiser", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Устанавливает нулевое значение для символов, которые появились хотя бы один раз. Более высокое значение (например, 1,5) будет более строгим наказанием за повторения, в то время как более низкое значение (например, 0,9) будет более мягким. При значении 0 он отключается.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Устанавливает смещение масштабирования для токенов, чтобы наказывать за повторения, в зависимости от того, сколько раз они появлялись. Более высокое значение (например, 1,5) будет наказывать за повторения более строго, в то время как более низкое значение (например, 0,9) будет более мягким. При значении 0 оно отключается.", "Sets how far back for the model to look back to prevent repetition.": "Задает, как далеко назад модель должна вернуться, чтобы предотвратить повторение.", @@ -1525,9 +1505,6 @@ "Start a new conversation": "", "Start of the channel": "Начало канала", "Start Tag": "Начальный тег", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Обновления статуса", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1543,7 +1520,7 @@ "STT Model": "Модель распознавания речи", "STT Settings": "Настройки распознавания речи", "Stylized PDF Export": "Стилизованный экспорт в формате PDF", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Подзаголовок (напр., о Римской империи)", "Success": "Успех", "Successfully imported {{userCount}} users.": "Успешно импортировано {{userCount}} пользователей.", "Successfully updated.": "Успешно обновлено.", @@ -1626,6 +1603,7 @@ "Tika Server URL required.": "Требуется URL-адрес сервера Tika.", "Tiktoken": "Tiktoken", "Title": "Заголовок", + "Title (e.g. Tell me a fun fact)": "Заголовок (например, Расскажи мне интересный факт)", "Title Auto-Generation": "Автогенерация заголовка", "Title cannot be an empty string.": "Заголовок не может быть пустой строкой.", "Title Generation": "Генерация заголовка", @@ -1694,7 +1672,6 @@ "Update and Copy Link": "Обновить и скопировать ссылку", "Update for the latest features and improvements.": "Обновитесь для получения последних функций и улучшений.", "Update password": "Обновить пароль", - "Update your status": "", "Updated": "Обновлено", "Updated at": "Обновлено", "Updated At": "Обновлено в", @@ -1748,7 +1725,6 @@ "View Replies": "С ответами", "View Result from **{{NAME}}**": "Просмотр результата от **{{NAME}}**", "Visibility": "Видимость", - "Visible to all users": "", "Vision": "Видение", "Voice": "Голос", "Voice Input": "Ввод голоса", @@ -1776,7 +1752,6 @@ "What are you trying to achieve?": "Чего вы пытаетесь достичь?", "What are you working on?": "Над чем вы работаете?", "What's New in": "Что нового в", - "What's on your mind?": "", "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": "где бы вы ни были", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Следует ли разбивать выходные данные на страницы. Каждая страница будет разделена горизонтальной линией и номером страницы. По умолчанию установлено значение Выкл.", diff --git a/src/lib/i18n/locales/sk-SK/translation.json b/src/lib/i18n/locales/sk-SK/translation.json index fea93c567b..ad1b53645c 100644 --- a/src/lib/i18n/locales/sk-SK/translation.json +++ b/src/lib/i18n/locales/sk-SK/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'s konverzácie", "{{webUIName}} Backend Required": "Vyžaduje sa {{webUIName}} Backend", "*Prompt node ID(s) are required for image generation": "*Sú potrebné IDs pre prompt node na generovanie obrázkov", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Nová verzia (v{{LATEST_VERSION}}) je teraz k dispozícii.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Model úloh sa používa pri vykonávaní úloh, ako je generovanie názvov pre chaty a vyhľadávacie dotazy na webe.", "a user": "užívateľ", "About": "O programe", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Pridať súbory", - "Add Member": "", - "Add Members": "", + "Add Group": "Pridať skupinu", "Add Memory": "Pridať pamäť", "Add Model": "Pridať model", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Vymazať pamäť", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Kliknite tu pre pomoc.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "", "Color": "Farba", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Objavte, stiahnite a preskúmajte vlastné prompty.", "Discover, download, and explore custom tools": "Objavujte, sťahujte a preskúmajte vlastné nástroje", "Discover, download, and explore model presets": "Objavte, stiahnite a preskúmajte prednastavenia modelov", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Zobrazenie emoji počas hovoru", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exportujte konfiguráciu do súboru JSON", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Nepodarilo sa pridať súbor.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Nepodarilo sa vytvoriť API kľúč.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Nepodarilo sa prečítať obsah schránky", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Nepodarilo sa uložiť konverzáciu", "Failed to save models configuration": "", "Failed to update settings": "Nepodarilo sa aktualizovať nastavenia", - "Failed to update status": "", "Failed to upload file.": "Nepodarilo sa nahrať súbor.", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE Engine Id (Identifikátor vyhľadávacieho modulu Google PSE)", "Gravatar": "", "Group": "Skupina", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Spomienky prístupné LLM budú zobrazené tu.", "Memory": "Pamäť", "Memory added successfully": "Pamäť bola úspešne pridaná.", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Príkazový reťazec môže obsahovať iba alfanumerické znaky a pomlčky.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Iba kolekcie môžu byť upravované, na úpravu/pridanie dokumentov vytvorte novú znalostnú databázu.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Jejda! Vyzerá to, že URL adresa je neplatná. Prosím, skontrolujte ju a skúste to znova.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Predchádzajúcich 7 dní", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (napr. Povedz mi zábavnú skutočnosť o Rímskej ríši)", "Prompt Autocompletion": "", "Prompt Content": "Obsah promptu", "Prompt created successfully": "", @@ -1472,7 +1453,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Nastaviť hlas", "Set whisper model": "Nastaviť model whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1525,9 +1505,6 @@ "Start a new conversation": "", "Start of the channel": "Začiatok kanála", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1543,7 +1520,7 @@ "STT Model": "Model rozpoznávania reči na text (STT)", "STT Settings": "Nastavenia STT (Rozpoznávanie reči)", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Titulky (napr. o Rímskej ríši)", "Success": "Úspech", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Úspešne aktualizované.", @@ -1626,6 +1603,7 @@ "Tika Server URL required.": "Je vyžadovaná URL adresa servera Tika.", "Tiktoken": "Tiktoken", "Title": "Názov", + "Title (e.g. Tell me a fun fact)": "Názov (napr. Povedz mi zaujímavosť)", "Title Auto-Generation": "Automatické generovanie názvu", "Title cannot be an empty string.": "Názov nemôže byť prázdny reťazec.", "Title Generation": "", @@ -1694,7 +1672,6 @@ "Update and Copy Link": "Aktualizovať a skopírovať odkaz", "Update for the latest features and improvements.": "Aktualizácia pre najnovšie funkcie a vylepšenia.", "Update password": "Aktualizovať heslo", - "Update your status": "", "Updated": "Aktualizované", "Updated at": "Aktualizované dňa", "Updated At": "Aktualizované dňa", @@ -1748,7 +1725,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "Viditeľnosť", - "Visible to all users": "", "Vision": "", "Voice": "Hlas", "Voice Input": "Hlasový vstup", @@ -1776,7 +1752,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Čo je nové v", - "What's on your mind?": "", "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": "kdekoľvek ste", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/sr-RS/translation.json b/src/lib/i18n/locales/sr-RS/translation.json index 43ef4bd618..da8f2bcc00 100644 --- a/src/lib/i18n/locales/sr-RS/translation.json +++ b/src/lib/i18n/locales/sr-RS/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Ћаскања корисника {{user}}", "{{webUIName}} Backend Required": "Захтева се {{webUIName}} позадинац", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Модел задатка се користи приликом извршавања задатака као што су генерисање наслова за ћаскања и упите за Веб претрагу", "a user": "корисник", "About": "О нама", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Додај датотеке", - "Add Member": "", - "Add Members": "", + "Add Group": "Додај групу", "Add Memory": "Додај сећање", "Add Model": "Додај модел", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Очисти сећања", "Clear Memory": "", - "Clear status": "", "click here": "кликни овде", "Click here for filter guides.": "Кликни овде за упутства филтера.", "Click here for help.": "Кликните овде за помоћ.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Колекција", "Color": "Боја", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Откријте, преузмите и истражите прилагођене упите", "Discover, download, and explore custom tools": "Откријте, преузмите и истражите прилагођене алате", "Discover, download, and explore model presets": "Откријте, преузмите и истражите образце модела", - "Discussion channel where access is based on groups and permissions": "", "Display": "Приказ", "Display chat title in tab": "", "Display Emoji in Call": "Прикажи емоџије у позиву", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "Неуспешно стварање API кључа.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Неуспешно читање садржаја оставе", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Неуспешно чување разговора", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Гоогле ПСЕ ИД мотора", "Gravatar": "", "Group": "Група", - "Group Channel": "", "Group created successfully": "Група направљена успешно", "Group deleted successfully": "Група обрисана успешно", "Group Description": "Опис групе", "Group Name": "Назив групе", "Group updated successfully": "Група измењена успешно", - "groups": "", "Groups": "Групе", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Памћења које ће бити појављена од овог LLM-а ће бити приказана овде.", "Memory": "Сећања", "Memory added successfully": "Сећање успешно додато", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерички знакови и цртице су дозвољени у низу наредби.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изгледа да је адреса неважећа. Молимо вас да проверите и покушате поново.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Претходних 7 дана", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Профил", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Упит (нпр. „подели занимљивост о Римском царству“)", "Prompt Autocompletion": "", "Prompt Content": "Садржај упита", "Prompt created successfully": "", @@ -1471,7 +1452,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Подеси глас", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1524,9 +1504,6 @@ "Start a new conversation": "", "Start of the channel": "Почетак канала", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1542,7 +1519,7 @@ "STT Model": "STT модел", "STT Settings": "STT подешавања", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Поднаслов (нпр. о Римском царству)", "Success": "Успех", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Успешно ажурирано.", @@ -1625,6 +1602,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Наслов", + "Title (e.g. Tell me a fun fact)": "Наслов (нпр. „реци ми занимљивост“)", "Title Auto-Generation": "Самостално стварање наслова", "Title cannot be an empty string.": "Наслов не може бити празан низ.", "Title Generation": "", @@ -1693,7 +1671,6 @@ "Update and Copy Link": "Ажурирај и копирај везу", "Update for the latest features and improvements.": "Ажурирајте за најновије могућности и побољшања.", "Update password": "Ажурирај лозинку", - "Update your status": "", "Updated": "Ажурирано", "Updated at": "Ажурирано у", "Updated At": "Ажурирано у", @@ -1747,7 +1724,6 @@ "View Replies": "Погледај одговоре", "View Result from **{{NAME}}**": "", "Visibility": "Видљивост", - "Visible to all users": "", "Vision": "", "Voice": "Глас", "Voice Input": "Гласовни унос", @@ -1775,7 +1751,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "Шта је ново у", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/sv-SE/translation.json b/src/lib/i18n/locales/sv-SE/translation.json index ae23e98cb5..22af99843b 100644 --- a/src/lib/i18n/locales/sv-SE/translation.json +++ b/src/lib/i18n/locales/sv-SE/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} ord", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} kl {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "{{model}} nedladdning har avbrutits", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}s Chattar", "{{webUIName}} Backend Required": "{{webUIName}} Backend krävs", "*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) krävs för bildgenerering", "1 Source": "1 källa", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "En ny version (v{{LATEST_VERSION}}) är nu tillgänglig.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "En uppgiftsmodell används när du utför uppgifter som att generera titlar för chattar och webbsökningsfrågor", "a user": "en användare", "About": "Om", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "Lägg till information", "Add Files": "Lägg till filer", - "Add Member": "", - "Add Members": "", + "Add Group": "Lägg till grupp", "Add Memory": "Lägg till minne", "Add Model": "Lägg till modell", "Add Reaction": "Lägg till reaktion", @@ -257,7 +252,6 @@ "Citations": "Citeringar", "Clear memory": "Rensa minnet", "Clear Memory": "Rensa minnet", - "Clear status": "", "click here": "klicka här", "Click here for filter guides.": "Klicka här för filterguider.", "Click here for help.": "Klicka här för hjälp.", @@ -294,7 +288,6 @@ "Code Interpreter": "Kodtolk", "Code Interpreter Engine": "Motor för kodtolk", "Code Interpreter Prompt Template": "Promptmall för kodtolk", - "Collaboration channel where people join as members": "", "Collapse": "Fäll ihop", "Collection": "Samling", "Color": "Färg", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Upptäck, ladda ner och utforska anpassade instruktioner", "Discover, download, and explore custom tools": "Upptäck, ladda ner och utforska anpassade verktyg", "Discover, download, and explore model presets": "Upptäck, ladda ner och utforska modellförinställningar", - "Discussion channel where access is based on groups and permissions": "", "Display": "Visa", "Display chat title in tab": "Visa chattrubrik i flik", "Display Emoji in Call": "Visa Emoji under samtal", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "t.ex. \"json\" eller ett JSON-schema", "e.g. 60": "t.ex. 60", "e.g. A filter to remove profanity from text": "t.ex. Ett filter för att ta bort svordomar från text", - "e.g. about the Roman Empire": "", "e.g. en": "t.ex. en", "e.g. My Filter": "t.ex. Mitt filter", "e.g. My Tools": "t.ex. Mina verktyg", "e.g. my_filter": "t.ex. my_filter", "e.g. my_tools": "t.ex. my_tools", "e.g. pdf, docx, txt": "t.ex. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "t.ex. Verktyg för att utföra olika operationer", "e.g., 3, 4, 5 (leave blank for default)": "t.ex., 3, 4, 5 (lämna tomt för standard)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Exportera konfiguration till JSON-fil", "Export Models": "", "Export Presets": "Exportera förinställningar", + "Export Prompt Suggestions": "Exportera promptförslag", "Export Prompts": "", "Export to CSV": "Exportera till CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "Extern webbsökning URL", "Fade Effect for Streaming Text": "", "Failed to add file.": "Misslyckades med att lägga till fil.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Misslyckades med att ansluta till {{URL}} OpenAPI-verktygsserver", "Failed to copy link": "Misslyckades med att kopiera länk", "Failed to create API Key.": "Misslyckades med att skapa API-nyckel.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Misslyckades med att läsa in filinnehåll.", "Failed to move chat": "", "Failed to read clipboard contents": "Misslyckades med att läsa urklippsinnehåll", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Misslyckades med att spara anslutningar", "Failed to save conversation": "Misslyckades med att spara konversationen", "Failed to save models configuration": "Misslyckades med att spara modellkonfiguration", "Failed to update settings": "Misslyckades med att uppdatera inställningarna", - "Failed to update status": "", "Failed to upload file.": "Misslyckades med att ladda upp fil.", "Features": "Funktioner", "Features Permissions": "Funktionsbehörigheter", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE Engine Id", "Gravatar": "Gravatar", "Group": "Grupp", - "Group Channel": "", "Group created successfully": "Gruppen har skapats", "Group deleted successfully": "Gruppen har tagits bort", "Group Description": "Gruppbeskrivning", "Group Name": "Gruppnamn", "Group updated successfully": "Gruppen har uppdaterats", - "groups": "", "Groups": "Grupper", "H1": "Rubrik 1", "H2": "Rubrik 2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Importera anteckningar", "Import Presets": "Importera förinställningar", + "Import Prompt Suggestions": "Importera promptförslag", "Import Prompts": "", "Import successful": "Importen lyckades", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "Medium", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Minnen som är tillgängliga för AI visas här.", "Memory": "Minne", "Memory added successfully": "Minnet har lagts till", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Endast alfanumeriska tecken och bindestreck är tillåtna i kommandosträngen.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Endast samlingar kan redigeras, skapa en ny kunskapsbas för att redigera/lägga till dokument.", - "Only invited users can access": "", "Only markdown files are allowed": "Endast markdown-filer är tillåtna", "Only select users and groups with permission can access": "Endast valda användare och grupper med behörighet kan komma åt", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hoppsan! Det ser ut som om URL:en är ogiltig. Dubbelkolla gärna och försök igen.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Föregående 7 dagar", "Previous message": "Föregående meddelande", "Private": "Privat", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Instruktion (t.ex. Berätta en kuriosa om Romerska Imperiet)", "Prompt Autocompletion": "Automatisk komplettering av prompter", "Prompt Content": "Instruktionens innehåll", "Prompt created successfully": "Prompt skapad", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ange antalet arbetstrådar som används för beräkning. Detta alternativ styr hur många trådar som används för att bearbeta inkommande förfrågningar samtidigt. Att öka detta värde kan förbättra prestandan under hög samtidighet, men kan också förbruka mer CPU-resurser.", "Set Voice": "Ange röst", "Set whisper model": "Ange viskningsmodell", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Anger en platt bias mot tokens som har dykt upp minst en gång. Ett högre värde (t.ex. 1,5) kommer att straffa upprepningar hårdare, medan ett lägre värde (t.ex. 0,9) kommer att vara mer förlåtande. Vid 0 är det inaktiverat.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Anger en skalningsbias mot tokens för att straffa upprepningar, baserat på hur många gånger de har dykt upp. Ett högre värde (t.ex. 1,5) kommer att straffa upprepningar hårdare, medan ett lägre värde (t.ex. 0,9) kommer att vara mer förlåtande. Vid 0 är det inaktiverat.", "Sets how far back for the model to look back to prevent repetition.": "Anger hur långt tillbaka modellen ska se tillbaka för att förhindra upprepning.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "Starta en ny konversation", "Start of the channel": "Början av kanalen", "Start Tag": "Starta en tagg", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "Statusuppdateringar", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "Tal-till-text-modell", "STT Settings": "Tal-till-text-inställningar", "Stylized PDF Export": "Stiliserad PDF-export", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Undertext (t.ex. om Romerska Imperiet)", "Success": "Framgång", "Successfully imported {{userCount}} users.": "Lyckades importera {{userCount}} användare.", "Successfully updated.": "Uppdaterades framgångsrikt.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika Server URL krävs.", "Tiktoken": "Tiktoken", "Title": "Titel", + "Title (e.g. Tell me a fun fact)": "Titel (t.ex. Berätta en kuriosa)", "Title Auto-Generation": "Automatisk generering av titel", "Title cannot be an empty string.": "Titeln får inte vara en tom sträng.", "Title Generation": "Titelgenerering", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Uppdatera och kopiera länk", "Update for the latest features and improvements.": "Uppdatera för att få de senaste funktionerna och förbättringarna.", "Update password": "Uppdatera lösenord", - "Update your status": "", "Updated": "Uppdaterad", "Updated at": "Uppdaterad vid", "Updated At": "Uppdaterad vid", @@ -1746,7 +1723,6 @@ "View Replies": "Se svar", "View Result from **{{NAME}}**": "Visa resultat från **{{NAME}}**", "Visibility": "Synlighet", - "Visible to all users": "", "Vision": "Syn", "Voice": "Röst", "Voice Input": "Röstinmatning", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Vad försöker du uppnå?", "What are you working on?": "Var arbetar du med?", "What's New in": "Vad är nytt i", - "What's on your mind?": "", "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.": "När det här läget är aktiverat svarar modellen på varje chattmeddelande i realtid och genererar ett svar så snart användaren skickar ett meddelande. Det här läget är användbart för livechattar, men kan påverka prestandan på långsammare maskinvara.", "wherever you are": "var du än befinner dig", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Om utdata ska sidnumreras. Varje sida kommer att separeras av en horisontell linje och sidnummer. Standardvärdet är False.", diff --git a/src/lib/i18n/locales/th-TH/translation.json b/src/lib/i18n/locales/th-TH/translation.json index d6aef3ad54..b1a78c94a7 100644 --- a/src/lib/i18n/locales/th-TH/translation.json +++ b/src/lib/i18n/locales/th-TH/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} คำ", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} เมื่อ {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "การดาวน์โหลด {{model}} ถูกยกเลิกแล้ว", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "การแชทของ {{user}}", "{{webUIName}} Backend Required": "ต้องใช้ Backend ของ {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*ต้องระบุ ID ของ prompt node สำหรับการสร้างภาพ", "1 Source": "1 แหล่งที่มา", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "เวอร์ชันใหม่ (v{{LATEST_VERSION}}) พร้อมให้ใช้งานแล้ว", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Task Model จะถูกใช้เมื่อทำภารกิจต่างๆ เช่น การสร้างหัวข้อแชทและการค้นหาเว็บ", "a user": "ผู้ใช้", "About": "เกี่ยวกับ", @@ -57,8 +53,7 @@ "Add Custom Prompt": "เพิ่มพรอมต์ที่กำหนดเอง", "Add Details": "เพิ่มรายละเอียด", "Add Files": "เพิ่มไฟล์", - "Add Member": "", - "Add Members": "", + "Add Group": "เพิ่มกลุ่ม", "Add Memory": "เพิ่มความจำ", "Add Model": "เพิ่มโมเดล", "Add Reaction": "เพิ่มรีแอคชัน", @@ -257,7 +252,6 @@ "Citations": "การอ้างอิง", "Clear memory": "ล้างความจำ", "Clear Memory": "ล้างความจำ", - "Clear status": "", "click here": "คลิกที่นี่", "Click here for filter guides.": "คลิกที่นี่เพื่อดูคู่มือการใช้ตัวกรอง", "Click here for help.": "คลิกที่นี่เพื่อขอความช่วยเหลือ", @@ -294,7 +288,6 @@ "Code Interpreter": "ตัวแปลโค้ด", "Code Interpreter Engine": "เอนจิน Code Interpreter", "Code Interpreter Prompt Template": "เทมเพลตพรอมต์สำหรับ Code Interpreter", - "Collaboration channel where people join as members": "", "Collapse": "ยุบ", "Collection": "คอลเลกชัน", "Color": "สี", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "ค้นหา ดาวน์โหลด และสำรวจพรอมต์ที่กำหนดเอง", "Discover, download, and explore custom tools": "ค้นหา ดาวน์โหลด และสำรวจเครื่องมือที่กำหนดเอง", "Discover, download, and explore model presets": "ค้นหา ดาวน์โหลด และสำรวจพรีเซ็ตโมเดล", - "Discussion channel where access is based on groups and permissions": "", "Display": "การแสดงผล", "Display chat title in tab": "แสดงชื่อแชทในแท็บ", "Display Emoji in Call": "แสดงอิโมจิระหว่างการโทร", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "เช่น \"json\" หรือสคีมา JSON", "e.g. 60": "เช่น 60", "e.g. A filter to remove profanity from text": "เช่น ตัวกรองเพื่อลบคำหยาบออกจากข้อความ", - "e.g. about the Roman Empire": "", "e.g. en": "เช่น en", "e.g. My Filter": "เช่น My Filter", "e.g. My Tools": "เช่น My Tools", "e.g. my_filter": "เช่น my_filter", "e.g. my_tools": "เช่น my_tools", "e.g. pdf, docx, txt": "เช่น pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "เช่น เครื่องมือสำหรับดำเนินการปฏิบัติการต่างๆ", "e.g., 3, 4, 5 (leave blank for default)": "เช่น 3, 4, 5 (เว้นว่างเพื่อใช้ค่าเริ่มต้น)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "เช่น audio/wav,audio/mpeg,video/* (เว้นว่างไว้เพื่อใช้ค่าเริ่มต้น)", @@ -700,6 +689,7 @@ "Export Config to JSON File": "ส่งออกการตั้งค่าเป็นไฟล์ JSON", "Export Models": "", "Export Presets": "ส่งออกพรีเซ็ต", + "Export Prompt Suggestions": "ส่งออกคำแนะนำพรอมต์", "Export Prompts": "", "Export to CSV": "ส่งออกเป็น CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "URL สำหรับค้นเว็บภายนอก", "Fade Effect for Streaming Text": "เอฟเฟ็กต์เฟดสำหรับข้อความสตรีมมิ่ง", "Failed to add file.": "ไม่สามารถเพิ่มไฟล์ได้", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "เชื่อมต่อกับเซิร์ฟเวอร์เครื่องมือ OpenAPI ที่ {{URL}} ไม่สำเร็จ", "Failed to copy link": "คัดลอกลิงก์ไม่สำเร็จ", "Failed to create API Key.": "สร้าง API Key ล้มเหลว", @@ -729,14 +717,12 @@ "Failed to load file content.": "โหลดเนื้อหาไฟล์ไม่สำเร็จ", "Failed to move chat": "ย้ายแชทไม่สำเร็จ", "Failed to read clipboard contents": "อ่านเนื้อหาคลิปบอร์ดไม่สำเร็จ", - "Failed to remove member": "", "Failed to render diagram": "ไม่สามารถเรนเดอร์ไดอะแกรมได้", "Failed to render visualization": "ไม่สามารถเรนเดอร์ภาพข้อมูลได้", "Failed to save connections": "บันทึกการเชื่อมต่อล้มเหลว", "Failed to save conversation": "บันทึกการสนทนาล้มเหลว", "Failed to save models configuration": "บันทึกการตั้งค่าโมเดลล้มเหลว", "Failed to update settings": "อัปเดตการตั้งค่าล้มเหลว", - "Failed to update status": "", "Failed to upload file.": "อัปโหลดไฟล์ไม่สำเร็จ", "Features": "ฟีเจอร์", "Features Permissions": "สิทธิ์การใช้งานฟีเจอร์", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "รหัสเอนจินของ Google PSE", "Gravatar": "Gravatar", "Group": "กลุ่ม", - "Group Channel": "", "Group created successfully": "สร้างกลุ่มสำเร็จแล้ว", "Group deleted successfully": "ลบกลุ่มสำเร็จแล้ว", "Group Description": "คำอธิบายกลุ่ม", "Group Name": "ชื่อกลุ่ม", "Group updated successfully": "อัปเดตกลุ่มสำเร็จแล้ว", - "groups": "", "Groups": "กลุ่ม", "H1": "H1", "H2": "H2", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "นำเข้าบันทึก", "Import Presets": "นำเข้าพรีเซ็ต", + "Import Prompt Suggestions": "นำเข้าคำแนะนำพรอมต์", "Import Prompts": "", "Import successful": "นำเข้าเรียบร้อยแล้ว", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "การรองรับ MCP ยังเป็นแบบทดลองและมีการเปลี่ยนแปลงสเปกบ่อยครั้ง ซึ่งอาจทำให้เกิดปัญหาความไม่เข้ากันได้ การรองรับสเปก OpenAPI นั้นดูแลโดยทีม Open WebUI โดยตรง จึงเป็นตัวเลือกที่เชื่อถือได้มากกว่าในด้านความเข้ากันได้", "Medium": "ปานกลาง", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "ความจำที่ LLM เข้าถึงได้จะแสดงที่นี่", "Memory": "ความจำ", "Memory added successfully": "เพิ่มความจำสำเร็จ", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "อนุญาตให้ใช้เฉพาะตัวอักษร ตัวเลข และขีดกลางในสตริงคำสั่งเท่านั้น", "Only can be triggered when the chat input is in focus.": "สามารถทริกเกอร์ได้เฉพาะเมื่อช่องป้อนข้อความแชทอยู่ในโฟกัสเท่านั้น", "Only collections can be edited, create a new knowledge base to edit/add documents.": "สามารถแก้ไขได้เฉพาะคอลเลกชันเท่านั้น โปรดสร้างฐานความรู้ใหม่เพื่อแก้ไข/เพิ่มเอกสาร", - "Only invited users can access": "", "Only markdown files are allowed": "อนุญาตเฉพาะไฟล์ Markdown เท่านั้น", "Only select users and groups with permission can access": "มีเฉพาะผู้ใช้และกลุ่มที่ได้รับสิทธิ์เท่านั้นที่เข้าถึงได้", "Oops! Looks like the URL is invalid. Please double-check and try again.": "ขออภัย! ดูเหมือนว่า URL ไม่ถูกต้อง กรุณาตรวจสอบและลองใหม่อีกครั้ง", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 วันที่ผ่านมา", "Previous message": "ข้อความก่อนหน้า", "Private": "ส่วนตัว", - "Private conversation between selected users": "", "Profile": "โปรไฟล์", "Prompt": "พรอมต์", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "พรอมต์ (เช่น บอกข้อเท็จจริงที่สนุกเกี่ยวกับจักรวรรดิโรมัน)", "Prompt Autocompletion": "การเติมพรอมต์อัตโนมัติ", "Prompt Content": "เนื้อหาพรอมต์", "Prompt created successfully": "สร้างพรอมต์สำเร็จแล้ว", @@ -1469,7 +1450,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "กำหนดจำนวนเธรดของ Worker ที่ใช้สำหรับการคำนวณ ตัวเลือกนี้ใช้กำหนดว่าใช้เธรดจำนวนเท่าใดในการประมวลผลคำขอที่เข้ามาพร้อมกัน การเพิ่มค่านี้สามารถช่วยเพิ่มประสิทธิภาพภายใต้ปริมาณงานที่มีความพร้อมกันสูง แต่อาจใช้ทรัพยากร CPU มากขึ้น", "Set Voice": "ตั้งค่าเสียง", "Set whisper model": "ตั้งค่าโมเดล Whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ตั้งค่า Bias แบบ Flat ต่อโทเค็นที่เคยปรากฏอย่างน้อยหนึ่งครั้ง ค่าให้สูงขึ้น (เช่น 1.5) จะลงโทษการซ้ำมากขึ้น ในขณะที่ค่าให้ต่ำลง (เช่น 0.9) จะผ่อนปรนมากขึ้น หากตั้งเป็น 0 จะปิดการทำงาน", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ตั้งค่า Bias แบบ Scaling ต่อโทเค็นเพื่อลงโทษการซ้ำ ขึ้นอยู่กับจำนวนครั้งที่โทเค็นนั้นปรากฏ ค่าให้สูงขึ้น (เช่น 1.5) จะลงโทษการซ้ำอย่างรุนแรงมากขึ้น ขณะที่ค่าให้ต่ำลง (เช่น 0.9) จะผ่อนปรนมากกว่า ที่ค่า 0 จะปิดการทำงานฟีเจอร์นี้", "Sets how far back for the model to look back to prevent repetition.": "ตั้งค่าระยะย้อนหลังที่โมเดลจะใช้พิจารณาเพื่อป้องกันการซ้ำคำ", @@ -1522,9 +1502,6 @@ "Start a new conversation": "เริ่มการสนทนาใหม่", "Start of the channel": "จุดเริ่มต้นของช่อง", "Start Tag": "แท็กเริ่มต้น", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "อัปเดตสถานะ", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "ขั้นตอน", @@ -1540,7 +1517,7 @@ "STT Model": "โมเดลแปลงเสียงเป็นข้อความ", "STT Settings": "การตั้งค่าแปลงเสียงเป็นข้อความ", "Stylized PDF Export": "ส่งออก PDF แบบมีสไตล์", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "คำบรรยายย่อย (เช่น เกี่ยวกับจักรวรรดิโรมัน)", "Success": "สำเร็จ", "Successfully imported {{userCount}} users.": "นำเข้า {{userCount}} ผู้ใช้สำเร็จแล้ว", "Successfully updated.": "อัปเดตเรียบร้อยแล้ว", @@ -1623,6 +1600,7 @@ "Tika Server URL required.": "จำเป็นต้องมี URL ของเซิร์ฟเวอร์ Tika", "Tiktoken": "Tiktoken", "Title": "ชื่อเรื่อง", + "Title (e.g. Tell me a fun fact)": "ชื่อเรื่อง (เช่น บอกข้อมูลสนุกๆ ให้ฉันฟัง)", "Title Auto-Generation": "การสร้างชื่ออัตโนมัติ", "Title cannot be an empty string.": "ชื่อเรื่องต้องไม่เป็นสตริงว่าง", "Title Generation": "การสร้างชื่อเรื่อง", @@ -1691,7 +1669,6 @@ "Update and Copy Link": "อัปเดตและคัดลอกลิงก์", "Update for the latest features and improvements.": "อัปเดตเพื่อรับฟีเจอร์และการปรับปรุงล่าสุด", "Update password": "อัปเดตรหัสผ่าน", - "Update your status": "", "Updated": "อัปเดตแล้ว", "Updated at": "อัปเดตเมื่อ", "Updated At": "อัปเดตเมื่อ", @@ -1745,7 +1722,6 @@ "View Replies": "ดูการตอบกลับ", "View Result from **{{NAME}}**": "ดูผลลัพธ์จาก **{{NAME}}**", "Visibility": "การมองเห็น", - "Visible to all users": "", "Vision": "Vision", "Voice": "เสียง", "Voice Input": "การป้อนเสียง", @@ -1773,7 +1749,6 @@ "What are you trying to achieve?": "คุณพยายามจะทำอะไร?", "What are you working on?": "คุณกำลังทำอะไรอยู่?", "What's New in": "มีอะไรใหม่ใน", - "What's on your mind?": "", "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": "ไม่ว่าคุณจะอยู่ที่ไหน", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "ว่าจะแบ่งหน้าผลลัพธ์หรือไม่ แต่ละหน้าจะถูกแยกด้วยเส้นแบ่งแนวนอนและหมายเลขหน้า ค่าเริ่มต้นคือ False", diff --git a/src/lib/i18n/locales/tk-TM/translation.json b/src/lib/i18n/locales/tk-TM/translation.json index e2e0aaed06..f22a77ea10 100644 --- a/src/lib/i18n/locales/tk-TM/translation.json +++ b/src/lib/i18n/locales/tk-TM/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'iň Çatlary", "{{webUIName}} Backend Required": "{{webUIName}} Backend Zerur", "*Prompt node ID(s) are required for image generation": "", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Çatlar we web gözleg soraglary üçin başlyk döretmek ýaly wezipeleri ýerine ýetirýän wagty ulanylýar", "a user": "ulanyjy", "About": "Barada", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Faýllar goş", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "Ýat goş", "Add Model": "Model goş", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "Kömek üçin şu ýere basyň.", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "Kolleksiýa", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "", "Discover, download, and explore custom tools": "", "Discover, download, and explore model presets": "", - "Discussion channel where access is based on groups and permissions": "", "Display": "Görkeziş", "Display chat title in tab": "", "Display Emoji in Call": "", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Söhbeti ýazdyrmak başa barmady", "Failed to save models configuration": "", "Failed to update settings": "", - "Failed to update status": "", "Failed to upload file.": "", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "", "Gravatar": "", "Group": "Topar", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "", "Memory": "Ýat", "Memory added successfully": "", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "", @@ -1282,9 +1263,9 @@ "Previous 7 days": "", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Düşündiriş", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "", "Prompt Autocompletion": "", "Prompt Content": "", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "", "Set whisper model": "", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Kanal başy", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "", "STT Settings": "", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "", "Success": "Üstünlik", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "", "Tiktoken": "", "Title": "Ady", + "Title (e.g. Tell me a fun fact)": "", "Title Auto-Generation": "", "Title cannot be an empty string.": "", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "", "Update for the latest features and improvements.": "", "Update password": "", - "Update your status": "", "Updated": "Täzelenen", "Updated at": "Täzelendi", "Updated At": "", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "", "Voice Input": "Ses Girdi", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/tr-TR/translation.json b/src/lib/i18n/locales/tr-TR/translation.json index a766b6e736..e3fdc81605 100644 --- a/src/lib/i18n/locales/tr-TR/translation.json +++ b/src/lib/i18n/locales/tr-TR/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}}'ın Sohbetleri", "{{webUIName}} Backend Required": "{{webUIName}} Arka-uç Gerekli", "*Prompt node ID(s) are required for image generation": "*Görüntü oluşturma için düğüm kimlikleri gereklidir", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Yeni bir sürüm (v{{LATEST_VERSION}}) artık mevcut.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Bir görev modeli, sohbetler ve web arama sorguları için başlık oluşturma gibi görevleri yerine getirirken kullanılır", "a user": "bir kullanıcı", "About": "Hakkında", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Dosyalar Ekle", - "Add Member": "", - "Add Members": "", + "Add Group": "Grup Ekle", "Add Memory": "Bellek Ekle", "Add Model": "Model Ekle", "Add Reaction": "Tepki Ekle", @@ -257,7 +252,6 @@ "Citations": "Alıntılar", "Clear memory": "Belleği temizle", "Clear Memory": "Belleği Temizle", - "Clear status": "", "click here": "buraya tıklayın", "Click here for filter guides.": "Filtre kılavuzları için buraya tıklayın.", "Click here for help.": "Yardım için buraya tıklayın.", @@ -294,7 +288,6 @@ "Code Interpreter": "Kod Yorumlayıcısı", "Code Interpreter Engine": "Kod Yorumlama Motoru", "Code Interpreter Prompt Template": "Kod Yorumlama İstem Şablonu", - "Collaboration channel where people join as members": "", "Collapse": "Daralt", "Collection": "Koleksiyon", "Color": "Renk", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Özel promptları keşfedin, indirin ve inceleyin", "Discover, download, and explore custom tools": "Özel araçları keşfedin, indirin ve inceleyin", "Discover, download, and explore model presets": "Model ön ayarlarını keşfedin, indirin ve inceleyin", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "Aramada Emoji Göster", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "örn. \"json\" veya JSON şablonu", "e.g. 60": "örn. 60", "e.g. A filter to remove profanity from text": "örn. Metinden küfürleri kaldırmak için bir filtre", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "örn. Benim Filtrem", "e.g. My Tools": "örn. Benim Araçlarım", "e.g. my_filter": "örn. benim_filtrem", "e.g. my_tools": "örn. benim_araçlarım", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": " örn.Çeşitli işlemleri gerçekleştirmek için araçlar", "e.g., 3, 4, 5 (leave blank for default)": "örn. 3, 4, 5 (öntanımlı değer için boş bırakın)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Yapılandırmayı JSON Dosyasına Aktar", "Export Models": "", "Export Presets": "Ön Ayarları Dışa Aktar", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "CSV'ye Aktar", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Dosya eklenemedi.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "API Anahtarı oluşturulamadı.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Pano içeriği okunamadı", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Sohbet kaydedilemedi", "Failed to save models configuration": "Modeller yapılandırması kaydedilemedi", "Failed to update settings": "Ayarlar güncellenemedi", - "Failed to update status": "", "Failed to upload file.": "Dosya yüklenemedi.", "Features": "Özellikler", "Features Permissions": "Özellik Yetkileri", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE Engine Id", "Gravatar": "", "Group": "Grup", - "Group Channel": "", "Group created successfully": "Grup başarıyla oluşturuldu", "Group deleted successfully": "Grup başarıyla silindi", "Group Description": "Grup Açıklaması", "Group Name": "Grup Adı", "Group updated successfully": "Grup başarıyla güncellendi", - "groups": "", "Groups": "Gruplar", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Notları İçe Aktar", "Import Presets": "Ön Ayarları İçe Aktar", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM'ler tarafından erişilebilen bellekler burada gösterilecektir.", "Memory": "Bellek", "Memory added successfully": "Bellek başarıyla eklendi", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Komut dizisinde yalnızca alfasayısal karakterler ve tireler kabul edilir.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Yalnızca koleksiyonlar düzenlenebilir, belgeleri düzenlemek/eklemek için yeni bir bilgi tabanı oluşturun.", - "Only invited users can access": "", "Only markdown files are allowed": "Yalnızca markdown biçimli dosyalar kullanılabilir", "Only select users and groups with permission can access": "İzinli kullanıcılar ve gruplar yalnızca erişebilir", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Hop! URL geçersiz gibi görünüyor. Lütfen tekrar kontrol edin ve yeniden deneyin.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Önceki 7 gün", "Previous message": "", "Private": "Gizli", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "İstem", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (örn. Roma İmparatorluğu hakkında ilginç bir bilgi verin)", "Prompt Autocompletion": "", "Prompt Content": "İstem İçeriği", "Prompt created successfully": "Prompt başarıyla oluşturuldu", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "Ses Ayarla", "Set whisper model": "Fısıltı modelini ayarla", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Kanalın başlangıcı", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT Modeli", "STT Settings": "STT Ayarları", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Alt başlık (örn. Roma İmparatorluğu hakkında)", "Success": "Başarılı", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Başarıyla güncellendi.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika Sunucu URL'si gereklidir.", "Tiktoken": "Tiktoken", "Title": "Başlık", + "Title (e.g. Tell me a fun fact)": "Başlık (e.g. Bana ilginç bir bilgi ver)", "Title Auto-Generation": "Otomatik Başlık Oluşturma", "Title cannot be an empty string.": "Başlık boş bir dize olamaz.", "Title Generation": "Başlık Oluşturma", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Güncelle ve Bağlantıyı Kopyala", "Update for the latest features and improvements.": "En son özellikler ve iyileştirmeler için güncelleyin.", "Update password": "Parolayı Güncelle", - "Update your status": "", "Updated": "Güncellendi", "Updated at": "Şu tarihte güncellendi:", "Updated At": "Güncelleme Tarihi", @@ -1746,7 +1723,6 @@ "View Replies": "Yanıtları Görüntüle", "View Result from **{{NAME}}**": "", "Visibility": "Görünürlük", - "Visible to all users": "", "Vision": "", "Voice": "Ses", "Voice Input": "Ses Girişi", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Ne yapmaya çalışıyorsunuz?", "What are you working on?": "Üzerinde çalıştığınız nedir?", "What's New in": "Yenilikler:", - "What's on your mind?": "", "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.": "Etkinleştirildiğinde, model her sohbet mesajına gerçek zamanlı olarak yanıt verecek ve kullanıcı bir mesaj gönderdiği anda bir yanıt üretecektir. Bu mod canlı sohbet uygulamaları için yararlıdır, ancak daha yavaş donanımlarda performansı etkileyebilir.", "wherever you are": "nerede olursanız olun", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ug-CN/translation.json b/src/lib/i18n/locales/ug-CN/translation.json index ea8d43285e..bfd607217a 100644 --- a/src/lib/i18n/locales/ug-CN/translation.json +++ b/src/lib/i18n/locales/ug-CN/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} نىڭ سۆھبەتلىرى", "{{webUIName}} Backend Required": "{{webUIName}} ئارقا سۇپا زۆرۈر", "*Prompt node ID(s) are required for image generation": "رەسىم ھاسىل قىلىش ئۈچۈن تۈرتكە نۇسخا ئۇچۇر ID(لىرى) زۆرۈر", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "يېڭى نەشرى (v{{LATEST_VERSION}}) مەۋجۇت.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "سۆھبەت ياكى تور ئىزدەش سۇئالىنىڭ تېمىسىنى ھاسىل قىلىشقا ئوخشىغان ۋەزىپىلەر ئۈچۈن ۋەزىپە مودېلى ئىشلىتىلىدۇ", "a user": "ئىشلەتكۈچى", "About": "ھەققىدە", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "ھۆججەتلەر قوشۇش", - "Add Member": "", - "Add Members": "", + "Add Group": "گۇرۇپپا قوشۇش", "Add Memory": "ئەسلەتمە قوشۇش", "Add Model": "مودېل قوشۇش", "Add Reaction": "ئىنكاس قوشۇش", @@ -257,7 +252,6 @@ "Citations": "نەقىللەر", "Clear memory": "ئەسلەتمىنى تازىلاش", "Clear Memory": "ئەسلەتمىنى تازىلاش", - "Clear status": "", "click here": "بۇ يەرنى چېكىڭ", "Click here for filter guides.": "سۈزگۈچ قوللانمىلىرى ئۈچۈن بۇ يەرنى چېكىڭ.", "Click here for help.": "ياردەم ئۈچۈن بۇ يەرنى چېكىڭ.", @@ -294,7 +288,6 @@ "Code Interpreter": "كود تەرجىمانى", "Code Interpreter Engine": "كود تەرجىمان ماتورى", "Code Interpreter Prompt Template": "كود تەرجىمان تۈرتكە ئۆرنىكى", - "Collaboration channel where people join as members": "", "Collapse": "يىغىش", "Collection": "توپلام", "Color": "رەڭ", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "ئۆزلۈك تۈرتكەسىنى تاپ، چۈشۈر، تەتقىق قىل", "Discover, download, and explore custom tools": "ئۆزلۈك قورالىنى تاپ، چۈشۈر، تەتقىق قىل", "Discover, download, and explore model presets": "مودېل ئالدىن تەڭشەكلىرىنى تاپ، چۈشۈر، تەتقىق قىل", - "Discussion channel where access is based on groups and permissions": "", "Display": "كۆرسىتىش", "Display chat title in tab": "", "Display Emoji in Call": "چاقىرىشتا ئېموجىنى كۆرسىتىش", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "مەسىلەن: \"json\" ياكى JSON قېلىپى", "e.g. 60": "مەسىلەن: 60", "e.g. A filter to remove profanity from text": "مەسىلەن: تېكستتىن يامان سۆزلەرنى چىقىرىدىغان سۈزگۈچ", - "e.g. about the Roman Empire": "", "e.g. en": "مەسىلەن: en", "e.g. My Filter": "مەسىلەن: My Filter", "e.g. My Tools": "مەسىلەن: My Tools", "e.g. my_filter": "مەسىلەن: my_filter", "e.g. my_tools": "مەسىلەن: my_tools", "e.g. pdf, docx, txt": "مەسىلەن: pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "مەسىلەن: ھەر خىل مەشغۇلات قوراللىرى", "e.g., 3, 4, 5 (leave blank for default)": "مەسىلەن: 3، 4، 5 (كۆڭۈلدىكى ئۈچۈن بوش قالدۇرۇڭ)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "تەڭشەك چىقىرىش (JSON ھۆججىتى)", "Export Models": "", "Export Presets": "ئالدىن تەڭشەك چىقىرىش", + "Export Prompt Suggestions": "تۈرتكە تەكلىپلىرىنى چىقىرىش", "Export Prompts": "", "Export to CSV": "CSV غا چىقىرىش", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "سىرتقى تور ئىزدەش URL", "Fade Effect for Streaming Text": "", "Failed to add file.": "ھۆججەت قوشۇش مەغلۇپ بولدى.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI قورال مۇلازىمېتىرىغا ئۇلىنىش مەغلۇپ بولدى", "Failed to copy link": "ئۇلانما كۆچۈرۈش مەغلۇپ بولدى", "Failed to create API Key.": "API ئاچقۇچى قۇرۇش مەغلۇپ بولدى.", @@ -729,14 +717,12 @@ "Failed to load file content.": "ھۆججەت مەزمۇنى يۈكلەش مەغلۇپ بولدى.", "Failed to move chat": "", "Failed to read clipboard contents": "چاپلاش تاختىسى مەزمۇنىنى ئوقۇش مەغلۇپ بولدى", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "ئۇلىنىشلارنى ساقلاش مەغلۇپ بولدى", "Failed to save conversation": "سۆھبەتنى ساقلاش مەغلۇپ بولدى", "Failed to save models configuration": "مودېل تەڭشەكلىرىنى ساقلاش مەغلۇپ بولدى", "Failed to update settings": "تەڭشەكلەرنى يېڭىلاش مەغلۇپ بولدى", - "Failed to update status": "", "Failed to upload file.": "ھۆججەت چىقىرىش مەغلۇپ بولدى.", "Features": "ئىقتىدارلار", "Features Permissions": "ئىقتىدار ھوقۇقى", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE ماتور ID", "Gravatar": "", "Group": "گۇرۇپپا", - "Group Channel": "", "Group created successfully": "گۇرۇپپا مۇۋەپپەقىيەتلىك قۇرۇلدى", "Group deleted successfully": "گۇرۇپپا مۇۋەپپەقىيەتلىك ئۆچۈرۈلدى", "Group Description": "گۇرۇپپا چۈشەندۈرۈشى", "Group Name": "گۇرۇپپا نامى", "Group updated successfully": "گۇرۇپپا مۇۋەپپەقىيەتلىك يېڭىلاندى", - "groups": "", "Groups": "گۇرۇپپىلار", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "خاتىرە ئىمپورت قىلىش", "Import Presets": "ئالدىن تەڭشەك ئىمپورت قىلىش", + "Import Prompt Suggestions": "تۈرتكە تەكلىپى ئىمپورت قىلىش", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLM ئىشلىتەلەيدىن ئەسلەتمىلەر بۇ يەردە كۆرۈنىدۇ.", "Memory": "ئەسلەتمە", "Memory added successfully": "ئەسلەتمە مۇۋەپپەقىيەتلىك قوشۇلدى", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "بۇيرۇق تىزىقىدا پەقەت ھەرپ، سان ۋە چەكىت ئىشلىتىشكە بولىدۇ.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "پەقەت توپلام تەھرىرلەشكە بولىدۇ، ھۆججەت قوشۇش/تەھرىرلەش ئۈچۈن يېڭى بىلىم ئاساسى قۇرۇڭ.", - "Only invited users can access": "", "Only markdown files are allowed": "پەقەت markdown ھۆججىتى ئىشلىتىشكە بولىدۇ", "Only select users and groups with permission can access": "پەقەت ھوقۇقى بار تاللانغان ئىشلەتكۈچى ۋە گۇرۇپپىلارلا زىيارەت قىلالايدۇ", "Oops! Looks like the URL is invalid. Please double-check and try again.": "URL خاتا بولۇشى مۇمكىن. قايتا تەكشۈرۈپ سىناڭ.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "ئالدىنقى 7 كۈن", "Previous message": "ئالدىنقى ئۇچۇر", "Private": "شەخسىي", - "Private conversation between selected users": "", "Profile": "پروفايل", "Prompt": "تۈرتكە", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "تۈرتكە (مەسىلەن: رىم ئىمپېرىيەسى ھەققىدە قىزىقارلىق بىر نەرسە ئېيت)", "Prompt Autocompletion": "تۈرتكە ئاپتوماتىك تولدۇرۇش", "Prompt Content": "تۈرتكە مەزمۇنى", "Prompt created successfully": "تۈرتكە مۇۋەپپەقىيەتلىك قۇرۇلدى", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "ھېسابلاش ئۈچۈن ئىشلىتىدىغان ئىشلەۋاتقان تارتما سانىنى تەڭشەش. قىممەتنى چوڭايتسىڭىز، يۇقىرى مەشغۇلاتتا ئۈنۈم يۇقىرى، بىراق CPU بايلىقى كۆپرەك ئىشلىتىلىدۇ.", "Set Voice": "ئاۋاز تەڭشەش", "Set whisper model": "whisper مودېلى تەڭشەش", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "بىر قېتىم بولسىمۇ كۆرۈلگەن ئىملەرگە قارشى دائىملىق ئېغىش بەلگىلىنىدۇ. چوڭ قىممەت (مەسىلەن 1.5) تەكرارنى كۈچلۈك جازالاش، كىچىك قىممەت (مەسىلەن 0.9) يۇمشاق بولىدۇ. 0 بولسا چەكلەنگەن.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "ئىم كۆرۈلگەن قېتىم سانىغا قاراپ تەكرارنى جازالاش ئۈچۈن ئېغىش بەلگىلەيدۇ. چوڭ قىممەت (مەسىلەن 1.5) كۈچلۈك جازا، كىچىك قىممەت (مەسىلەن 0.9) يۇمشاق.", "Sets how far back for the model to look back to prevent repetition.": "تەكرارنىڭ ئالدىنى ئېلىش ئۈچۈن مودېلنىڭ قانچىلىك ئالدىغا قارىشىنى بەلگىلەيدۇ.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "قانالنىڭ باشلانغىنى", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT مودېلى", "STT Settings": "STT تەڭشەكلىرى", "Stylized PDF Export": "ئۇسلۇبلۇق PDF چىقىرىش", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "تاق سۆز (مەسىلەن: رىم ئىمپېرىيەسى ھەققىدە)", "Success": "مۇۋەپپەقىيەت", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "مۇۋەپپەقىيەتلىك يېڭىلاندى.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika مۇلازىمېتىر URL زۆرۈر.", "Tiktoken": "Tiktoken", "Title": "تېما", + "Title (e.g. Tell me a fun fact)": "تېما (مەسىلەن: قىزىقارلىق بىر نەرسە ئېيت)", "Title Auto-Generation": "ئاپتوماتىك تېما ھاسىل قىلىش", "Title cannot be an empty string.": "تېما بوش بولسا بولمايدۇ.", "Title Generation": "تېما ھاسىل قىلىش", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "يېڭىلاش ۋە ئۇلانما كۆچۈرۈش", "Update for the latest features and improvements.": "ئەڭ يېڭى ئىقتىدار ۋە ياخشىلاشلار ئۈچۈن يېڭىلاڭ.", "Update password": "پارول يېڭىلاش", - "Update your status": "", "Updated": "يېڭىلاندى", "Updated at": "يېڭىلانغان ۋاقتى", "Updated At": "يېڭىلانغان ۋاقتى", @@ -1746,7 +1723,6 @@ "View Replies": "ئىنكاسلارنى كۆرۈش", "View Result from **{{NAME}}**": "**{{NAME}}** دىن نەتىجىنى كۆرۈش", "Visibility": "كۆرۈنۈشچانلىق", - "Visible to all users": "", "Vision": "كۆرۈش", "Voice": "ئاۋاز", "Voice Input": "ئاۋاز كىرگۈزۈش", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "نېمىگە ئېرىشمىكچىسىز؟", "What are you working on?": "نېمە ئىش قىلىۋاتىسىز؟", "What's New in": "يېڭىلىق", - "What's on your mind?": "", "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": "قايسى يەردە بولسىڭىزمۇ", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "چىقىرىشنى بەتلەندۈرۈش ئۈچۈن ئىشلىتىلدۇ. ھەربىر بەت گىزىكچىلەر بىلەن ئايرىلىدۇ. كۆڭۈلدىكىچە چەكلەنگەن.", diff --git a/src/lib/i18n/locales/uk-UA/translation.json b/src/lib/i18n/locales/uk-UA/translation.json index d4e3b93ee9..2e324c0615 100644 --- a/src/lib/i18n/locales/uk-UA/translation.json +++ b/src/lib/i18n/locales/uk-UA/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Чати {{user}}а", "{{webUIName}} Backend Required": "Необхідно підключення бекенду {{webUIName}}", "*Prompt node ID(s) are required for image generation": "*Для генерації зображення потрібно вказати ідентифікатор(и) вузла(ів)", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Нова версія (v{{LATEST_VERSION}}) зараз доступна.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Модель задач використовується при виконанні таких завдань, як генерація заголовків для чатів та пошукових запитів в Інтернеті", "a user": "користувача", "About": "Про програму", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Додати файли", - "Add Member": "", - "Add Members": "", + "Add Group": "Додати групу", "Add Memory": "Додати пам'ять", "Add Model": "Додати модель", "Add Reaction": "Додати реакцію", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Очистити пам'ять", "Clear Memory": "Очистити пам'ять", - "Clear status": "", "click here": "натисніть тут", "Click here for filter guides.": "Натисніть тут для інструкцій із фільтрації", "Click here for help.": "Натисніть тут, щоб отримати допомогу.", @@ -294,7 +288,6 @@ "Code Interpreter": "Інтерпретатор коду", "Code Interpreter Engine": "Двигун інтерпретатора коду", "Code Interpreter Prompt Template": "Шаблон запиту інтерпретатора коду", - "Collaboration channel where people join as members": "", "Collapse": "Згорнути", "Collection": "Колекція", "Color": "Колір", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Знайдіть, завантажте та досліджуйте налаштовані промти", "Discover, download, and explore custom tools": "Знайдіть, завантажте та досліджуйте налаштовані інструменти", "Discover, download, and explore model presets": "Знайдіть, завантажте та досліджуйте налаштування моделей", - "Discussion channel where access is based on groups and permissions": "", "Display": "Відображення", "Display chat title in tab": "", "Display Emoji in Call": "Відображати емодзі у викликах", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "напр., \"json\" або схема JSON", "e.g. 60": "напр. 60", "e.g. A filter to remove profanity from text": "напр., фільтр для видалення нецензурної лексики з тексту", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "напр., Мій фільтр", "e.g. My Tools": "напр., Мої інструменти", "e.g. my_filter": "напр., my_filter", "e.g. my_tools": "напр., my_tools", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "напр., Інструменти для виконання різних операцій", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Експорт конфігурації у файл JSON", "Export Models": "", "Export Presets": "Експорт пресетів", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Експорт в CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Не вдалося додати файл.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Не вдалося підключитися до серверу інструментів OpenAPI {{URL}}", "Failed to copy link": "", "Failed to create API Key.": "Не вдалося створити API ключ.", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Не вдалося прочитати вміст буфера обміну", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "Не вдалося зберегти розмову", "Failed to save models configuration": "Не вдалося зберегти конфігурацію моделей", "Failed to update settings": "Не вдалося оновити налаштування", - "Failed to update status": "", "Failed to upload file.": "Не вдалося завантажити файл.", "Features": "Особливості", "Features Permissions": "Дозволи функцій", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Id рушія Google PSE", "Gravatar": "", "Group": "Група", - "Group Channel": "", "Group created successfully": "Групу успішно створено", "Group deleted successfully": "Групу успішно видалено", "Group Description": "Опис групи", "Group Name": "Назва групи", "Group updated successfully": "Групу успішно оновлено", - "groups": "", "Groups": "Групи", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Імпорт пресетів", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Пам'ять, яка доступна LLM, буде показана тут.", "Memory": "Пам'ять", "Memory added successfully": "Пам'ять додано успішно", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "У рядку команди дозволено використовувати лише алфавітно-цифрові символи та дефіси.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Редагувати можна лише колекції, створіть нову базу знань, щоб редагувати або додавати документи.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Тільки вибрані користувачі та групи з дозволом можуть отримати доступ", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Схоже, що URL-адреса невірна. Будь ласка, перевірте ще раз та спробуйте ще раз.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Попередні 7 днів", "Previous message": "", "Private": "Приватний", - "Private conversation between selected users": "", "Profile": "Профіль", "Prompt": "Підказка", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Підказка (напр., розкажіть мені цікавий факт про Римську імперію)", "Prompt Autocompletion": "Автозавершення підказок", "Prompt Content": "Зміст промту", "Prompt created successfully": "Підказку успішно створено", @@ -1472,7 +1453,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Встановити кількість робочих потоків, що використовуються для обробки інформації. Ця опція керує кількістю потоків, що використовуються для обробки надходження запитів одночасно. Збільшення цього значення може підвищити продуктивність при великій одночасності робіт, але також може споживати більше ресурсів CPU.", "Set Voice": "Встановити голос", "Set whisper model": "Встановити модель whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Встановлює фіксоване зміщення проти токенів, які з'явилися хоча б один раз. Вищий показник (напр., 1.5) сильніше штрафує за повторення, тоді як нижчий показник (напр., 0.9) буде більш м'яким. При значенні 0, ця опція вимкнена.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Встановлює масштабоване зміщення проти токенів для штрафування повторів, залежно від того, скільки разів вони з'являлися. Вищий показник (напр., 1.5) сильніше штрафує за повторення, тоді як нижчий показник (напр., 0.9) буде більш м'яким. При значенні 0, ця опція вимкнена.", "Sets how far back for the model to look back to prevent repetition.": "Встановлює, на скільки кроків назад модель повинна звертати увагу, щоб запобігти повторенням.", @@ -1525,9 +1505,6 @@ "Start a new conversation": "", "Start of the channel": "Початок каналу", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1543,7 +1520,7 @@ "STT Model": "Модель STT ", "STT Settings": "Налаштування STT", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Підзаголовок (напр., про Римську імперію)", "Success": "Успіх", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Успішно оновлено.", @@ -1626,6 +1603,7 @@ "Tika Server URL required.": "Потрібна URL-адреса сервера Tika.", "Tiktoken": "Tiktoken", "Title": "Заголовок", + "Title (e.g. Tell me a fun fact)": "Заголовок (напр., Розкажіть мені цікавий факт)", "Title Auto-Generation": "Автогенерація заголовків", "Title cannot be an empty string.": "Заголовок не може бути порожнім рядком.", "Title Generation": "Генерація заголовка", @@ -1694,7 +1672,6 @@ "Update and Copy Link": "Оновлення та копіювання посилання", "Update for the latest features and improvements.": "Оновіть програми для нових функцій та покращень.", "Update password": "Оновити пароль", - "Update your status": "", "Updated": "Оновлено", "Updated at": "Оновлено на", "Updated At": "Оновлено на", @@ -1748,7 +1725,6 @@ "View Replies": "Переглянути відповіді", "View Result from **{{NAME}}**": "", "Visibility": "Видимість", - "Visible to all users": "", "Vision": "", "Voice": "Голос", "Voice Input": "Голосове введення", @@ -1776,7 +1752,6 @@ "What are you trying to achieve?": "Чого ви прагнете досягти?", "What are you working on?": "Над чим ти працюєш?", "What's New in": "Що нового в", - "What's on your mind?": "", "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": "де б ви не були", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/ur-PK/translation.json b/src/lib/i18n/locales/ur-PK/translation.json index 3f0c58bc4d..b3e1ff50e1 100644 --- a/src/lib/i18n/locales/ur-PK/translation.json +++ b/src/lib/i18n/locales/ur-PK/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{ صارف }} کی بات چیت", "{{webUIName}} Backend Required": "{{webUIName}} بیک اینڈ درکار ہے", "*Prompt node ID(s) are required for image generation": "تصویر کی تخلیق کے لیے *پرومپٹ نوڈ آئی ڈی(ز) کی ضرورت ہے", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "نیا ورژن (v{{LATEST_VERSION}}) اب دستیاب ہے", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "ٹاسک ماڈل اس وقت استعمال ہوتا ہے جب چیٹس کے عنوانات اور ویب سرچ سوالات تیار کیے جا رہے ہوں", "a user": "ایک صارف", "About": "بارے میں", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "فائلیں شامل کریں", - "Add Member": "", - "Add Members": "", + "Add Group": "", "Add Memory": "میموری شامل کریں", "Add Model": "ماڈل شامل کریں", "Add Reaction": "", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "میموری صاف کریں", "Clear Memory": "", - "Clear status": "", "click here": "", "Click here for filter guides.": "", "Click here for help.": "مدد کے لیے یہاں کلک کریں", @@ -294,7 +288,6 @@ "Code Interpreter": "", "Code Interpreter Engine": "", "Code Interpreter Prompt Template": "", - "Collaboration channel where people join as members": "", "Collapse": "", "Collection": "کلیکشن", "Color": "", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "دریافت کریں، ڈاؤن لوڈ کریں، اور حسب ضرورت پرامپٹس کو دریافت کریں", "Discover, download, and explore custom tools": "دریافت کریں، ڈاؤن لوڈ کریں، اور حسب ضرورت ٹولز کو دریافت کریں", "Discover, download, and explore model presets": "دریافت کریں، ڈاؤن لوڈ کریں، اور ماڈل پریسیٹس کو دریافت کریں", - "Discussion channel where access is based on groups and permissions": "", "Display": "", "Display chat title in tab": "", "Display Emoji in Call": "کال میں ایموجی دکھائیں", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "", "e.g. 60": "", "e.g. A filter to remove profanity from text": "", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "", "e.g. My Tools": "", "e.g. my_filter": "", "e.g. my_tools": "", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "کنفیگ کو JSON فائل میں ایکسپورٹ کریں", "Export Models": "", "Export Presets": "", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "فائل شامل کرنے میں ناکام", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "", "Failed to copy link": "", "Failed to create API Key.": "API کلید بنانے میں ناکام", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "کلپ بورڈ مواد کو پڑھنے میں ناکام", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "", "Failed to save conversation": "گفتگو محفوظ نہیں ہو سکی", "Failed to save models configuration": "", "Failed to update settings": "ترتیبات کی تازہ کاری ناکام رہی", - "Failed to update status": "", "Failed to upload file.": "فائل اپلوڈ کرنے میں ناکامی ہوئی", "Features": "", "Features Permissions": "", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "گوگل پی ایس ای انجن آئی ڈی", "Gravatar": "", "Group": "گروپ", - "Group Channel": "", "Group created successfully": "", "Group deleted successfully": "", "Group Description": "", "Group Name": "", "Group updated successfully": "", - "groups": "", "Groups": "", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "یہاں LLMs کے ذریعہ قابل رسائی یادیں دکھائی جائیں گی", "Memory": "میموری", "Memory added successfully": "میموری کامیابی سے شامل کر دی گئی", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "کمانڈ سٹرنگ میں صرف حروفی، عددی کردار اور ہائفن کی اجازت ہے", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "صرف مجموعے ترمیم کیے جا سکتے ہیں، دستاویزات کو ترمیم یا شامل کرنے کے لیے نیا علمی بنیاد بنائیں", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "", "Oops! Looks like the URL is invalid. Please double-check and try again.": "اوہ! لگتا ہے کہ یو آر ایل غلط ہے براۂ کرم دوبارہ چیک کریں اور دوبارہ کوشش کریں", @@ -1282,9 +1263,9 @@ "Previous 7 days": "پچھلے 7 دن", "Previous message": "", "Private": "", - "Private conversation between selected users": "", "Profile": "پروفائل", "Prompt": "", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "سوال کریں (مثلاً: مجھے رومن سلطنت کے بارے میں کوئی دلچسپ حقیقت بتائیں)", "Prompt Autocompletion": "", "Prompt Content": "مواد کا آغاز کریں", "Prompt created successfully": "", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "", "Set Voice": "آواز کے لئے سیٹ کریں", "Set whisper model": "وِسپر ماڈل مرتب کریں", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "", "Sets how far back for the model to look back to prevent repetition.": "", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "چینل کی شروعات", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "ایس ٹی ٹی ماڈل", "STT Settings": "ایس ٹی ٹی ترتیبات", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "ذیلی عنوان (جیسے رومن سلطنت کے بارے میں)", "Success": "کامیابی", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "کامیابی سے تازہ کاری ہو گئی", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "ٹکا سرور یو آر ایل درکار ہے", "Tiktoken": "ٹک ٹوکن", "Title": "عنوان", + "Title (e.g. Tell me a fun fact)": "عنوان (مثال کے طور پر، مجھے ایک دلچسپ حقیقت بتائیں)", "Title Auto-Generation": "خودکار عنوان تخلیق", "Title cannot be an empty string.": "عنوان خالی اسٹرنگ نہیں ہو سکتا", "Title Generation": "", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "اپڈیٹ اور لنک کاپی کریں", "Update for the latest features and improvements.": "تازہ ترین خصوصیات اور بہتریوں کے لیے اپ ڈیٹ کریں", "Update password": "پاس ورڈ اپ ڈیٹ کریں", - "Update your status": "", "Updated": "اپ ڈیٹ کیا گیا", "Updated at": "پر تازہ کاری کی گئی ", "Updated At": "تازہ کاری کی گئی تاریخ پر", @@ -1746,7 +1723,6 @@ "View Replies": "", "View Result from **{{NAME}}**": "", "Visibility": "", - "Visible to all users": "", "Vision": "", "Voice": "آواز", "Voice Input": "آواز داخل کریں", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "", "What are you working on?": "", "What's New in": "میں نیا کیا ہے", - "What's on your mind?": "", "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": "", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json b/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json index 98e2abc81c..cbe19e4877 100644 --- a/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json +++ b/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} нинг чатлари", "{{webUIName}} Backend Required": "{{webUIName}} Баcкенд талаб қилинади", "*Prompt node ID(s) are required for image generation": "*Расм яратиш учун тезкор тугун идентификаторлари талаб қилинади", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Энди янги версия (v{{LATEST_VERSION}}) мавжуд.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Вазифа модели чатлар ва веб-қидирув сўровлари учун сарлавҳаларни яратиш каби вазифаларни бажаришда ишлатилади", "a user": "фойдаланувчи", "About": "Ҳақида", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Файлларни қўшиш", - "Add Member": "", - "Add Members": "", + "Add Group": "Гуруҳ қўшиш", "Add Memory": "Хотира қўшиш", "Add Model": "Модел қўшиш", "Add Reaction": "Реакция қўшинг", @@ -257,7 +252,6 @@ "Citations": "Иқтибослар", "Clear memory": "Хотирани тозалаш", "Clear Memory": "Хотирани тозалаш", - "Clear status": "", "click here": "бу ерни босинг", "Click here for filter guides.": "Филтр қўлланмалари учун бу ерни босинг.", "Click here for help.": "Ёрдам учун шу ерни босинг.", @@ -294,7 +288,6 @@ "Code Interpreter": "Код таржимони", "Code Interpreter Engine": "Код таржимон механизми", "Code Interpreter Prompt Template": "Код таржимони сўрови шаблони", - "Collaboration channel where people join as members": "", "Collapse": "Йиқилиш", "Collection": "Тўплам", "Color": "Ранг", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Махсус таклифларни кашф қилинг, юклаб олинг ва ўрганинг", "Discover, download, and explore custom tools": "Махсус воситаларни кашф қилинг, юклаб олинг ва ўрганинг", "Discover, download, and explore model presets": "Модел созламаларини кашф этинг, юклаб олинг ва ўрганинг", - "Discussion channel where access is based on groups and permissions": "", "Display": "Дисплей", "Display chat title in tab": "", "Display Emoji in Call": "Чақирувда кулгичларни кўрсатиш", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "масалан. \"json\" ёки JSON схемаси", "e.g. 60": "масалан, 60", "e.g. A filter to remove profanity from text": "масалан, Матндан ҳақоратли сўзларни олиб ташлаш учун филтр", - "e.g. about the Roman Empire": "", "e.g. en": "масалан, en", "e.g. My Filter": "масалан, Менинг филтрим", "e.g. My Tools": "масалан, Менинг асбобларим", "e.g. my_filter": "масалан, my_filter", "e.g. my_tools": "масалан, my_tools", "e.g. pdf, docx, txt": "масалан, pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "масалан. Ҳар хил операцияларни бажариш учун асбоблар", "e.g., 3, 4, 5 (leave blank for default)": "масалан, 3, 4, 5 (сукут бўйича бўш қолдиринг)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Конфигурацияни ЖСОН файлига экспорт қилинг", "Export Models": "", "Export Presets": "Олдиндан созламаларни экспорт қилиш", + "Export Prompt Suggestions": "Экспорт бўйича таклифлар", "Export Prompts": "", "Export to CSV": "CSV га экспорт қилиш", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "Ташқи веб-қидирув УРЛ манзили", "Fade Effect for Streaming Text": "", "Failed to add file.": "Файл қўшиб бўлмади.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{УРЛ}} ОпенАПИ асбоб серверига уланиб бўлмади", "Failed to copy link": "Ҳаволани нусхалаб бўлмади", "Failed to create API Key.": "АПИ калитини яратиб бўлмади.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Файл таркибини юклаб бўлмади.", "Failed to move chat": "", "Failed to read clipboard contents": "Буфер таркибини ўқиб бўлмади", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Уланишлар сақланмади", "Failed to save conversation": "Суҳбат сақланмади", "Failed to save models configuration": "Моделлар конфигурацияси сақланмади", "Failed to update settings": "Созламаларни янгилаб бўлмади", - "Failed to update status": "", "Failed to upload file.": "Файл юкланмади.", "Features": "Хусусиятлари", "Features Permissions": "Хусусиятлар Рухсатлар", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Гоогле ПСЕ Энгине идентификатори", "Gravatar": "", "Group": "Гуруҳ", - "Group Channel": "", "Group created successfully": "Гуруҳ муваффақиятли яратилди", "Group deleted successfully": "Гуруҳ муваффақиятли ўчирилди", "Group Description": "Гуруҳ тавсифи", "Group Name": "Гуруҳ номи", "Group updated successfully": "Гуруҳ муваффақиятли янгиланди", - "groups": "", "Groups": "Гуруҳлар", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Эслатмаларни импорт қилиш", "Import Presets": "Олдиндан созламаларни импорт қилиш", + "Import Prompt Suggestions": "Импорт бўйича таклифлар", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "ЛЛМлар кириши мумкин бўлган хотиралар бу эрда кўрсатилади.", "Memory": "Хотира", "Memory added successfully": "Хотира муваффақиятли қўшилди", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Буйруқлар қаторида фақат ҳарф-рақамли белгилар ва дефисларга рухсат берилади.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Фақат тўпламларни таҳрирлаш мумкин, ҳужжатларни таҳрирлаш/қўшиш учун янги билимлар базасини яратинг.", - "Only invited users can access": "", "Only markdown files are allowed": "Фақат маркдоwн файлларига рухсат берилади", "Only select users and groups with permission can access": "Фақат рухсати бор танланган фойдаланувчилар ва гуруҳларга кириш мумкин", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Вой! УРЛ нотўғри кўринади. Илтимос, икки марта текширинг ва қайта уриниб кўринг.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Олдинги 7 кун", "Previous message": "", "Private": "Шахсий", - "Private conversation between selected users": "", "Profile": "Профиль", "Prompt": "Тезкор", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Тезкор (масалан, менга Рим империяси ҳақида қизиқарли фактни айтиб беринг)", "Prompt Autocompletion": "Тезкор автоматик якунлаш", "Prompt Content": "Тезкор таркиб", "Prompt created successfully": "Сўров муваффақиятли яратилди", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Ҳисоблаш учун ишлатиладиган ишчи иплар сонини белгиланг. Ушбу параметр кирувчи сўровларни бир вақтнинг ўзида қайта ишлаш учун қанча мавзу ишлатилишини назорат қилади. Ушбу қийматни ошириш юқори бир вақтда иш юкида ишлашни яхшилаши мумкин, лекин кўпроқ CПУ ресурсларини истеъмол қилиши мумкин.", "Set Voice": "Овозни созлаш", "Set whisper model": "Пичирлаш моделини ўрнатинг", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Ҳеч бўлмаганда бир марта пайдо бўлган токенларга нисбатан текис чизиқ ўрнатади. Юқори қиймат (масалан, 1,5) такрорлаш учун қаттиқроқ жазоланади, пастроқ қиймат (масалан, 0,9) эса юмшоқроқ бўлади. 0 бўлса, у ўчирилган.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Қанча марта пайдо бўлганига қараб, такрорланишларни жазолаш учун токенларга нисбатан масштабни ўрнатади. Юқори қиймат (масалан, 1,5) такрорлаш учун қаттиқроқ жазоланади, пастроқ қиймат (масалан, 0,9) эса юмшоқроқ бўлади. 0 бўлса, у ўчирилган.", "Sets how far back for the model to look back to prevent repetition.": "Такрорланишнинг олдини олиш учун моделнинг орқага қарашини белгилайди.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Канал боши", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "СТТ модели", "STT Settings": "СТТ созламалари", "Stylized PDF Export": "Услубий PDF экспорти", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Субтитр (масалан, Рим империяси ҳақида)", "Success": "Муваффақият", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Муваффақиятли янгиланди.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Тика Сервер УРЛ манзили талаб қилинади.", "Tiktoken": "Тиктокен", "Title": "Сарлавҳа", + "Title (e.g. Tell me a fun fact)": "Сарлавҳа (масалан, менга қизиқарли фактни айтинг)", "Title Auto-Generation": "Сарлавҳани автоматик яратиш", "Title cannot be an empty string.": "Сарлавҳа бўш қатор бўлиши мумкин эмас.", "Title Generation": "Сарлавҳа яратиш", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Ҳаволани янгилаш ва нусхалаш", "Update for the latest features and improvements.": "Энг янги хусусиятлар ва яхшиланишлар учун янгиланг.", "Update password": "Паролни янгиланг", - "Update your status": "", "Updated": "Янгиланган", "Updated at": "Янгиланган", "Updated At": "Янгиланган", @@ -1746,7 +1723,6 @@ "View Replies": "Жавобларни кўриш", "View Result from **{{NAME}}**": "**{{NAME}}** натижасини кўриш", "Visibility": "Кўриниш", - "Visible to all users": "", "Vision": "Визён", "Voice": "Овоз", "Voice Input": "Овозли киритиш", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Нимага эришмоқчисиз?", "What are you working on?": "Нима устида ишлаяпсиз?", "What's New in": "", - "What's on your mind?": "", "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": "қаерда бўлсангиз ҳам", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Чиқишни саҳифалаш керакми. Ҳар бир саҳифа горизонтал қоида ва саҳифа рақами билан ажратилади. Бирламчи параметрлар Фалсе.", diff --git a/src/lib/i18n/locales/uz-Latn-Uz/translation.json b/src/lib/i18n/locales/uz-Latn-Uz/translation.json index edf7a48b39..41ba581854 100644 --- a/src/lib/i18n/locales/uz-Latn-Uz/translation.json +++ b/src/lib/i18n/locales/uz-Latn-Uz/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "{{user}} ning chatlari", "{{webUIName}} Backend Required": "{{webUIName}} Backend talab qilinadi", "*Prompt node ID(s) are required for image generation": "*Rasm yaratish uchun tezkor tugun identifikatorlari talab qilinadi", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Endi yangi versiya (v{{LATEST_VERSION}}) mavjud.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Vazifa modeli chatlar va veb-qidiruv so'rovlari uchun sarlavhalarni yaratish kabi vazifalarni bajarishda ishlatiladi", "a user": "foydalanuvchi", "About": "Haqida", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Fayllarni qo'shish", - "Add Member": "", - "Add Members": "", + "Add Group": "Guruh qo'shish", "Add Memory": "Xotira qo'shish", "Add Model": "Model qo'shish", "Add Reaction": "Reaktsiya qo'shing", @@ -257,7 +252,6 @@ "Citations": "Iqtiboslar", "Clear memory": "Xotirani tozalash", "Clear Memory": "Xotirani tozalash", - "Clear status": "", "click here": "bu yerni bosing", "Click here for filter guides.": "Filtr qo'llanmalari uchun bu yerni bosing.", "Click here for help.": "Yordam uchun shu yerni bosing.", @@ -294,7 +288,6 @@ "Code Interpreter": "Kod tarjimoni", "Code Interpreter Engine": "Kod tarjimon mexanizmi", "Code Interpreter Prompt Template": "Kod tarjimoni so'rovi shabloni", - "Collaboration channel where people join as members": "", "Collapse": "Yiqilish", "Collection": "To'plam", "Color": "Rang", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Maxsus takliflarni kashf qiling, yuklab oling va oʻrganing", "Discover, download, and explore custom tools": "Maxsus vositalarni kashf qiling, yuklab oling va o'rganing", "Discover, download, and explore model presets": "Model sozlamalarini kashf eting, yuklab oling va o'rganing", - "Discussion channel where access is based on groups and permissions": "", "Display": "Displey", "Display chat title in tab": "", "Display Emoji in Call": "Chaqiruvda kulgichlarni ko‘rsatish", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "masalan. \"json\" yoki JSON sxemasi", "e.g. 60": "masalan. 60", "e.g. A filter to remove profanity from text": "masalan. Matndan haqoratli so'zlarni olib tashlash uchun filtr", - "e.g. about the Roman Empire": "", "e.g. en": "masalan. uz", "e.g. My Filter": "masalan. Mening filtrim", "e.g. My Tools": "masalan. Mening asboblarim", "e.g. my_filter": "masalan. my_filtr", "e.g. my_tools": "masalan. my_tools", "e.g. pdf, docx, txt": "masalan. pdf, docx, txt", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "masalan. Har xil operatsiyalarni bajarish uchun asboblar", "e.g., 3, 4, 5 (leave blank for default)": "masalan, 3, 4, 5 (sukut boʻyicha boʻsh qoldiring)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Konfiguratsiyani JSON fayliga eksport qiling", "Export Models": "", "Export Presets": "Oldindan sozlamalarni eksport qilish", + "Export Prompt Suggestions": "Eksport bo'yicha takliflar", "Export Prompts": "", "Export to CSV": "CSV ga eksport qilish", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "Tashqi veb-qidiruv URL manzili", "Fade Effect for Streaming Text": "", "Failed to add file.": "Fayl qo‘shib bo‘lmadi.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI asbob serveriga ulanib boʻlmadi", "Failed to copy link": "Havolani nusxalab bo‘lmadi", "Failed to create API Key.": "API kalitini yaratib bo‘lmadi.", @@ -729,14 +717,12 @@ "Failed to load file content.": "Fayl tarkibini yuklab bo‘lmadi.", "Failed to move chat": "", "Failed to read clipboard contents": "Bufer tarkibini o‘qib bo‘lmadi", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Ulanishlar saqlanmadi", "Failed to save conversation": "Suhbat saqlanmadi", "Failed to save models configuration": "Modellar konfiguratsiyasi saqlanmadi", "Failed to update settings": "Sozlamalarni yangilab bo‘lmadi", - "Failed to update status": "", "Failed to upload file.": "Fayl yuklanmadi.", "Features": "Xususiyatlari", "Features Permissions": "Xususiyatlar Ruxsatlar", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "Google PSE Engine identifikatori", "Gravatar": "", "Group": "Guruh", - "Group Channel": "", "Group created successfully": "Guruh muvaffaqiyatli yaratildi", "Group deleted successfully": "Guruh muvaffaqiyatli oʻchirildi", "Group Description": "Guruh tavsifi", "Group Name": "Guruh nomi", "Group updated successfully": "Guruh muvaffaqiyatli yangilandi", - "groups": "", "Groups": "Guruhlar", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "Eslatmalarni import qilish", "Import Presets": "Oldindan sozlamalarni import qilish", + "Import Prompt Suggestions": "Import bo'yicha takliflar", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "LLMlar kirishi mumkin bo'lgan xotiralar bu erda ko'rsatiladi.", "Memory": "Xotira", "Memory added successfully": "Xotira muvaffaqiyatli qo'shildi", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Buyruqlar qatorida faqat harf-raqamli belgilar va defislarga ruxsat beriladi.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Faqat to'plamlarni tahrirlash mumkin, hujjatlarni tahrirlash/qo'shish uchun yangi bilimlar bazasini yarating.", - "Only invited users can access": "", "Only markdown files are allowed": "Faqat markdown fayllariga ruxsat beriladi", "Only select users and groups with permission can access": "Faqat ruxsati bor tanlangan foydalanuvchilar va guruhlarga kirish mumkin", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Voy! URL noto‘g‘ri ko‘rinadi. Iltimos, ikki marta tekshiring va qayta urinib ko'ring.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "Oldingi 7 kun", "Previous message": "", "Private": "Shaxsiy", - "Private conversation between selected users": "", "Profile": "Profil", "Prompt": "Tezkor", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Tezkor (masalan, menga Rim imperiyasi haqida qiziqarli faktni aytib bering)", "Prompt Autocompletion": "Tezkor avtomatik yakunlash", "Prompt Content": "Tezkor tarkib", "Prompt created successfully": "Soʻrov muvaffaqiyatli yaratildi", @@ -1470,7 +1451,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Hisoblash uchun ishlatiladigan ishchi iplar sonini belgilang. Ushbu parametr kiruvchi so'rovlarni bir vaqtning o'zida qayta ishlash uchun qancha mavzu ishlatilishini nazorat qiladi. Ushbu qiymatni oshirish yuqori bir vaqtda ish yukida ishlashni yaxshilashi mumkin, lekin ko'proq CPU resurslarini iste'mol qilishi mumkin.", "Set Voice": "Ovozni sozlash", "Set whisper model": "Pichirlash modelini o'rnating", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Hech bo'lmaganda bir marta paydo bo'lgan tokenlarga nisbatan tekis chiziq o'rnatadi. Yuqori qiymat (masalan, 1,5) takrorlash uchun qattiqroq jazolanadi, pastroq qiymat (masalan, 0,9) esa yumshoqroq bo'ladi. 0 bo'lsa, u o'chirilgan.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Qancha marta paydo bo'lganiga qarab, takrorlanishlarni jazolash uchun tokenlarga nisbatan masshtabni o'rnatadi. Yuqori qiymat (masalan, 1,5) takrorlash uchun qattiqroq jazolanadi, pastroq qiymat (masalan, 0,9) esa yumshoqroq bo'ladi. 0 bo'lsa, u o'chirilgan.", "Sets how far back for the model to look back to prevent repetition.": "Takrorlanishning oldini olish uchun modelning orqaga qarashini belgilaydi.", @@ -1523,9 +1503,6 @@ "Start a new conversation": "", "Start of the channel": "Kanal boshlanishi", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1541,7 +1518,7 @@ "STT Model": "STT modeli", "STT Settings": "STT sozlamalari", "Stylized PDF Export": "Stillashtirilgan PDF eksporti", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Subtitr (masalan, Rim imperiyasi haqida)", "Success": "Muvaffaqiyat", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Muvaffaqiyatli yangilandi.", @@ -1624,6 +1601,7 @@ "Tika Server URL required.": "Tika Server URL manzili talab qilinadi.", "Tiktoken": "Tiktoken", "Title": "Sarlavha", + "Title (e.g. Tell me a fun fact)": "Sarlavha (masalan, menga qiziqarli faktni ayting)", "Title Auto-Generation": "Sarlavhani avtomatik yaratish", "Title cannot be an empty string.": "Sarlavha bo'sh qator bo'lishi mumkin emas.", "Title Generation": "Sarlavha yaratish", @@ -1692,7 +1670,6 @@ "Update and Copy Link": "Havolani yangilash va nusxalash", "Update for the latest features and improvements.": "Eng yangi xususiyatlar va yaxshilanishlar uchun yangilang.", "Update password": "Parolni yangilang", - "Update your status": "", "Updated": "Yangilangan", "Updated at": "Yangilangan", "Updated At": "Yangilangan", @@ -1746,7 +1723,6 @@ "View Replies": "Javoblarni ko'rish", "View Result from **{{NAME}}**": "**{{NAME}}** natijasini ko‘rish", "Visibility": "Ko'rinish", - "Visible to all users": "", "Vision": "Vizyon", "Voice": "Ovoz", "Voice Input": "Ovozli kiritish", @@ -1774,7 +1750,6 @@ "What are you trying to achieve?": "Nimaga erishmoqchisiz?", "What are you working on?": "Nima ustida ishlayapsiz?", "What's New in": "", - "What's on your mind?": "", "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.": "Yoqilganda, model real vaqt rejimida har bir chat xabariga javob beradi va foydalanuvchi xabar yuborishi bilanoq javob hosil qiladi. Ushbu rejim jonli chat ilovalari uchun foydalidir, lekin sekinroq uskunaning ishlashiga ta'sir qilishi mumkin.", "wherever you are": "qayerda bo'lsangiz ham", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Chiqishni sahifalash kerakmi. Har bir sahifa gorizontal qoida va sahifa raqami bilan ajratiladi. Birlamchi parametrlar False.", diff --git a/src/lib/i18n/locales/vi-VN/translation.json b/src/lib/i18n/locales/vi-VN/translation.json index 0f138d2746..a2187c6f8c 100644 --- a/src/lib/i18n/locales/vi-VN/translation.json +++ b/src/lib/i18n/locales/vi-VN/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "", "{{model}} download has been canceled": "", - "{{NAMES}} reacted with {{REACTION}}": "", "{{user}}'s Chats": "Các cuộc trò chuyện của {{user}}", "{{webUIName}} Backend Required": "{{webUIName}} Yêu cầu Backend", "*Prompt node ID(s) are required for image generation": "*ID nút Prompt là bắt buộc để tạo ảnh", "1 Source": "", - "A collaboration channel where people join as members": "", - "A discussion channel where access is controlled by groups and permissions": "", "A new version (v{{LATEST_VERSION}}) is now available.": "Một phiên bản mới (v{{LATEST_VERSION}}) đã có sẵn.", - "A private conversation between you and selected users": "", "A task model is used when performing tasks such as generating titles for chats and web search queries": "Mô hình tác vụ được sử dụng khi thực hiện các tác vụ như tạo tiêu đề cho cuộc trò chuyện và truy vấn tìm kiếm trên web", "a user": "người sử dụng", "About": "Giới thiệu", @@ -57,8 +53,7 @@ "Add Custom Prompt": "", "Add Details": "", "Add Files": "Thêm tệp", - "Add Member": "", - "Add Members": "", + "Add Group": "Thêm Nhóm", "Add Memory": "Thêm bộ nhớ", "Add Model": "Thêm model", "Add Reaction": "Thêm phản ứng", @@ -257,7 +252,6 @@ "Citations": "", "Clear memory": "Xóa bộ nhớ", "Clear Memory": "Xóa Bộ nhớ", - "Clear status": "", "click here": "nhấn vào đây", "Click here for filter guides.": "Nhấn vào đây để xem hướng dẫn về bộ lọc.", "Click here for help.": "Bấm vào đây để được trợ giúp.", @@ -294,7 +288,6 @@ "Code Interpreter": "Trình thông dịch Mã", "Code Interpreter Engine": "Engine Trình thông dịch Mã", "Code Interpreter Prompt Template": "Mẫu Prompt Trình thông dịch Mã", - "Collaboration channel where people join as members": "", "Collapse": "Thu gọn", "Collection": "Tổng hợp mọi tài liệu", "Color": "Màu sắc", @@ -454,7 +447,6 @@ "Discover, download, and explore custom prompts": "Tìm kiếm, tải về và khám phá thêm các prompt tùy chỉnh", "Discover, download, and explore custom tools": "Tìm kiếm, tải về và khám phá thêm các tool tùy chỉnh", "Discover, download, and explore model presets": "Tìm kiếm, tải về và khám phá thêm các model presets", - "Discussion channel where access is based on groups and permissions": "", "Display": "Hiển thị", "Display chat title in tab": "", "Display Emoji in Call": "Hiển thị Emoji trong cuộc gọi", @@ -493,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "ví dụ: \"json\" hoặc một lược đồ JSON", "e.g. 60": "vd: 60", "e.g. A filter to remove profanity from text": "vd: Bộ lọc để loại bỏ từ ngữ tục tĩu khỏi văn bản", - "e.g. about the Roman Empire": "", "e.g. en": "", "e.g. My Filter": "vd: Bộ lọc của tôi", "e.g. My Tools": "vd: Công cụ của tôi", "e.g. my_filter": "vd: bo_loc_cua_toi", "e.g. my_tools": "vd: cong_cu_cua_toi", "e.g. pdf, docx, txt": "", - "e.g. Tell me a fun fact": "", - "e.g. Tell me a fun fact about the Roman Empire": "", "e.g. Tools for performing various operations": "vd: Các công cụ để thực hiện các hoạt động khác nhau", "e.g., 3, 4, 5 (leave blank for default)": "", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "", @@ -700,6 +689,7 @@ "Export Config to JSON File": "Xuất Cấu hình ra Tệp JSON", "Export Models": "", "Export Presets": "Xuất các Preset", + "Export Prompt Suggestions": "", "Export Prompts": "", "Export to CSV": "Xuất ra CSV", "Export Tools": "", @@ -714,8 +704,6 @@ "External Web Search URL": "", "Fade Effect for Streaming Text": "", "Failed to add file.": "Không thể thêm tệp.", - "Failed to add members": "", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "Không thể kết nối đến máy chủ công cụ OpenAPI {{URL}}", "Failed to copy link": "", "Failed to create API Key.": "Lỗi khởi tạo API Key", @@ -729,14 +717,12 @@ "Failed to load file content.": "", "Failed to move chat": "", "Failed to read clipboard contents": "Không thể đọc nội dung clipboard", - "Failed to remove member": "", "Failed to render diagram": "", "Failed to render visualization": "", "Failed to save connections": "Không thể lưu các kết nối", "Failed to save conversation": "Không thể lưu cuộc trò chuyện", "Failed to save models configuration": "Không thể lưu cấu hình mô hình", "Failed to update settings": "Lỗi khi cập nhật các cài đặt", - "Failed to update status": "", "Failed to upload file.": "Không thể tải lên tệp.", "Features": "Tính năng", "Features Permissions": "Quyền Tính năng", @@ -830,13 +816,11 @@ "Google PSE Engine Id": "ID công cụ Google PSE", "Gravatar": "", "Group": "Nhóm", - "Group Channel": "", "Group created successfully": "Đã tạo nhóm thành công", "Group deleted successfully": "Đã xóa nhóm thành công", "Group Description": "Mô tả Nhóm", "Group Name": "Tên Nhóm", "Group updated successfully": "Đã cập nhật nhóm thành công", - "groups": "", "Groups": "Nhóm", "H1": "", "H2": "", @@ -891,6 +875,7 @@ "Import Models": "", "Import Notes": "", "Import Presets": "Nhập các Preset", + "Import Prompt Suggestions": "", "Import Prompts": "", "Import successful": "", "Import Tools": "", @@ -1026,9 +1011,6 @@ "MCP": "", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "", "Medium": "", - "Member removed successfully": "", - "Members": "", - "Members added successfully": "", "Memories accessible by LLMs will be shown here.": "Memory có thể truy cập bởi LLMs sẽ hiển thị ở đây.", "Memory": "Memory", "Memory added successfully": "Memory đã được thêm thành công", @@ -1176,7 +1158,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Chỉ ký tự số và gạch nối được phép trong chuỗi lệnh.", "Only can be triggered when the chat input is in focus.": "", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Chỉ có thể chỉnh sửa bộ sưu tập, tạo cơ sở kiến thức mới để chỉnh sửa/thêm tài liệu.", - "Only invited users can access": "", "Only markdown files are allowed": "", "Only select users and groups with permission can access": "Chỉ người dùng và nhóm được chọn có quyền mới có thể truy cập", "Oops! Looks like the URL is invalid. Please double-check and try again.": "Rất tiếc! URL dường như không hợp lệ. Vui lòng kiểm tra lại và thử lại.", @@ -1282,9 +1263,9 @@ "Previous 7 days": "7 ngày trước", "Previous message": "", "Private": "Riêng tư", - "Private conversation between selected users": "", "Profile": "Hồ sơ", "Prompt": "Prompt", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ví dụ: Hãy kể cho tôi một sự thật thú vị về Đế chế La Mã)", "Prompt Autocompletion": "Tự động hoàn thành Prompt", "Prompt Content": "Nội dung prompt", "Prompt created successfully": "Đã tạo prompt thành công", @@ -1469,7 +1450,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Đặt số lượng luồng công nhân được sử dụng để tính toán. Tùy chọn này kiểm soát số lượng luồng được sử dụng để xử lý đồng thời các yêu cầu đến. Tăng giá trị này có thể cải thiện hiệu suất dưới tải công việc đồng thời cao nhưng cũng có thể tiêu thụ nhiều tài nguyên CPU hơn.", "Set Voice": "Đặt Giọng nói", "Set whisper model": "Đặt mô hình whisper", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Đặt một thiên vị phẳng chống lại các token đã xuất hiện ít nhất một lần. Giá trị cao hơn (ví dụ: 1.5) sẽ phạt sự lặp lại mạnh hơn, trong khi giá trị thấp hơn (ví dụ: 0.9) sẽ khoan dung hơn. Tại 0, nó bị vô hiệu hóa.", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Đặt một thiên vị tỷ lệ chống lại các token để phạt sự lặp lại, dựa trên số lần chúng đã xuất hiện. Giá trị cao hơn (ví dụ: 1.5) sẽ phạt sự lặp lại mạnh hơn, trong khi giá trị thấp hơn (ví dụ: 0.9) sẽ khoan dung hơn. Tại 0, nó bị vô hiệu hóa.", "Sets how far back for the model to look back to prevent repetition.": "Đặt khoảng cách mà mô hình nhìn lại để ngăn chặn sự lặp lại.", @@ -1522,9 +1502,6 @@ "Start a new conversation": "", "Start of the channel": "Đầu kênh", "Start Tag": "", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "", @@ -1540,7 +1517,7 @@ "STT Model": "Mô hình STT", "STT Settings": "Cài đặt Nhận dạng Giọng nói", "Stylized PDF Export": "", - "Subtitle": "", + "Subtitle (e.g. about the Roman Empire)": "Phụ đề (ví dụ: về Đế chế La Mã)", "Success": "Thành công", "Successfully imported {{userCount}} users.": "", "Successfully updated.": "Đã cập nhật thành công.", @@ -1623,6 +1600,7 @@ "Tika Server URL required.": "Bắt buộc phải nhập URL cho Tika Server ", "Tiktoken": "Tiktoken", "Title": "Tiêu đề", + "Title (e.g. Tell me a fun fact)": "Tiêu đề (ví dụ: Hãy kể cho tôi một sự thật thú vị về...)", "Title Auto-Generation": "Tự động Tạo Tiêu đề", "Title cannot be an empty string.": "Tiêu đề không được phép bỏ trống", "Title Generation": "Tạo Tiêu đề", @@ -1691,7 +1669,6 @@ "Update and Copy Link": "Cập nhật và sao chép link", "Update for the latest features and improvements.": "Cập nhật để có các tính năng và cải tiến mới nhất.", "Update password": "Cập nhật mật khẩu", - "Update your status": "", "Updated": "Đã cập nhật", "Updated at": "Cập nhật lúc", "Updated At": "Cập nhật lúc", @@ -1745,7 +1722,6 @@ "View Replies": "Xem các Trả lời", "View Result from **{{NAME}}**": "Xem Kết quả từ **{{NAME}}**", "Visibility": "Hiển thị", - "Visible to all users": "", "Vision": "", "Voice": "Giọng nói", "Voice Input": "Nhập liệu bằng Giọng nói", @@ -1773,7 +1749,6 @@ "What are you trying to achieve?": "Bạn đang cố gắng đạt được điều gì?", "What are you working on?": "Bạn đang làm gì vậy?", "What's New in": "Thông tin mới về", - "What's on your mind?": "", "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.": "Khi được bật, mô hình sẽ phản hồi từng tin nhắn trò chuyện trong thời gian thực, tạo ra phản hồi ngay khi người dùng gửi tin nhắn. Chế độ này hữu ích cho các ứng dụng trò chuyện trực tiếp, nhưng có thể ảnh hưởng đến hiệu suất trên phần cứng chậm hơn.", "wherever you are": "bất cứ nơi nào bạn đang ở", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "", diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json index c6a9ca929b..360c81260d 100644 --- a/src/lib/i18n/locales/zh-CN/translation.json +++ b/src/lib/i18n/locales/zh-CN/translation.json @@ -257,7 +257,6 @@ "Citations": "引用", "Clear memory": "清除记忆", "Clear Memory": "清除记忆", - "Clear status": "", "click here": "点击此处", "Click here for filter guides.": "点击此处查看筛选指南", "Click here for help.": "点击此处获取帮助", @@ -715,7 +714,6 @@ "Fade Effect for Streaming Text": "流式输出内容时启用动态渐显效果", "Failed to add file.": "添加文件失败", "Failed to add members": "添加成员失败", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "连接到 {{URL}} OpenAPI 工具服务器失败", "Failed to copy link": "复制链接失败", "Failed to create API Key.": "创建接口密钥失败", @@ -736,7 +734,6 @@ "Failed to save conversation": "保存对话失败", "Failed to save models configuration": "保存模型配置失败", "Failed to update settings": "更新设置失败", - "Failed to update status": "", "Failed to upload file.": "上传文件失败", "Features": "功能", "Features Permissions": "功能权限", @@ -1469,7 +1466,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "设置用于计算的工作线程数量。该选项可控制并发处理传入请求的线程数量。增加该值可以提高高并发工作负载下的性能,但也可能消耗更多的 CPU 资源。", "Set Voice": "设置音色", "Set whisper model": "设置 whisper 模型", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "对至少出现过一次的标记设置固定偏置值。较高的值(例如 1.5)表示严厉惩罚重复,而较低的值(例如 0.9)则表示相对宽松。当值为 0 时,此功能将被禁用。", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "根据标记出现的次数,设置缩放偏置值惩罚重复。较高的值(例如 1.5)表示严厉惩罚重复,而较低的值(例如 0.9)则表示相对宽松。当值为 0 时,此功能将被禁用。", "Sets how far back for the model to look back to prevent repetition.": "设置模型回溯的范围,以防止重复。", @@ -1522,9 +1518,6 @@ "Start a new conversation": "开始新对话", "Start of the channel": "频道起点", "Start Tag": "起始标签", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "显示实时回答状态", "STDOUT/STDERR": "标准输出/标准错误", "Steps": "迭代步数", @@ -1691,7 +1684,6 @@ "Update and Copy Link": "更新和复制链接", "Update for the latest features and improvements.": "更新以获取最新功能与优化", "Update password": "更新密码", - "Update your status": "", "Updated": "已更新", "Updated at": "更新于", "Updated At": "更新于", @@ -1773,7 +1765,6 @@ "What are you trying to achieve?": "您想要达到什么目标?", "What are you working on?": "您在忙于什么?", "What's New in": "最近更新内容于", - "What's on your mind?": "", "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": "纵使身在远方,亦与世界同频", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "是否对输出内容进行分页。每页之间将用水平分隔线和页码隔开。默认为关闭", diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json index afac843d90..2a1e6174a6 100644 --- a/src/lib/i18n/locales/zh-TW/translation.json +++ b/src/lib/i18n/locales/zh-TW/translation.json @@ -257,7 +257,6 @@ "Citations": "引用", "Clear memory": "清除記憶", "Clear Memory": "清除記憶", - "Clear status": "", "click here": "點選此處", "Click here for filter guides.": "點選此處檢視篩選器指南。", "Click here for help.": "點選此處取得協助。", @@ -715,7 +714,6 @@ "Fade Effect for Streaming Text": "串流文字淡入效果", "Failed to add file.": "新增檔案失敗。", "Failed to add members": "新增成員失敗", - "Failed to clear status": "", "Failed to connect to {{URL}} OpenAPI tool server": "無法連線至 {{URL}} OpenAPI 工具伺服器", "Failed to copy link": "複製連結失敗", "Failed to create API Key.": "建立 API 金鑰失敗。", @@ -736,7 +734,6 @@ "Failed to save conversation": "儲存對話失敗", "Failed to save models configuration": "儲存模型設定失敗", "Failed to update settings": "更新設定失敗", - "Failed to update status": "", "Failed to upload file.": "上傳檔案失敗。", "Features": "功能", "Features Permissions": "功能權限", @@ -1469,7 +1466,6 @@ "Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "設定用於計算的工作執行緒數量。此選項控制使用多少執行緒來同時處理傳入的請求。增加此值可以在高併發工作負載下提升效能,但也可能消耗更多 CPU 資源。", "Set Voice": "設定語音", "Set whisper model": "設定 whisper 模型", - "Set your status": "", "Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "對至少出現過一次的 token 設定統一的偏差值。較高的值(例如:1.5)會更強烈地懲罰重複,而較低的值(例如:0.9)會更寬容。設為 0 時,此功能將停用。", "Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "根據 token 出現的次數,設定一個縮放偏差值來懲罰重複。較高的值(例如:1.5)會更強烈地懲罰重複,而較低的值(例如:0.9)會更寬容。設為 0 時,此功能將停用。", "Sets how far back for the model to look back to prevent repetition.": "設定模型要回溯多遠來防止重複。", @@ -1522,9 +1518,6 @@ "Start a new conversation": "開始新對話", "Start of the channel": "頻道起點", "Start Tag": "起始標籤", - "Status": "", - "Status cleared successfully": "", - "Status updated successfully": "", "Status Updates": "顯示實時回答狀態", "STDOUT/STDERR": "STDOUT/STDERR", "Steps": "迭代步數", @@ -1691,7 +1684,6 @@ "Update and Copy Link": "更新並複製連結", "Update for the latest features and improvements.": "更新以獲得最新功能和改進。", "Update password": "更新密碼", - "Update your status": "", "Updated": "已更新", "Updated at": "更新於", "Updated At": "更新於", @@ -1773,7 +1765,6 @@ "What are you trying to achieve?": "您正在試圖完成什麼?", "What are you working on?": "您現在的工作是什麼?", "What's New in": "新功能", - "What's on your mind?": "", "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": "無論您在何處", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "是否啟用輸出分頁功能,每頁會以水平線與頁碼分隔。預設為 False。", From 23faf18ae40894d42199995c91e592d9f52588f6 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Mon, 1 Dec 2025 20:50:14 +0200 Subject: [PATCH 12/13] discard translation changes --- src/lib/i18n/locales/ar-BH/translation.json | 2 - src/lib/i18n/locales/ar/translation.json | 2 - src/lib/i18n/locales/bg-BG/translation.json | 2 - src/lib/i18n/locales/bn-BD/translation.json | 2 - src/lib/i18n/locales/bo-TB/translation.json | 2 - src/lib/i18n/locales/bs-BA/translation.json | 2 - src/lib/i18n/locales/ca-ES/translation.json | 2 - src/lib/i18n/locales/ceb-PH/translation.json | 2 - src/lib/i18n/locales/cs-CZ/translation.json | 2 - src/lib/i18n/locales/da-DK/translation.json | 2 - src/lib/i18n/locales/de-DE/translation.json | 2 - src/lib/i18n/locales/dg-DG/translation.json | 4 -- src/lib/i18n/locales/el-GR/translation.json | 2 - src/lib/i18n/locales/en-GB/translation.json | 2 - src/lib/i18n/locales/en-US/translation.json | 2 - src/lib/i18n/locales/es-ES/translation.json | 2 - src/lib/i18n/locales/et-EE/translation.json | 2 - src/lib/i18n/locales/eu-ES/translation.json | 2 - src/lib/i18n/locales/fa-IR/translation.json | 2 - src/lib/i18n/locales/fi-FI/translation.json | 2 - src/lib/i18n/locales/fr-CA/translation.json | 2 - src/lib/i18n/locales/fr-FR/translation.json | 2 - src/lib/i18n/locales/gl-ES/translation.json | 2 - src/lib/i18n/locales/he-IL/translation.json | 2 - src/lib/i18n/locales/hi-IN/translation.json | 2 - src/lib/i18n/locales/hr-HR/translation.json | 2 - src/lib/i18n/locales/hu-HU/translation.json | 2 - src/lib/i18n/locales/id-ID/translation.json | 2 - src/lib/i18n/locales/ie-GA/translation.json | 4 -- src/lib/i18n/locales/it-IT/translation.json | 2 - src/lib/i18n/locales/ja-JP/translation.json | 2 - src/lib/i18n/locales/ka-GE/translation.json | 2 - src/lib/i18n/locales/kab-DZ/translation.json | 2 - src/lib/i18n/locales/ko-KR/translation.json | 2 - src/lib/i18n/locales/lt-LT/translation.json | 2 - src/lib/i18n/locales/ms-MY/translation.json | 2 - src/lib/i18n/locales/nb-NO/translation.json | 2 - src/lib/i18n/locales/nl-NL/translation.json | 2 - src/lib/i18n/locales/pa-IN/translation.json | 2 - src/lib/i18n/locales/pl-PL/translation.json | 2 - src/lib/i18n/locales/pt-BR/translation.json | 42 +++---------- src/lib/i18n/locales/pt-PT/translation.json | 2 - src/lib/i18n/locales/ro-RO/translation.json | 2 - src/lib/i18n/locales/ru-RU/translation.json | 2 - src/lib/i18n/locales/sk-SK/translation.json | 2 - src/lib/i18n/locales/sr-RS/translation.json | 2 - src/lib/i18n/locales/sv-SE/translation.json | 2 - src/lib/i18n/locales/th-TH/translation.json | 2 - src/lib/i18n/locales/tk-TM/translation.json | 2 - src/lib/i18n/locales/tr-TR/translation.json | 2 - src/lib/i18n/locales/ug-CN/translation.json | 2 - src/lib/i18n/locales/uk-UA/translation.json | 2 - src/lib/i18n/locales/ur-PK/translation.json | 2 - .../i18n/locales/uz-Cyrl-UZ/translation.json | 2 - .../i18n/locales/uz-Latn-Uz/translation.json | 2 - src/lib/i18n/locales/vi-VN/translation.json | 2 - src/lib/i18n/locales/zh-CN/translation.json | 60 +++++++------------ src/lib/i18n/locales/zh-TW/translation.json | 38 ++++-------- 58 files changed, 39 insertions(+), 215 deletions(-) diff --git a/src/lib/i18n/locales/ar-BH/translation.json b/src/lib/i18n/locales/ar-BH/translation.json index bc54f07290..b4dbd39bbe 100644 --- a/src/lib/i18n/locales/ar-BH/translation.json +++ b/src/lib/i18n/locales/ar-BH/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "لا توجد نتائج", "No results found": "لا توجد نتايج", @@ -1220,7 +1219,6 @@ "Personalization": "التخصيص", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/ar/translation.json b/src/lib/i18n/locales/ar/translation.json index 271a54a327..10bdf2429a 100644 --- a/src/lib/i18n/locales/ar/translation.json +++ b/src/lib/i18n/locales/ar/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "لم يتم اختيار نماذج", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "لا توجد نتائج", "No results found": "لا توجد نتايج", @@ -1220,7 +1219,6 @@ "Personalization": "التخصيص", "Pin": "تثبيت", "Pinned": "مثبت", - "Pinned Messages": "", "Pioneer insights": "رؤى رائدة", "Pipe": "", "Pipeline deleted successfully": "تم حذف خط المعالجة بنجاح", diff --git a/src/lib/i18n/locales/bg-BG/translation.json b/src/lib/i18n/locales/bg-BG/translation.json index 740b0884e5..eda09eac9b 100644 --- a/src/lib/i18n/locales/bg-BG/translation.json +++ b/src/lib/i18n/locales/bg-BG/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Няма избрани модели", "No Notes": "Няма бележки", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Няма намерени резултати", "No results found": "Няма намерени резултати", @@ -1220,7 +1219,6 @@ "Personalization": "Персонализация", "Pin": "Закачи", "Pinned": "Закачено", - "Pinned Messages": "", "Pioneer insights": "Пионерски прозрения", "Pipe": "", "Pipeline deleted successfully": "Пайплайнът е изтрит успешно", diff --git a/src/lib/i18n/locales/bn-BD/translation.json b/src/lib/i18n/locales/bn-BD/translation.json index a1057bcd82..c7b565b365 100644 --- a/src/lib/i18n/locales/bn-BD/translation.json +++ b/src/lib/i18n/locales/bn-BD/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "কোন ফলাফল পাওয়া যায়নি", "No results found": "কোন ফলাফল পাওয়া যায়নি", @@ -1220,7 +1219,6 @@ "Personalization": "ডিজিটাল বাংলা", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/bo-TB/translation.json b/src/lib/i18n/locales/bo-TB/translation.json index ff0485145d..68922abb3d 100644 --- a/src/lib/i18n/locales/bo-TB/translation.json +++ b/src/lib/i18n/locales/bo-TB/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "དཔེ་དབྱིབས་གདམ་ག་མ་བྱས།", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "འབྲས་བུ་མ་རྙེད།", "No results found": "འབྲས་བུ་མ་རྙེད།", @@ -1220,7 +1219,6 @@ "Personalization": "སྒེར་སྤྱོད་ཅན།", "Pin": "གདབ་པ།", "Pinned": "གདབ་ཟིན།", - "Pinned Messages": "", "Pioneer insights": "སྔོན་དཔག་རིག་ནུས།", "Pipe": "", "Pipeline deleted successfully": "རྒྱུ་ལམ་ལེགས་པར་བསུབས་ཟིན།", diff --git a/src/lib/i18n/locales/bs-BA/translation.json b/src/lib/i18n/locales/bs-BA/translation.json index e4376a519b..fc467ca52b 100644 --- a/src/lib/i18n/locales/bs-BA/translation.json +++ b/src/lib/i18n/locales/bs-BA/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Nema rezultata", "No results found": "Nema rezultata", @@ -1220,7 +1219,6 @@ "Personalization": "Prilagodba", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/ca-ES/translation.json b/src/lib/i18n/locales/ca-ES/translation.json index ee897efb5d..93c63563ba 100644 --- a/src/lib/i18n/locales/ca-ES/translation.json +++ b/src/lib/i18n/locales/ca-ES/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "No s'ha seleccionat cap model", "No Notes": "No hi ha notes", "No notes found": "No s'han trobat notes", - "No pinned messages": "", "No prompts found": "No s'han trobat indicacions", "No results": "No s'han trobat resultats", "No results found": "No s'han trobat resultats", @@ -1220,7 +1219,6 @@ "Personalization": "Personalització", "Pin": "Fixar", "Pinned": "Fixat", - "Pinned Messages": "", "Pioneer insights": "Perspectives pioneres", "Pipe": "Canonada", "Pipeline deleted successfully": "Pipeline eliminada correctament", diff --git a/src/lib/i18n/locales/ceb-PH/translation.json b/src/lib/i18n/locales/ceb-PH/translation.json index 3c38a63729..2f47887468 100644 --- a/src/lib/i18n/locales/ceb-PH/translation.json +++ b/src/lib/i18n/locales/ceb-PH/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Walay resulta", "No results found": "", @@ -1220,7 +1219,6 @@ "Personalization": "", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/cs-CZ/translation.json b/src/lib/i18n/locales/cs-CZ/translation.json index d061281742..1f9a224677 100644 --- a/src/lib/i18n/locales/cs-CZ/translation.json +++ b/src/lib/i18n/locales/cs-CZ/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Nebyly vybrány žádné modely", "No Notes": "Žádné poznámky", "No notes found": "Nebyly nalezeny žádné poznámky", - "No pinned messages": "", "No prompts found": "Nebyly nalezeny žádné instrukce", "No results": "Nebyly nalezeny žádné výsledky", "No results found": "Nebyly nalezeny žádné výsledky", @@ -1220,7 +1219,6 @@ "Personalization": "Personalizace", "Pin": "Připnout", "Pinned": "Připnuto", - "Pinned Messages": "", "Pioneer insights": "Objevujte nové poznatky", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline byla úspěšně smazána", diff --git a/src/lib/i18n/locales/da-DK/translation.json b/src/lib/i18n/locales/da-DK/translation.json index db216ddca6..8365fce22f 100644 --- a/src/lib/i18n/locales/da-DK/translation.json +++ b/src/lib/i18n/locales/da-DK/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Ingen modeller valgt", "No Notes": "Ingen noter", "No notes found": "Ingen noter fundet", - "No pinned messages": "", "No prompts found": "Ingen prompts fundet", "No results": "Ingen resultater fundet", "No results found": "Ingen resultater fundet", @@ -1220,7 +1219,6 @@ "Personalization": "Personalisering", "Pin": "Fastgør", "Pinned": "Fastgjort", - "Pinned Messages": "", "Pioneer insights": "Banebrydende indsigter", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline slettet.", diff --git a/src/lib/i18n/locales/de-DE/translation.json b/src/lib/i18n/locales/de-DE/translation.json index d038fa3193..5ee899cbda 100644 --- a/src/lib/i18n/locales/de-DE/translation.json +++ b/src/lib/i18n/locales/de-DE/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Keine Modelle ausgewählt", "No Notes": "Keine Notizen", "No notes found": "Keine Notizen gefunden", - "No pinned messages": "", "No prompts found": "Keine Prompts gefunden", "No results": "Keine Ergebnisse gefunden", "No results found": "Keine Ergebnisse gefunden", @@ -1220,7 +1219,6 @@ "Personalization": "Personalisierung", "Pin": "Anheften", "Pinned": "Angeheftet", - "Pinned Messages": "", "Pioneer insights": "Bahnbrechende Erkenntnisse", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline erfolgreich gelöscht", diff --git a/src/lib/i18n/locales/dg-DG/translation.json b/src/lib/i18n/locales/dg-DG/translation.json index f17318dbb5..43728e9e1f 100644 --- a/src/lib/i18n/locales/dg-DG/translation.json +++ b/src/lib/i18n/locales/dg-DG/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "No results, very empty", "No results found": "", @@ -1220,7 +1219,6 @@ "Personalization": "Personalization", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", @@ -1345,8 +1343,6 @@ "Retrieval Query Generation": "", "Retrieved {{count}} sources": "", "Retrieved {{count}} sources_one": "", - "Retrieved {{count}} sources_few": "", - "Retrieved {{count}} sources_many": "", "Retrieved {{count}} sources_other": "", "Retrieved 1 source": "", "Rich Text Input for Chat": "", diff --git a/src/lib/i18n/locales/el-GR/translation.json b/src/lib/i18n/locales/el-GR/translation.json index de56080f3b..ef846bc02d 100644 --- a/src/lib/i18n/locales/el-GR/translation.json +++ b/src/lib/i18n/locales/el-GR/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Δεν έχουν επιλεγεί μοντέλα", "No Notes": "", "No notes found": "Δεν βρέθηκαν σημειώσεις", - "No pinned messages": "", "No prompts found": "Δεν βρέθηκαν προτροπές", "No results": "Δεν βρέθηκαν αποτελέσματα", "No results found": "Δεν βρέθηκαν αποτελέσματα", @@ -1220,7 +1219,6 @@ "Personalization": "Προσωποποίηση", "Pin": "Καρφίτσωμα", "Pinned": "Καρφιτσωμένο", - "Pinned Messages": "", "Pioneer insights": "Συμβουλές πρωτοπόρων", "Pipe": "", "Pipeline deleted successfully": "Η συνάρτηση διαγράφηκε με επιτυχία", diff --git a/src/lib/i18n/locales/en-GB/translation.json b/src/lib/i18n/locales/en-GB/translation.json index 837b00a13d..fce3dba22e 100644 --- a/src/lib/i18n/locales/en-GB/translation.json +++ b/src/lib/i18n/locales/en-GB/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "", "No results found": "", @@ -1220,7 +1219,6 @@ "Personalization": "Personalisation", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/en-US/translation.json b/src/lib/i18n/locales/en-US/translation.json index 9e8a1e8e53..59f9ef3a21 100644 --- a/src/lib/i18n/locales/en-US/translation.json +++ b/src/lib/i18n/locales/en-US/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "", "No results found": "", @@ -1220,7 +1219,6 @@ "Personalization": "", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/es-ES/translation.json b/src/lib/i18n/locales/es-ES/translation.json index ee1d976a95..757dddd94d 100644 --- a/src/lib/i18n/locales/es-ES/translation.json +++ b/src/lib/i18n/locales/es-ES/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "No se seleccionaron modelos", "No Notes": "Sin Notas", "No notes found": "No se encontraron notas", - "No pinned messages": "", "No prompts found": "No se encontraron indicadores", "No results": "No se encontraron resultados", "No results found": "No se encontraron resultados", @@ -1220,7 +1219,6 @@ "Personalization": "Personalización", "Pin": "Fijar", "Pinned": "Fijado", - "Pinned Messages": "", "Pioneer insights": "Descubrir nuevas perspectivas", "Pipe": "Tubo", "Pipeline deleted successfully": "Tubería borrada correctamente", diff --git a/src/lib/i18n/locales/et-EE/translation.json b/src/lib/i18n/locales/et-EE/translation.json index f05715bccb..9c6406bece 100644 --- a/src/lib/i18n/locales/et-EE/translation.json +++ b/src/lib/i18n/locales/et-EE/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Mudeleid pole valitud", "No Notes": "No Märkmed", "No notes found": "No märkmed found", - "No pinned messages": "", "No prompts found": "No prompts found", "No results": "Tulemusi ei leitud", "No results found": "Tulemusi ei leitud", @@ -1220,7 +1219,6 @@ "Personalization": "Isikupärastamine", "Pin": "Kinnita", "Pinned": "Kinnitatud", - "Pinned Messages": "", "Pioneer insights": "Pioneeri arusaamad", "Pipe": "Pipe", "Pipeline deleted successfully": "Torustik edukalt kustutatud", diff --git a/src/lib/i18n/locales/eu-ES/translation.json b/src/lib/i18n/locales/eu-ES/translation.json index 93fa267202..e0d42a61b0 100644 --- a/src/lib/i18n/locales/eu-ES/translation.json +++ b/src/lib/i18n/locales/eu-ES/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Ez da modelorik hautatu", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Ez da emaitzarik aurkitu", "No results found": "Ez da emaitzarik aurkitu", @@ -1220,7 +1219,6 @@ "Personalization": "Pertsonalizazioa", "Pin": "Ainguratu", "Pinned": "Ainguratuta", - "Pinned Messages": "", "Pioneer insights": "Ikuspegi aitzindariak", "Pipe": "", "Pipeline deleted successfully": "Pipeline-a ongi ezabatu da", diff --git a/src/lib/i18n/locales/fa-IR/translation.json b/src/lib/i18n/locales/fa-IR/translation.json index 0134fda521..0852d5a6ef 100644 --- a/src/lib/i18n/locales/fa-IR/translation.json +++ b/src/lib/i18n/locales/fa-IR/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "مدلی انتخاب نشده است", "No Notes": "هیچ یادداشتی وجود ندارد", "No notes found": "هیچ یادداشتی یافت نشد", - "No pinned messages": "", "No prompts found": "هیچ پرامپتی یافت نشد", "No results": "نتیجه\u200cای یافت نشد", "No results found": "نتیجه\u200cای یافت نشد", @@ -1220,7 +1219,6 @@ "Personalization": "شخصی سازی", "Pin": "پین کردن", "Pinned": "پین شده", - "Pinned Messages": "", "Pioneer insights": "بینش\u200cهای پیشگام", "Pipe": "خط لوله", "Pipeline deleted successfully": "خط لوله با موفقیت حذف شد", diff --git a/src/lib/i18n/locales/fi-FI/translation.json b/src/lib/i18n/locales/fi-FI/translation.json index 1cf41620e3..4410d4f085 100644 --- a/src/lib/i18n/locales/fi-FI/translation.json +++ b/src/lib/i18n/locales/fi-FI/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Malleja ei ole valittu", "No Notes": "Ei muistiinpanoja", "No notes found": "Muistiinpanoja ei löytynyt", - "No pinned messages": "", "No prompts found": "Kehoitteita ei löytynyt", "No results": "Ei tuloksia", "No results found": "Ei tuloksia", @@ -1220,7 +1219,6 @@ "Personalization": "Personointi", "Pin": "Kiinnitä", "Pinned": "Kiinnitetty", - "Pinned Messages": "", "Pioneer insights": "Pioneerin oivalluksia", "Pipe": "Putki", "Pipeline deleted successfully": "Putki poistettu onnistuneesti", diff --git a/src/lib/i18n/locales/fr-CA/translation.json b/src/lib/i18n/locales/fr-CA/translation.json index 9c8c35bb9b..71b5f13e70 100644 --- a/src/lib/i18n/locales/fr-CA/translation.json +++ b/src/lib/i18n/locales/fr-CA/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Aucun modèle sélectionné", "No Notes": "Pas de note", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Aucun résultat trouvé", "No results found": "Aucun résultat trouvé", @@ -1220,7 +1219,6 @@ "Personalization": "Personnalisation", "Pin": "Épingler", "Pinned": "Épinglé", - "Pinned Messages": "", "Pioneer insights": "Explorer de nouvelles perspectives", "Pipe": "Pipeline", "Pipeline deleted successfully": "Le pipeline a été supprimé avec succès", diff --git a/src/lib/i18n/locales/fr-FR/translation.json b/src/lib/i18n/locales/fr-FR/translation.json index 89d08043af..3f1a807de6 100644 --- a/src/lib/i18n/locales/fr-FR/translation.json +++ b/src/lib/i18n/locales/fr-FR/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Aucun modèle sélectionné", "No Notes": "Pas de note", "No notes found": "Aucune note trouvée", - "No pinned messages": "", "No prompts found": "", "No results": "Aucun résultat trouvé", "No results found": "Aucun résultat trouvé", @@ -1220,7 +1219,6 @@ "Personalization": "Personnalisation", "Pin": "Épingler", "Pinned": "Épinglé", - "Pinned Messages": "", "Pioneer insights": "Explorer de nouvelles perspectives", "Pipe": "Pipeline", "Pipeline deleted successfully": "Le pipeline a été supprimé avec succès", diff --git a/src/lib/i18n/locales/gl-ES/translation.json b/src/lib/i18n/locales/gl-ES/translation.json index 389ebcd120..e02dade916 100644 --- a/src/lib/i18n/locales/gl-ES/translation.json +++ b/src/lib/i18n/locales/gl-ES/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "No se seleccionaron modelos", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "No se han encontrado resultados", "No results found": "No se han encontrado resultados", @@ -1220,7 +1219,6 @@ "Personalization": "Personalización", "Pin": "Fijar", "Pinned": "Fijado", - "Pinned Messages": "", "Pioneer insights": "Descubrir novas perspectivas", "Pipe": "", "Pipeline deleted successfully": "Pipeline borrada exitosamente", diff --git a/src/lib/i18n/locales/he-IL/translation.json b/src/lib/i18n/locales/he-IL/translation.json index bac52cf336..4a0a8c8292 100644 --- a/src/lib/i18n/locales/he-IL/translation.json +++ b/src/lib/i18n/locales/he-IL/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "לא נמצאו תוצאות", "No results found": "לא נמצאו תוצאות", @@ -1220,7 +1219,6 @@ "Personalization": "תאור", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/hi-IN/translation.json b/src/lib/i18n/locales/hi-IN/translation.json index 23bcb203a9..6728172bae 100644 --- a/src/lib/i18n/locales/hi-IN/translation.json +++ b/src/lib/i18n/locales/hi-IN/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "कोई परिणाम नहीं मिला", "No results found": "कोई परिणाम नहीं मिला", @@ -1220,7 +1219,6 @@ "Personalization": "पेरसनलाइज़मेंट", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/hr-HR/translation.json b/src/lib/i18n/locales/hr-HR/translation.json index d3e8258e23..59f27f8a0c 100644 --- a/src/lib/i18n/locales/hr-HR/translation.json +++ b/src/lib/i18n/locales/hr-HR/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Nema rezultata", "No results found": "Nema rezultata", @@ -1220,7 +1219,6 @@ "Personalization": "Prilagodba", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/hu-HU/translation.json b/src/lib/i18n/locales/hu-HU/translation.json index 4803bea601..affa5cae4c 100644 --- a/src/lib/i18n/locales/hu-HU/translation.json +++ b/src/lib/i18n/locales/hu-HU/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Nincs kiválasztott modell", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Nincs találat", "No results found": "Nincs találat", @@ -1220,7 +1219,6 @@ "Personalization": "Személyre szabás", "Pin": "Rögzítés", "Pinned": "Rögzítve", - "Pinned Messages": "", "Pioneer insights": "Úttörő betekintések", "Pipe": "", "Pipeline deleted successfully": "Folyamat sikeresen törölve", diff --git a/src/lib/i18n/locales/id-ID/translation.json b/src/lib/i18n/locales/id-ID/translation.json index 9470800202..39cc75d5dc 100644 --- a/src/lib/i18n/locales/id-ID/translation.json +++ b/src/lib/i18n/locales/id-ID/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Tidak ada hasil yang ditemukan", "No results found": "Tidak ada hasil yang ditemukan", @@ -1220,7 +1219,6 @@ "Personalization": "Personalisasi", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Pipeline berhasil dihapus", diff --git a/src/lib/i18n/locales/ie-GA/translation.json b/src/lib/i18n/locales/ie-GA/translation.json index 4b7a4e8baa..8aff98baf6 100644 --- a/src/lib/i18n/locales/ie-GA/translation.json +++ b/src/lib/i18n/locales/ie-GA/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Uimh samhlacha roghnaithe", "No Notes": "Gan Nótaí", "No notes found": "Níor aimsíodh aon nótaí", - "No pinned messages": "", "No prompts found": "Níor aimsíodh aon leideanna", "No results": "Níl aon torthaí le fáil", "No results found": "Níl aon torthaí le fáil", @@ -1220,7 +1219,6 @@ "Personalization": "Pearsantú", "Pin": "Bioráin", "Pinned": "Pinneáilte", - "Pinned Messages": "", "Pioneer insights": "Léargais ceannródaí", "Pipe": "Píopa", "Pipeline deleted successfully": "Scriosta píblíne go rathúil", @@ -1345,8 +1343,6 @@ "Retrieval Query Generation": "Aisghabháil Giniúint Ceist", "Retrieved {{count}} sources": "Aisghafa {{count}} foinsí", "Retrieved {{count}} sources_one": "Aisghafa {{count}} foinsí_aon", - "Retrieved {{count}} sources_few": "", - "Retrieved {{count}} sources_many": "", "Retrieved {{count}} sources_other": "Aisghafa {{count}} foinsí_eile", "Retrieved 1 source": "Aisghafa 1 fhoinse", "Rich Text Input for Chat": "Ionchur Saibhir Téacs don Chomhrá", diff --git a/src/lib/i18n/locales/it-IT/translation.json b/src/lib/i18n/locales/it-IT/translation.json index 44e5e33e85..80eb6f380f 100644 --- a/src/lib/i18n/locales/it-IT/translation.json +++ b/src/lib/i18n/locales/it-IT/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Nessun modello selezionato", "No Notes": "Nessuna nota", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Nessun risultato trovato", "No results found": "Nessun risultato trovato", @@ -1220,7 +1219,6 @@ "Personalization": "Personalizzazione", "Pin": "Appunta", "Pinned": "Appuntato", - "Pinned Messages": "", "Pioneer insights": "Scopri nuove intuizioni", "Pipe": "", "Pipeline deleted successfully": "Pipeline rimossa con successo", diff --git a/src/lib/i18n/locales/ja-JP/translation.json b/src/lib/i18n/locales/ja-JP/translation.json index a5f11ef2e4..faa5f40c0b 100644 --- a/src/lib/i18n/locales/ja-JP/translation.json +++ b/src/lib/i18n/locales/ja-JP/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "モデルが選択されていません", "No Notes": "ノートがありません", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "結果が見つかりません", "No results found": "結果が見つかりません", @@ -1220,7 +1219,6 @@ "Personalization": "パーソナライズ", "Pin": "ピン留め", "Pinned": "ピン留めされています", - "Pinned Messages": "", "Pioneer insights": "洞察を切り開く", "Pipe": "パイプ", "Pipeline deleted successfully": "パイプラインが正常に削除されました", diff --git a/src/lib/i18n/locales/ka-GE/translation.json b/src/lib/i18n/locales/ka-GE/translation.json index 8222b8fa98..11998cfa16 100644 --- a/src/lib/i18n/locales/ka-GE/translation.json +++ b/src/lib/i18n/locales/ka-GE/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "მოდელები არჩეული არაა", "No Notes": "შენიშვნების გარეშე", "No notes found": "სანიშნების გარეშე", - "No pinned messages": "", "No prompts found": "შეყვანები აღმოჩენილი არაა", "No results": "შედეგების გარეშე", "No results found": "შედეგების გარეშე", @@ -1220,7 +1219,6 @@ "Personalization": "პერსონალიზაცია", "Pin": "მიმაგრება", "Pinned": "მიმაგრებულია", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "ფაიფი", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/kab-DZ/translation.json b/src/lib/i18n/locales/kab-DZ/translation.json index be64cec7de..388a5fd309 100644 --- a/src/lib/i18n/locales/kab-DZ/translation.json +++ b/src/lib/i18n/locales/kab-DZ/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Ulac timudmin yettwafernen", "No Notes": "Ulac tizmilin", "No notes found": "Ulac tizmilin yettwafen", - "No pinned messages": "", "No prompts found": "", "No results": "Ulac igmaḍ yettwafen", "No results found": "Ulac igmaḍ yettwafen", @@ -1220,7 +1219,6 @@ "Personalization": "Asagen", "Pin": "Senteḍ", "Pinned": "Yettwasenteḍ", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "Aselda", "Pipeline deleted successfully": "Aselda yettwakkes akken iwata", diff --git a/src/lib/i18n/locales/ko-KR/translation.json b/src/lib/i18n/locales/ko-KR/translation.json index 5eb6357707..39a3eefd92 100644 --- a/src/lib/i18n/locales/ko-KR/translation.json +++ b/src/lib/i18n/locales/ko-KR/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "모델이 선택되지 않았습니다", "No Notes": "노트가 없습니다", "No notes found": "노트를 찾을 수 없습니다", - "No pinned messages": "", "No prompts found": "프롬프트를 찾을 수 없습니다", "No results": "결과가 없습니다", "No results found": "결과를 찾을 수 없습니다", @@ -1220,7 +1219,6 @@ "Personalization": "개인화", "Pin": "고정", "Pinned": "고정됨", - "Pinned Messages": "", "Pioneer insights": "혁신적인 발견", "Pipe": "파이프", "Pipeline deleted successfully": "성공적으로 파이프라인이 삭제되었습니다.", diff --git a/src/lib/i18n/locales/lt-LT/translation.json b/src/lib/i18n/locales/lt-LT/translation.json index 30aa24ac01..1368789cc3 100644 --- a/src/lib/i18n/locales/lt-LT/translation.json +++ b/src/lib/i18n/locales/lt-LT/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Rezultatų nerasta", "No results found": "Rezultatų nerasta", @@ -1220,7 +1219,6 @@ "Personalization": "Personalizacija", "Pin": "Smeigtukas", "Pinned": "Įsmeigta", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Procesas ištrintas sėkmingai", diff --git a/src/lib/i18n/locales/ms-MY/translation.json b/src/lib/i18n/locales/ms-MY/translation.json index 8be1d826bc..a63fc5c0c8 100644 --- a/src/lib/i18n/locales/ms-MY/translation.json +++ b/src/lib/i18n/locales/ms-MY/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Tiada keputusan dijumpai", "No results found": "Tiada keputusan dijumpai", @@ -1220,7 +1219,6 @@ "Personalization": "Personalisasi", "Pin": "Pin", "Pinned": "Disemat", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "'Pipeline' berjaya dipadam", diff --git a/src/lib/i18n/locales/nb-NO/translation.json b/src/lib/i18n/locales/nb-NO/translation.json index a8b6b574fc..b47cb5fcf1 100644 --- a/src/lib/i18n/locales/nb-NO/translation.json +++ b/src/lib/i18n/locales/nb-NO/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Ingen modeller er valgt", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Finner ingen resultater", "No results found": "Finner ingen resultater", @@ -1220,7 +1219,6 @@ "Personalization": "Tilpassing", "Pin": "Fest", "Pinned": "Festet", - "Pinned Messages": "", "Pioneer insights": "Nyskapende innsikt", "Pipe": "", "Pipeline deleted successfully": "Pipeline slettet", diff --git a/src/lib/i18n/locales/nl-NL/translation.json b/src/lib/i18n/locales/nl-NL/translation.json index 410bf7c32e..2999a0f1c8 100644 --- a/src/lib/i18n/locales/nl-NL/translation.json +++ b/src/lib/i18n/locales/nl-NL/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Geen modellen geselecteerd", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Geen resultaten gevonden", "No results found": "Geen resultaten gevonden", @@ -1220,7 +1219,6 @@ "Personalization": "Personalisatie", "Pin": "Zet vast", "Pinned": "Vastgezet", - "Pinned Messages": "", "Pioneer insights": "Verken inzichten", "Pipe": "", "Pipeline deleted successfully": "Pijpleiding succesvol verwijderd", diff --git a/src/lib/i18n/locales/pa-IN/translation.json b/src/lib/i18n/locales/pa-IN/translation.json index 56d8d95a7c..9b0692c670 100644 --- a/src/lib/i18n/locales/pa-IN/translation.json +++ b/src/lib/i18n/locales/pa-IN/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "ਕੋਈ ਨਤੀਜੇ ਨਹੀਂ ਮਿਲੇ", "No results found": "ਕੋਈ ਨਤੀਜੇ ਨਹੀਂ ਮਿਲੇ", @@ -1220,7 +1219,6 @@ "Personalization": "ਪਰਸੋਨਲਿਸ਼ਮ", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/pl-PL/translation.json b/src/lib/i18n/locales/pl-PL/translation.json index c1c2c42744..3b9d2d727a 100644 --- a/src/lib/i18n/locales/pl-PL/translation.json +++ b/src/lib/i18n/locales/pl-PL/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Brak wybranych modeli", "No Notes": "Brak notatek", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Brak wyników", "No results found": "Brak wyników", @@ -1220,7 +1219,6 @@ "Personalization": "Personalizacja", "Pin": "Przypnij", "Pinned": "Przypięty", - "Pinned Messages": "", "Pioneer insights": "Pionierskie spostrzeżenia", "Pipe": "", "Pipeline deleted successfully": "Przepływ usunięty pomyślnie", diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json index bcd51bf274..38364d279f 100644 --- a/src/lib/i18n/locales/pt-BR/translation.json +++ b/src/lib/i18n/locales/pt-BR/translation.json @@ -32,7 +32,6 @@ "Accessible to all users": "Acessível para todos os usuários", "Account": "Conta", "Account Activation Pending": "Ativação da Conta Pendente", - "Accurate information": "Informações precisas", "Action": "Ação", "Action not found": "Ação não encontrada", @@ -124,10 +123,8 @@ "and {{COUNT}} more": "e mais {{COUNT}}", "and create a new shared link.": "e criar um novo link compartilhado.", "Android": "Android", - "API Base URL": "URL Base da API", "API Base URL for Datalab Marker service. Defaults to: https://www.datalab.to/api/v1/marker": "URL base da API para o serviço Datalab Marker. O padrão é: https://www.datalab.to/api/v1/marker", - "API Key": "Chave API", "API Key created.": "Chave API criada.", "API Key Endpoint Restrictions": "Restrições de endpoint de chave de API", @@ -155,7 +152,7 @@ "Ask": "Perguntar", "Ask a question": "Faça uma pergunta", "Assistant": "Assistente", - "Async Embedding Processing": "Processamento de Embedding assíncrono", + "Async Embedding Processing": "", "Attach File From Knowledge": "Anexar arquivo da base de conhecimento", "Attach Knowledge": "Anexar Base de Conhecimento", "Attach Notes": "Anexar Notas", @@ -203,7 +200,6 @@ "Bocha Search API Key": "Chave da API de pesquisa Bocha", "Bold": "Negrito", "Boosting or penalizing specific tokens for constrained responses. Bias values will be clamped between -100 and 100 (inclusive). (Default: none)": "Aumentar ou penalizar tokens específicos para respostas restritas. Os valores de viés serão fixados entre -100 e 100 (inclusive). (Padrão: nenhum)", - "Brave Search API Key": "Chave API do Brave Search", "Bullet List": "Lista com marcadores", "Button ID": "ID do botão", @@ -227,7 +223,7 @@ "Channel deleted successfully": "Canal apagado com sucesso", "Channel Name": "Nome do canal", "Channel name cannot be empty.": "O nome do canal não pode estar vazio.", - "Channel Type": "Tipo de canal", + "Channel Type": "", "Channel updated successfully": "Canal atualizado com sucesso", "Channels": "Canais", "Character": "Caracter", @@ -426,7 +422,6 @@ "Deleted {{name}}": "Excluído {{name}}", "Deleted User": "Usuário Excluído", "Deployment names are required for Azure OpenAI": "Nomes de implantação são necessários para o Azure OpenAI", - "Describe your knowledge base and objectives": "Descreva sua base de conhecimento e objetivos", "Description": "Descrição", "Detect Artifacts Automatically": "Detectar artefatos automaticamente", @@ -435,7 +430,7 @@ "Direct": "Direto", "Direct Connections": "Conexões Diretas", "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "As conexões diretas permitem que os usuários se conectem aos seus próprios terminais de API compatíveis com OpenAI.", - "Direct Message": "Mensagem direta", + "Direct Message": "", "Direct Tool Servers": "Servidores de ferramentas diretas", "Directory selection was cancelled": "A seleção do diretório foi cancelada", "Disable Code Interpreter": "Desativar o interpretador de código", @@ -460,9 +455,6 @@ "Displays citations in the response": "Exibir citações na resposta", "Displays status updates (e.g., web search progress) in the response": "Exibe atualizações de status (por exemplo, progresso da pesquisa na web) na resposta", "Dive into knowledge": "Explorar base de conhecimento", - - - "Do not install functions from sources you do not fully trust.": "Não instale funções de origens nas quais você não confia totalmente.", "Do not install tools from sources you do not fully trust.": "Não instale ferramentas de origens nas quais você não confia totalmente.", "Docling": "", @@ -527,7 +519,6 @@ "Embedding Batch Size": "Tamanho do Lote de Embedding", "Embedding Model": "Modelo de Embedding", "Embedding Model Engine": "Motor do Modelo de Embedding", - "Enable API Keys": "Habilitar chave de API", "Enable autocomplete generation for chat messages": "Habilitar geração de preenchimento automático para mensagens do chat", "Enable Code Execution": "Habilitar execução de código", @@ -564,14 +555,12 @@ "Enter Chunk Overlap": "Digite a Sobreposição de Chunk", "Enter Chunk Size": "Digite o Tamanho do Chunk", "Enter comma-separated \"token:bias_value\" pairs (example: 5432:100, 413:-100)": "Insira pares \"token:bias_value\" separados por vírgulas (exemplo: 5432:100, 413:-100)", - "Enter content for the pending user info overlay. Leave empty for default.": "Insira o conteúdo para a sobreposição de informações pendentes do usuário. Deixe em branco para o padrão.", "Enter coordinates (e.g. 51.505, -0.09)": "Insira as coordenadas (por exemplo, 51,505, -0,09)", "Enter Datalab Marker API Base URL": "Insira o URL base da API do marcador do Datalab", "Enter Datalab Marker API Key": "Insira a chave da API do marcador do Datalab", "Enter description": "Digite a descrição", - "Enter Docling API Key": "Insira a chave da API do Docling", - + "Enter Docling API Key": "", "Enter Docling Server URL": "Digite a URL do servidor Docling", "Enter Document Intelligence Endpoint": "Insira o endpoint do Document Intelligence", "Enter Document Intelligence Key": "Insira a chave de inteligência do documento", @@ -735,7 +724,6 @@ "Failed to save models configuration": "Falha ao salvar a configuração dos modelos", "Failed to update settings": "Falha ao atualizar as configurações", "Failed to upload file.": "Falha ao carregar o arquivo.", - "Features": "Funcionalidades", "Features Permissions": "Permissões das Funcionalidades", "February": "Fevereiro", @@ -799,7 +787,7 @@ "Function is now globally disabled": "A função está agora desativada globalmente", "Function is now globally enabled": "A função está agora ativada globalmente", "Function Name": "Nome da Função", - "Function Name Filter List": "Lista de filtros de nomes de funções", + "Function Name Filter List": "", "Function updated successfully": "Função atualizada com sucesso", "Functions": "Funções", "Functions allow arbitrary code execution.": "Funções permitem a execução arbitrária de código.", @@ -892,7 +880,6 @@ "Import successful": "Importação bem-sucedida", "Import Tools": "Importar Ferramentas", "Important Update": "Atualização importante", - "Include": "Incluir", "Include `--api-auth` flag when running stable-diffusion-webui": "Incluir a flag `--api-auth` ao executar stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Incluir a flag `--api` ao executar stable-diffusion-webui", @@ -1123,7 +1110,6 @@ "No models selected": "Nenhum modelo selecionado", "No Notes": "Sem Notas", "No notes found": "Notas não encontradas", - "No pinned messages": "", "No prompts found": "Nenhum prompt encontrado", "No results": "Nenhum resultado encontrado", "No results found": "Nenhum resultado encontrado", @@ -1202,7 +1188,6 @@ "OpenAPI Spec": "", "openapi.json URL or Path": "", "Optional": "Opcional", - "or": "ou", "Ordered List": "Lista ordenada", "Organize your users": "Organizar seus usuários", @@ -1217,14 +1202,12 @@ "Password": "Senha", "Passwords do not match.": "As senhas não coincidem.", "Paste Large Text as File": "Cole Textos Longos como Arquivo", - "PDF document (.pdf)": "Documento PDF (.pdf)", "PDF Extract Images (OCR)": "Extrair Imagens do PDF (OCR)", "pending": "pendente", "Pending": "Pendente", "Pending User Overlay Content": "Conteúdo de sobreposição de usuário pendente", "Pending User Overlay Title": "Título de sobreposição de usuário pendente", - "Permission denied when accessing media devices": "Permissão negada ao acessar dispositivos de mídia", "Permission denied when accessing microphone": "Permissão negada ao acessar o microfone", "Permission denied when accessing microphone: {{error}}": "Permissão negada ao acessar o microfone: {{error}}", @@ -1234,15 +1217,10 @@ "Perplexity Search API URL": "", "Perplexity Search Context Usage": "Uso do contexto de pesquisa do Perplexity", "Personalization": "Personalização", - - - "Pin": "Fixar", "Pinned": "Fixado", - "Pinned Messages": "", "Pioneer insights": "Insights pioneiros", "Pipe": "", - "Pipeline deleted successfully": "Pipeline excluído com sucesso", "Pipeline downloaded successfully": "Pipeline baixado com sucesso", "Pipelines": "Pipelines", @@ -1270,7 +1248,7 @@ "Please select a model.": "Selecione um modelo.", "Please select a reason": "Por favor, seleccione uma razão", "Please select a valid JSON file": "Selecione um arquivo JSON válido", - "Please select at least one user for Direct Message channel.": "Por favor, selecione pelo menos um usuário para o canal de Mensagens Diretas.", + "Please select at least one user for Direct Message channel.": "", "Please wait until all files are uploaded.": "Aguarde até que todos os arquivos sejam enviados.", "Port": "Porta", "Positive attitude": "Atitude positiva", @@ -1299,7 +1277,6 @@ "Pull \"{{searchValue}}\" from Ollama.com": "Obter \"{{searchValue}}\" de Ollama.com", "Pull a model from Ollama.com": "Obter um modelo de Ollama.com", "Pull Model": "Obter Modelo", - "Query Generation Prompt": "Prompt de Geração de Consulta", "Querying": "Consultando", "Quick Actions": "Ações rápidas", @@ -1378,7 +1355,7 @@ "Run": "Executar", "Running": "Executando", "Running...": "Executando...", - "Runs embedding tasks concurrently to speed up processing. Turn off if rate limits become an issue.": "Executa tarefas de incorporação simultaneamente para acelerar o processamento. Desative se os limites de taxa se tornarem um problema.", + "Runs embedding tasks concurrently to speed up processing. Turn off if rate limits become an issue.": "", "Save": "Salvar", "Save & Create": "Salvar e Criar", "Save & Update": "Salvar e Atualizar", @@ -1522,7 +1499,6 @@ "Speech recognition error: {{error}}": "Erro de reconhecimento de fala: {{error}}", "Speech-to-Text": "Fala-para-Texto", "Speech-to-Text Engine": "Motor de Transcrição de Fala", - "Start a new conversation": "Iniciar uma nova conversa", "Start of the channel": "Início do canal", "Start Tag": "Tag inicial", @@ -1554,7 +1530,6 @@ "System": "Sistema", "System Instructions": "Instruções do sistema", "System Prompt": "Prompt do Sistema", - "Tag": "", "Tags": "", "Tags Generation": "Geração de tags", @@ -1727,7 +1702,7 @@ "User menu": "Menu do usuário", "User Webhooks": "Webhooks do usuário", "Username": "Nome do Usuário", - "users": "usuários", + "users": "", "Users": "Usuários", "Uses DefaultAzureCredential to authenticate": "Usa DefaultAzureCredential para autenticar", "Uses OAuth 2.1 Dynamic Client Registration": "Utiliza o registro dinâmico de cliente OAuth 2.1", @@ -1748,7 +1723,6 @@ "View Result from **{{NAME}}**": "Ver resultado de **{{NAME}}**", "Visibility": "Visibilidade", "Vision": "Visão", - "Voice": "Voz", "Voice Input": "Entrada de voz", "Voice mode": "Modo de voz", diff --git a/src/lib/i18n/locales/pt-PT/translation.json b/src/lib/i18n/locales/pt-PT/translation.json index 32f5893e30..529bee0d7e 100644 --- a/src/lib/i18n/locales/pt-PT/translation.json +++ b/src/lib/i18n/locales/pt-PT/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Não foram encontrados resultados", "No results found": "Não foram encontrados resultados", @@ -1220,7 +1219,6 @@ "Personalization": "Personalização", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/ro-RO/translation.json b/src/lib/i18n/locales/ro-RO/translation.json index 86510eefc6..57d2472196 100644 --- a/src/lib/i18n/locales/ro-RO/translation.json +++ b/src/lib/i18n/locales/ro-RO/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Nu au fost găsite rezultate", "No results found": "Nu au fost găsite rezultate", @@ -1220,7 +1219,6 @@ "Personalization": "Personalizare", "Pin": "Fixează", "Pinned": "Fixat", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Conducta a fost ștearsă cu succes", diff --git a/src/lib/i18n/locales/ru-RU/translation.json b/src/lib/i18n/locales/ru-RU/translation.json index d5f5bcf30e..6371cb6fbb 100644 --- a/src/lib/i18n/locales/ru-RU/translation.json +++ b/src/lib/i18n/locales/ru-RU/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Модели не выбраны", "No Notes": "Нет заметок", "No notes found": "Заметки не найдены", - "No pinned messages": "", "No prompts found": "", "No results": "Результатов не найдено", "No results found": "Результатов не найдено", @@ -1220,7 +1219,6 @@ "Personalization": "Персонализация", "Pin": "Закрепить", "Pinned": "Закреплено", - "Pinned Messages": "", "Pioneer insights": "Новаторские идеи", "Pipe": "Канал", "Pipeline deleted successfully": "Конвейер успешно удален", diff --git a/src/lib/i18n/locales/sk-SK/translation.json b/src/lib/i18n/locales/sk-SK/translation.json index ad1b53645c..67c915499a 100644 --- a/src/lib/i18n/locales/sk-SK/translation.json +++ b/src/lib/i18n/locales/sk-SK/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Neboli nájdené žiadne výsledky", "No results found": "Neboli nájdené žiadne výsledky", @@ -1220,7 +1219,6 @@ "Personalization": "Personalizácia", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Pipeline bola úspešne odstránená", diff --git a/src/lib/i18n/locales/sr-RS/translation.json b/src/lib/i18n/locales/sr-RS/translation.json index da8f2bcc00..d5094bf5e3 100644 --- a/src/lib/i18n/locales/sr-RS/translation.json +++ b/src/lib/i18n/locales/sr-RS/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Нема резултата", "No results found": "Нема резултата", @@ -1220,7 +1219,6 @@ "Personalization": "Прилагођавање", "Pin": "Закачи", "Pinned": "Закачено", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "Цевовод успешно обрисан", diff --git a/src/lib/i18n/locales/sv-SE/translation.json b/src/lib/i18n/locales/sv-SE/translation.json index 22af99843b..39a764cf59 100644 --- a/src/lib/i18n/locales/sv-SE/translation.json +++ b/src/lib/i18n/locales/sv-SE/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Inga modeller valda", "No Notes": "Inga anteckningar", "No notes found": "Inga anteckningar hittades", - "No pinned messages": "", "No prompts found": "Inga promptar hittades", "No results": "Inga resultat hittades", "No results found": "Inga resultat hittades", @@ -1220,7 +1219,6 @@ "Personalization": "Personalisering", "Pin": "Fäst", "Pinned": "Fäst", - "Pinned Messages": "", "Pioneer insights": "Pionjärinsikter", "Pipe": "", "Pipeline deleted successfully": "Rörledningen har tagits bort", diff --git a/src/lib/i18n/locales/th-TH/translation.json b/src/lib/i18n/locales/th-TH/translation.json index b1a78c94a7..008cca31f3 100644 --- a/src/lib/i18n/locales/th-TH/translation.json +++ b/src/lib/i18n/locales/th-TH/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "ไม่ได้เลือกโมเดล", "No Notes": "ไม่มีบันทึก", "No notes found": "ไม่พบบันทึก", - "No pinned messages": "", "No prompts found": "ไม่พบพรอมต์", "No results": "ไม่มีผลลัพธ์", "No results found": "ไม่มีผลลัพธ์", @@ -1220,7 +1219,6 @@ "Personalization": "การปรับแต่ง", "Pin": "ปักหมุด", "Pinned": "ปักหมุดแล้ว", - "Pinned Messages": "", "Pioneer insights": "ข้อมูลเชิงลึกผู้บุกเบิก", "Pipe": "ท่อ", "Pipeline deleted successfully": "ลบ Pipeline สำเร็จแล้ว", diff --git a/src/lib/i18n/locales/tk-TM/translation.json b/src/lib/i18n/locales/tk-TM/translation.json index f22a77ea10..5529cbc87b 100644 --- a/src/lib/i18n/locales/tk-TM/translation.json +++ b/src/lib/i18n/locales/tk-TM/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Netije ýok", "No results found": "", @@ -1220,7 +1219,6 @@ "Personalization": "", "Pin": "", "Pinned": "", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "", diff --git a/src/lib/i18n/locales/tr-TR/translation.json b/src/lib/i18n/locales/tr-TR/translation.json index e3fdc81605..4794ca483e 100644 --- a/src/lib/i18n/locales/tr-TR/translation.json +++ b/src/lib/i18n/locales/tr-TR/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Model seçilmedi", "No Notes": "Not Yok", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Sonuç bulunamadı", "No results found": "Sonuç bulunamadı", @@ -1220,7 +1219,6 @@ "Personalization": "Kişiselleştirme", "Pin": "Sabitle", "Pinned": "Sabitlenmiş", - "Pinned Messages": "", "Pioneer insights": "Öncü içgörüler", "Pipe": "", "Pipeline deleted successfully": "Pipeline başarıyla silindi", diff --git a/src/lib/i18n/locales/ug-CN/translation.json b/src/lib/i18n/locales/ug-CN/translation.json index bfd607217a..87d234dc15 100644 --- a/src/lib/i18n/locales/ug-CN/translation.json +++ b/src/lib/i18n/locales/ug-CN/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "مودېل تاللانمىدى", "No Notes": "خاتىرە يوق", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "نەتىجە تېپىلمىدى", "No results found": "نەتىجە تېپىلمىدى", @@ -1220,7 +1219,6 @@ "Personalization": "شەخسىيلاشتۇرۇش", "Pin": "مۇقىملا", "Pinned": "مۇقىملاندى", - "Pinned Messages": "", "Pioneer insights": "ئالدىنقى پىكىرلەر", "Pipe": "", "Pipeline deleted successfully": "جەريان مۇۋەپپەقىيەتلىك ئۆچۈرۈلدى", diff --git a/src/lib/i18n/locales/uk-UA/translation.json b/src/lib/i18n/locales/uk-UA/translation.json index 2e324c0615..bcabb8cc39 100644 --- a/src/lib/i18n/locales/uk-UA/translation.json +++ b/src/lib/i18n/locales/uk-UA/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Моделі не вибрано", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Не знайдено жодного результату", "No results found": "Не знайдено жодного результату", @@ -1220,7 +1219,6 @@ "Personalization": "Персоналізація", "Pin": "Зачепити", "Pinned": "Зачеплено", - "Pinned Messages": "", "Pioneer insights": "Прокладайте нові шляхи до знань", "Pipe": "", "Pipeline deleted successfully": "Конвеєр успішно видалено", diff --git a/src/lib/i18n/locales/ur-PK/translation.json b/src/lib/i18n/locales/ur-PK/translation.json index b3e1ff50e1..5e932f24b1 100644 --- a/src/lib/i18n/locales/ur-PK/translation.json +++ b/src/lib/i18n/locales/ur-PK/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "کوئی نتائج نہیں ملے", "No results found": "کوئی نتائج نہیں ملے", @@ -1220,7 +1219,6 @@ "Personalization": "شخصی ترتیبات", "Pin": "پن", "Pinned": "پن کیا گیا", - "Pinned Messages": "", "Pioneer insights": "", "Pipe": "", "Pipeline deleted successfully": "پائپ لائن کامیابی سے حذف کر دی گئی", diff --git a/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json b/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json index cbe19e4877..63dbb483f5 100644 --- a/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json +++ b/src/lib/i18n/locales/uz-Cyrl-UZ/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Ҳеч қандай модел танланмаган", "No Notes": "Қайдлар йўқ", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Ҳеч қандай натижа топилмади", "No results found": "Ҳеч қандай натижа топилмади", @@ -1220,7 +1219,6 @@ "Personalization": "Шахсийлаштириш", "Pin": "Пин", "Pinned": "Қадалган", - "Pinned Messages": "", "Pioneer insights": "Пионер тушунчалари", "Pipe": "", "Pipeline deleted successfully": "Қувур ўчирилди", diff --git a/src/lib/i18n/locales/uz-Latn-Uz/translation.json b/src/lib/i18n/locales/uz-Latn-Uz/translation.json index 41ba581854..22c9eaa000 100644 --- a/src/lib/i18n/locales/uz-Latn-Uz/translation.json +++ b/src/lib/i18n/locales/uz-Latn-Uz/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Hech qanday model tanlanmagan", "No Notes": "Qaydlar yo'q", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Hech qanday natija topilmadi", "No results found": "Hech qanday natija topilmadi", @@ -1220,7 +1219,6 @@ "Personalization": "Shaxsiylashtirish", "Pin": "Pin", "Pinned": "Qadalgan", - "Pinned Messages": "", "Pioneer insights": "Pioner tushunchalari", "Pipe": "", "Pipeline deleted successfully": "Quvur oʻchirildi", diff --git a/src/lib/i18n/locales/vi-VN/translation.json b/src/lib/i18n/locales/vi-VN/translation.json index a2187c6f8c..b7949029f3 100644 --- a/src/lib/i18n/locales/vi-VN/translation.json +++ b/src/lib/i18n/locales/vi-VN/translation.json @@ -1110,7 +1110,6 @@ "No models selected": "Chưa chọn mô hình nào", "No Notes": "", "No notes found": "", - "No pinned messages": "", "No prompts found": "", "No results": "Không tìm thấy kết quả", "No results found": "Không tìm thấy kết quả", @@ -1220,7 +1219,6 @@ "Personalization": "Cá nhân hóa", "Pin": "Ghim", "Pinned": "Đã ghim", - "Pinned Messages": "", "Pioneer insights": "Tiên phong về hiểu biết", "Pipe": "", "Pipeline deleted successfully": "Đã xóa pipeline thành công", diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json index 360c81260d..b02fa89c20 100644 --- a/src/lib/i18n/locales/zh-CN/translation.json +++ b/src/lib/i18n/locales/zh-CN/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} 个字", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "已取消模型 {{model}} 的下载", - "{{NAMES}} reacted with {{REACTION}}": "{{NAMES}} 给了 {{REACTION}}", "{{user}}'s Chats": "{{user}} 的对话记录", "{{webUIName}} Backend Required": "{{webUIName}} 需要后端服务", "*Prompt node ID(s) are required for image generation": "*图片生成需要提示词节点 ID", "1 Source": "1 个引用来源", - "A collaboration channel where people join as members": "成员可加入的协作频道", - "A discussion channel where access is controlled by groups and permissions": "由权限组控制的讨论频道", "A new version (v{{LATEST_VERSION}}) is now available.": "新版本(v{{LATEST_VERSION}})现已发布", - "A private conversation between you and selected users": "您与选定用户之间的私人对话", "A task model is used when performing tasks such as generating titles for chats and web search queries": "任务模型用于执行生成对话标题和联网搜索查询等任务", "a user": "用户", "About": "关于", @@ -57,8 +53,7 @@ "Add Custom Prompt": "增加自定义提示词", "Add Details": "丰富细节", "Add Files": "添加文件", - "Add Member": "添加成员", - "Add Members": "添加成员", + "Add Group": "添加权限组", "Add Memory": "添加记忆", "Add Model": "添加模型", "Add Reaction": "添加表情", @@ -172,7 +167,7 @@ "Authentication": "身份验证", "Auto": "自动", "Auto-Copy Response to Clipboard": "自动复制回答内容到剪贴板", - "Auto-playback response": "自动朗读回答内容", + "Auto-playback response": "自动朗读回复内容", "Autocomplete Generation": "输入框内容自动补全", "Autocomplete Generation Input Max Length": "输入框内容自动补全的最大字符数限制", "Automatic1111": "Automatic1111", @@ -228,7 +223,7 @@ "Channel deleted successfully": "删除频道成功", "Channel Name": "频道名称", "Channel name cannot be empty.": "频道名称不能为空。", - "Channel Type": "频道类型", + "Channel Type": "", "Channel updated successfully": "更新频道成功", "Channels": "频道", "Character": "字符", @@ -293,7 +288,6 @@ "Code Interpreter": "代码解释器", "Code Interpreter Engine": "代码解释引擎", "Code Interpreter Prompt Template": "代码解释器提示词模板", - "Collaboration channel where people join as members": "成员可加入的协作频道", "Collapse": "折叠", "Collection": "文件集", "Color": "颜色", @@ -436,7 +430,7 @@ "Direct": "直接", "Direct Connections": "直接连接", "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "直接连接允许用户连接自有的 OpenAI 兼容的接口", - "Direct Message": "私信", + "Direct Message": "", "Direct Tool Servers": "直接连接工具服务器", "Directory selection was cancelled": "已取消选择目录", "Disable Code Interpreter": "禁用代码解释器", @@ -453,7 +447,6 @@ "Discover, download, and explore custom prompts": "发现、下载并探索更多自定义提示词", "Discover, download, and explore custom tools": "发现、下载并探索更多自定义工具", "Discover, download, and explore model presets": "发现、下载并探索更多模型预设", - "Discussion channel where access is based on groups and permissions": "由权限组控制的讨论频道", "Display": "显示", "Display chat title in tab": "在浏览器标签页中显示对话标题", "Display Emoji in Call": "在通话中显示 Emoji", @@ -492,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "例如:\"json\" 或一个 JSON schema", "e.g. 60": "例如:60", "e.g. A filter to remove profanity from text": "例如:一个用于剔除文本中不当内容的过滤器", - "e.g. about the Roman Empire": "例如:关于罗马帝国的趣闻", "e.g. en": "例如:en", "e.g. My Filter": "例如:我的过滤器", "e.g. My Tools": "例如:我的工具", "e.g. my_filter": "例如:我的过滤器", "e.g. my_tools": "例如:我的工具", "e.g. pdf, docx, txt": "例如:pdf,docx,txt", - "e.g. Tell me a fun fact": "例如:告诉我一个趣闻", - "e.g. Tell me a fun fact about the Roman Empire": "例如:告诉我一个关于罗马帝国的趣闻", "e.g. Tools for performing various operations": "例如:用于执行各种操作的工具", "e.g., 3, 4, 5 (leave blank for default)": "例如:3,4,5(留空使用默认值)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "例如:audio/wav,audio/mpeg,video/*(留空使用默认值)", @@ -699,6 +689,7 @@ "Export Config to JSON File": "将配置信息导出为 JSON 文件", "Export Models": "导出模型配置", "Export Presets": "导出预设", + "Export Prompt Suggestions": "导出提示词建议", "Export Prompts": "导出提示词", "Export to CSV": "导出到 CSV", "Export Tools": "导出工具配置", @@ -713,7 +704,6 @@ "External Web Search URL": "外部联网搜索接口地址", "Fade Effect for Streaming Text": "流式输出内容时启用动态渐显效果", "Failed to add file.": "添加文件失败", - "Failed to add members": "添加成员失败", "Failed to connect to {{URL}} OpenAPI tool server": "连接到 {{URL}} OpenAPI 工具服务器失败", "Failed to copy link": "复制链接失败", "Failed to create API Key.": "创建接口密钥失败", @@ -727,7 +717,6 @@ "Failed to load file content.": "文件内容加载失败", "Failed to move chat": "移动对话失败", "Failed to read clipboard contents": "读取剪贴板内容失败", - "Failed to remove member": "移除成员失败", "Failed to render diagram": "图表渲染失败", "Failed to render visualization": "图表渲染失败", "Failed to save connections": "保存连接失败", @@ -827,13 +816,11 @@ "Google PSE Engine Id": "Google PSE 引擎 ID", "Gravatar": "Gravatar 头像", "Group": "权限组", - "Group Channel": "群组频道", "Group created successfully": "权限组创建成功", "Group deleted successfully": "权限组删除成功", "Group Description": "权限组描述", "Group Name": "权限组名称", "Group updated successfully": "权限组更新成功", - "groups": "权限组", "Groups": "权限组", "H1": "一级标题", "H2": "二级标题", @@ -888,6 +875,7 @@ "Import Models": "导入模型配置", "Import Notes": "导入笔记", "Import Presets": "导入预设", + "Import Prompt Suggestions": "导入提示词建议", "Import Prompts": "导入提示词", "Import successful": "导入成功", "Import Tools": "导入工具配置", @@ -1023,19 +1011,16 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 支持仍处于实验阶段,因其规范变化频繁,可能会出现不兼容的情况。而 OpenAPI 规范由 Open WebUI 团队维护,在兼容性方面更加可靠。", "Medium": "中", - "Member removed successfully": "成员移除成功", - "Members": "成员", - "Members added successfully": "成员添加成功", "Memories accessible by LLMs will be shown here.": "大语言模型可访问的记忆将在此显示", "Memory": "记忆", "Memory added successfully": "记忆添加成功", "Memory cleared successfully": "记忆清除成功", "Memory deleted successfully": "记忆删除成功", "Memory updated successfully": "记忆更新成功", - "Merge Responses": "合并回答", - "Merged Response": "合并的回答", + "Merge Responses": "合并回复", + "Merged Response": "合并的回复", "Message": "消息", - "Message rating should be enabled to use this feature": "要使用此功能,需先启用回答评价功能", + "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.": "创建链接后发送的消息将不会被分享。通过该链接访问的用户可以查看对话记录。", "Microsoft OneDrive": "Microsoft OneDrive", "Microsoft OneDrive (personal)": "Microsoft OneDrive(个人账户)", @@ -1125,7 +1110,6 @@ "No models selected": "未选择任何模型", "No Notes": "没有笔记", "No notes found": "没有任何笔记", - "No pinned messages": "没有置顶消息", "No prompts found": "未找到提示词", "No results": "未找到结果", "No results found": "未找到结果", @@ -1167,18 +1151,17 @@ "On": "开启", "OneDrive": "OneDrive", "Only active when \"Paste Large Text as File\" setting is toggled on.": "仅在启用“粘贴超长文本为文件”选项时有效。", - "Only active when the chat input is in focus and an LLM is generating a response.": "仅在聚焦对话框且大语言模型正在生成回答时有效。", + "Only active when the chat input is in focus and an LLM is generating a response.": "仅在聚焦对话框且大语言模型正在生成回复时有效。", "Only active when the chat input is in focus.": "仅在聚焦对话框时有效。", "Only alphanumeric characters and hyphens are allowed": "只允许使用英文字母,数字 (0-9) 以及连字符 (-)", "Only alphanumeric characters and hyphens are allowed in the command string.": "命令字符串中只允许使用英文字母,数字 (0-9) 以及连字符 (-)。", "Only can be triggered when the chat input is in focus.": "仅在聚焦对话框时有效。", "Only collections can be edited, create a new knowledge base to edit/add documents.": "只能编辑文件集,创建一个新的知识库来编辑/添加文件。", - "Only invited users can access": "只有受邀用户才能访问", "Only markdown files are allowed": "仅允许使用 markdown 文件", "Only select users and groups with permission can access": "只有具有权限的用户和组才能访问", "Oops! Looks like the URL is invalid. Please double-check and try again.": "糟糕!此链接似乎为无效链接。请检查后重试。", "Oops! There are files still uploading. Please wait for the upload to complete.": "糟糕!仍有文件正在上传。请等待上传完成。", - "Oops! There was an error in the previous response.": "糟糕!之前的回答中出现了错误。", + "Oops! There was an error in the previous response.": "糟糕!之前的回复中出现了错误。", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "糟糕!您正在使用不受支持的方法(仅运行前端服务)。请通过后端服务提供 WebUI。", "Open file": "打开文件", "Open in full screen": "全屏打开", @@ -1236,7 +1219,6 @@ "Personalization": "个性化", "Pin": "置顶", "Pinned": "已置顶", - "Pinned Messages": "置顶消息", "Pioneer insights": "洞悉未来", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline 删除成功", @@ -1266,7 +1248,7 @@ "Please select a model.": "请选择模型。", "Please select a reason": "请选择原因", "Please select a valid JSON file": "请选择合法的 JSON 文件", - "Please select at least one user for Direct Message channel.": "请至少选择一个用户以创建私聊频道。", + "Please select at least one user for Direct Message channel.": "", "Please wait until all files are uploaded.": "请等待所有文件上传完毕。", "Port": "端口", "Positive attitude": "态度积极", @@ -1279,9 +1261,9 @@ "Previous 7 days": "过去 7 天", "Previous message": "上一条消息", "Private": "私有", - "Private conversation between selected users": "所选用户之间的私密对话", "Profile": "个人资料", "Prompt": "提示词", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "提示词(例如:给我讲一则罗马帝国的趣事)", "Prompt Autocompletion": "自动补全提示词", "Prompt Content": "提示词内容", "Prompt created successfully": "提示词创建成功", @@ -1353,7 +1335,7 @@ "Reset view": "重置视图", "Response": "回答", "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "无法启用生成结果通知。请检查浏览器设置,并授予必要的访问权限。", - "Response splitting": "拆分回答", + "Response splitting": "拆分回复", "Response Watermark": "复制时添加水印", "Result": "结果", "RESULT": "结果", @@ -1533,7 +1515,7 @@ "STT Model": "语音转文本模型", "STT Settings": "语音转文本设置", "Stylized PDF Export": "美化 PDF 导出", - "Subtitle": "副标题", + "Subtitle (e.g. about the Roman Empire)": "副标题(例如:聊聊罗马帝国)", "Success": "成功", "Successfully imported {{userCount}} users.": "成功导入 {{userCount}} 个用户。", "Successfully updated.": "成功更新", @@ -1598,10 +1580,10 @@ "This model is not publicly available. Please select another model.": "此模型未公开。请选择其他模型", "This option controls how long the model will stay loaded into memory following the request (default: 5m)": "此选项用于控制模型在收到请求后,保持常驻内存的时长(默认:5 分钟)", "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.": "此选项控制刷新上下文时保留多少 Token。例如,如果设置为 2,则将保留对话上下文的最后 2 个 Token。保留上下文有助于保持对话的连续性,但可能会降低响应新主题的能力。", - "This option enables or disables the use of the reasoning feature in Ollama, which allows the model to think before generating a response. When enabled, the model can take a moment to process the conversation context and generate a more thoughtful response.": "此选项用于启用或禁用 Ollama 的推理功能,该功能允许模型在生成响应前进行思考。启用后,模型需要花些时间处理对话上下文,从而生成更缜密的回答。", + "This option enables or disables the use of the reasoning feature in Ollama, which allows the model to think before generating a response. When enabled, the model can take a moment to process the conversation context and generate a more thoughtful response.": "此选项用于启用或禁用 Ollama 的推理功能,该功能允许模型在生成响应前进行思考。启用后,模型需要花些时间处理对话上下文,从而生成更缜密的回复。", "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.": "此项用于设置模型在其响应中可以生成的最大 Token 数。增加此限制可让模型输出更多内容,但也可能增加生成无用或不相关内容的可能性。", "This option will delete all existing files in the collection and replace them with newly uploaded files.": "此选项将会删除文件集中所有文件,并用新上传的文件替换。", - "This response was generated by \"{{model}}\"": "此回答由 “{{model}}” 生成", + "This response was generated by \"{{model}}\"": "此回复由 \"{{model}}\" 生成", "This will delete": "这将删除", "This will delete {{NAME}} and all its contents.": "这将删除{{NAME}}及其所有内容。", "This will delete all models including custom models": "这将删除所有模型,包括自定义模型", @@ -1616,6 +1598,7 @@ "Tika Server URL required.": "请输入 Tika 服务器接口地址", "Tiktoken": "Tiktoken", "Title": "标题", + "Title (e.g. Tell me a fun fact)": "标题(例如:给我讲一个有趣的冷知识)", "Title Auto-Generation": "自动生成标题", "Title cannot be an empty string.": "标题不能为空", "Title Generation": "标题生成", @@ -1664,7 +1647,7 @@ "Type": "类型", "Type here...": "请输入内容...", "Type Hugging Face Resolve (Download) URL": "输入 Hugging Face 模型解析(下载)地址", - "Uh-oh! There was an issue with the response.": "啊哦!回答有问题", + "Uh-oh! There was an issue with the response.": "啊哦!回复有问题", "UI": "界面", "UI Scale": "界面缩放比例", "Unarchive All": "取消所有存档", @@ -1717,7 +1700,7 @@ "User menu": "用户菜单", "User Webhooks": "用户 Webhook", "Username": "用户名", - "users": "用户", + "users": "", "Users": "用户", "Uses DefaultAzureCredential to authenticate": "使用 DefaultAzureCredential 进行身份验证", "Uses OAuth 2.1 Dynamic Client Registration": "使用 OAuth 2.1 的动态客户端注册机制", @@ -1737,7 +1720,6 @@ "View Replies": "查看回复", "View Result from **{{NAME}}**": "查看来自 **{{NAME}}** 的结果", "Visibility": "可见性", - "Visible to all users": "对所有用户可见", "Vision": "视觉", "Voice": "语音", "Voice Input": "语音输入", @@ -1765,7 +1747,7 @@ "What are you trying to achieve?": "您想要达到什么目标?", "What are you working on?": "您在忙于什么?", "What's New in": "最近更新内容于", - "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.": "启用后,模型将实时回答每条对话信息,在用户发送信息后立即生成回答。这种模式适用于即时对话应用,但在性能较低的设备上可能会影响响应速度", + "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": "纵使身在远方,亦与世界同频", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "是否对输出内容进行分页。每页之间将用水平分隔线和页码隔开。默认为关闭", "Whisper (Local)": "Whisper (本地)", diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json index 2a1e6174a6..5900acf20a 100644 --- a/src/lib/i18n/locales/zh-TW/translation.json +++ b/src/lib/i18n/locales/zh-TW/translation.json @@ -18,15 +18,11 @@ "{{COUNT}} words": "{{COUNT}} 個詞", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "已取消模型 {{model}} 的下載", - "{{NAMES}} reacted with {{REACTION}}": "{{NAMES}} 給了 {{REACTION}}", "{{user}}'s Chats": "{{user}} 的對話", "{{webUIName}} Backend Required": "需要提供 {{webUIName}} 後端", "*Prompt node ID(s) are required for image generation": "* 圖片生成需要提示詞節點 ID", "1 Source": "1 個來源", - "A collaboration channel where people join as members": "成員可加入的協作頻道", - "A discussion channel where access is controlled by groups and permissions": "由權限組控制的討論頻道", "A new version (v{{LATEST_VERSION}}) is now available.": "新版本 (v{{LATEST_VERSION}}) 已釋出。", - "A private conversation between you and selected users": "您與選定使用者之間的私人對話", "A task model is used when performing tasks such as generating titles for chats and web search queries": "執行「產生對話標題」和「網頁搜尋查詢生成」等任務時使用的任務模型", "a user": "使用者", "About": "關於", @@ -57,8 +53,7 @@ "Add Custom Prompt": "新增自訂提示詞", "Add Details": "豐富細節", "Add Files": "新增檔案", - "Add Member": "新增成員", - "Add Members": "新增成員", + "Add Group": "新增群組", "Add Memory": "新增記憶", "Add Model": "新增模型", "Add Reaction": "新增動作", @@ -228,7 +223,7 @@ "Channel deleted successfully": "成功刪除頻道", "Channel Name": "頻道名稱", "Channel name cannot be empty.": "頻道名稱不能為空。", - "Channel Type": "頻道類型", + "Channel Type": "", "Channel updated successfully": "成功更新頻道", "Channels": "頻道", "Character": "字元", @@ -293,7 +288,6 @@ "Code Interpreter": "程式碼直譯器", "Code Interpreter Engine": "程式碼直譯器引擎", "Code Interpreter Prompt Template": "程式碼直譯器提示詞範本", - "Collaboration channel where people join as members": "成員可加入的協作頻道", "Collapse": "摺疊", "Collection": "集合", "Color": "顏色", @@ -436,7 +430,7 @@ "Direct": "直接", "Direct Connections": "直接連線", "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "直接連線允許使用者連線至自有或其他與 OpenAI API 相容的端點。", - "Direct Message": "直接訊息", + "Direct Message": "", "Direct Tool Servers": "直連工具伺服器", "Directory selection was cancelled": "已取消選擇目錄", "Disable Code Interpreter": "停用程式碼解譯器", @@ -453,7 +447,6 @@ "Discover, download, and explore custom prompts": "發掘、下載及探索自訂提示詞", "Discover, download, and explore custom tools": "發掘、下載及探索自訂工具", "Discover, download, and explore model presets": "發掘、下載及探索模型預設集", - "Discussion channel where access is based on groups and permissions": "基於群組權限的討論頻道", "Display": "顯示", "Display chat title in tab": "在瀏覽器分頁標籤上顯示對話標題", "Display Emoji in Call": "在通話中顯示表情符號", @@ -492,15 +485,12 @@ "e.g. \"json\" or a JSON schema": "範例:\"json\" 或一個 JSON schema", "e.g. 60": "例如:60", "e.g. A filter to remove profanity from text": "例如:用來移除不雅詞彙的過濾器", - "e.g. about the Roman Empire": "例如:關於羅馬帝國的事蹟", "e.g. en": "例如:en", "e.g. My Filter": "例如:我的篩選器", "e.g. My Tools": "例如:我的工具", "e.g. my_filter": "例如:my_filter", "e.g. my_tools": "例如:my_tools", "e.g. pdf, docx, txt": "例如:pdf, docx, txt", - "e.g. Tell me a fun fact": "例如:告訴我一個趣聞", - "e.g. Tell me a fun fact about the Roman Empire": "例如:告訴我一個關於羅馬帝國的趣聞", "e.g. Tools for performing various operations": "例如:用於執行各種操作的工具", "e.g., 3, 4, 5 (leave blank for default)": "例如:3、4、5(留空使用預設值)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "例如:audio/wav,audio/mpeg,video/*(留空使用預設值)", @@ -699,6 +689,7 @@ "Export Config to JSON File": "將設定匯出為 JSON 檔案", "Export Models": "匯出模型", "Export Presets": "匯出預設集", + "Export Prompt Suggestions": "匯出提示建議", "Export Prompts": "匯出提示詞", "Export to CSV": "匯出為 CSV", "Export Tools": "匯出工具", @@ -713,7 +704,6 @@ "External Web Search URL": "外部網路搜尋 URL", "Fade Effect for Streaming Text": "串流文字淡入效果", "Failed to add file.": "新增檔案失敗。", - "Failed to add members": "新增成員失敗", "Failed to connect to {{URL}} OpenAPI tool server": "無法連線至 {{URL}} OpenAPI 工具伺服器", "Failed to copy link": "複製連結失敗", "Failed to create API Key.": "建立 API 金鑰失敗。", @@ -727,7 +717,6 @@ "Failed to load file content.": "載入檔案內容失敗。", "Failed to move chat": "移動對話失敗", "Failed to read clipboard contents": "讀取剪貼簿內容失敗", - "Failed to remove member": "移除成員失敗", "Failed to render diagram": "繪製圖表失敗", "Failed to render visualization": "繪製圖表失敗", "Failed to save connections": "儲存連線失敗", @@ -827,13 +816,11 @@ "Google PSE Engine Id": "Google PSE 引擎 ID", "Gravatar": "Gravatar 大頭貼", "Group": "群組", - "Group Channel": "群組頻道", "Group created successfully": "成功建立群組", "Group deleted successfully": "成功刪除群組", "Group Description": "群組描述", "Group Name": "群組名稱", "Group updated successfully": "成功更新群組", - "groups": "群組", "Groups": "群組", "H1": "一級標題", "H2": "二級標題", @@ -888,6 +875,7 @@ "Import Models": "匯入模型", "Import Notes": "匯入筆記", "Import Presets": "匯入預設集", + "Import Prompt Suggestions": "匯入提示建議", "Import Prompts": "匯入提示詞", "Import successful": "匯入成功", "Import Tools": "匯入工具", @@ -1023,9 +1011,6 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 支援為實驗性功能,其規範經常變更,可能導致不相容問題。OpenAPI 規範支援直接由 Open WebUI 團隊維護,是相容性更可靠的選擇。", "Medium": "中", - "Member removed successfully": "成功移除成員", - "Members": "成員", - "Members added successfully": "成功新增成員", "Memories accessible by LLMs will be shown here.": "可被大型語言模型存取的記憶將顯示在此。", "Memory": "記憶", "Memory added successfully": "成功新增記憶", @@ -1125,7 +1110,6 @@ "No models selected": "未選取模型", "No Notes": "尚無筆記", "No notes found": "沒有任何筆記", - "No pinned messages": "沒有置頂訊息", "No prompts found": "未找到提示詞", "No results": "沒有結果", "No results found": "未找到任何結果", @@ -1173,7 +1157,6 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "命令字串中只允許使用英文字母、數字和連字號。", "Only can be triggered when the chat input is in focus.": "僅在聚焦對話框時有效。", "Only collections can be edited, create a new knowledge base to edit/add documents.": "只能編輯集合,請建立新的知識以編輯或新增檔案。", - "Only invited users can access": "只有受邀使用者可以存取", "Only markdown files are allowed": "僅允許 Markdown 檔案", "Only select users and groups with permission can access": "只有具有權限的選定使用者和群組可以存取", "Oops! Looks like the URL is invalid. Please double-check and try again.": "哎呀!這個 URL 似乎無效。請仔細檢查並再試一次。", @@ -1236,7 +1219,6 @@ "Personalization": "個人化", "Pin": "釘選", "Pinned": "已釘選", - "Pinned Messages": "置頂訊息", "Pioneer insights": "先驅見解", "Pipe": "Pipe", "Pipeline deleted successfully": "成功刪除管線", @@ -1266,7 +1248,7 @@ "Please select a model.": "請選擇一個模型。", "Please select a reason": "請選擇原因", "Please select a valid JSON file": "請選擇合法的 JSON 檔案", - "Please select at least one user for Direct Message channel.": "請至少選擇一位使用者以建立直接訊息頻道。", + "Please select at least one user for Direct Message channel.": "", "Please wait until all files are uploaded.": "請等待所有檔案上傳完畢。", "Port": "連接埠", "Positive attitude": "積極的態度", @@ -1279,9 +1261,9 @@ "Previous 7 days": "過去 7 天", "Previous message": "過去訊息", "Private": "私有", - "Private conversation between selected users": "選定使用者之間的私人對話", "Profile": "個人檔案", "Prompt": "提示詞", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "提示詞(例如:告訴我關於羅馬帝國的一些趣事)", "Prompt Autocompletion": "提示詞自動完成", "Prompt Content": "提示詞內容", "Prompt created successfully": "成功建立提示詞", @@ -1533,7 +1515,7 @@ "STT Model": "語音轉文字 (STT) 模型", "STT Settings": "語音轉文字 (STT) 設定", "Stylized PDF Export": "風格化 PDF 匯出", - "Subtitle": "副標題", + "Subtitle (e.g. about the Roman Empire)": "副標題(例如:關於羅馬帝國)", "Success": "成功", "Successfully imported {{userCount}} users.": "成功匯入 {{userCount}} 個使用者", "Successfully updated.": "更新成功。", @@ -1616,6 +1598,7 @@ "Tika Server URL required.": "需要提供 Tika 伺服器 URL。", "Tiktoken": "Tiktoken", "Title": "標題", + "Title (e.g. Tell me a fun fact)": "標題(例如:告訴我一個有趣的事實)", "Title Auto-Generation": "自動產生標題", "Title cannot be an empty string.": "標題不能是空字串。", "Title Generation": "產生標題", @@ -1717,7 +1700,7 @@ "User menu": "使用者選單", "User Webhooks": "使用者 Webhooks", "Username": "使用者名稱", - "users": "使用者", + "users": "", "Users": "使用者", "Uses DefaultAzureCredential to authenticate": "使用 DefaultAzureCredential 進行身份驗證", "Uses OAuth 2.1 Dynamic Client Registration": "使用 OAuth 2.1 動態用戶端登錄", @@ -1737,7 +1720,6 @@ "View Replies": "檢視回覆", "View Result from **{{NAME}}**": "檢視來自 **{{NAME}}** 的結果", "Visibility": "可見度", - "Visible to all users": "對所有使用者可見", "Vision": "視覺", "Voice": "語音", "Voice Input": "語音輸入", From 93feadd93b1ffb7eda298bccb3a6adc6a34b55f7 Mon Sep 17 00:00:00 2001 From: Oleg Yermolenko Date: Mon, 1 Dec 2025 20:54:18 +0200 Subject: [PATCH 13/13] discard translation changes --- src/lib/i18n/locales/pt-BR/translation.json | 40 +++++++++++--- src/lib/i18n/locales/zh-CN/translation.json | 60 +++++++++++++-------- src/lib/i18n/locales/zh-TW/translation.json | 38 +++++++++---- 3 files changed, 99 insertions(+), 39 deletions(-) diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json index 38364d279f..0396ad3b07 100644 --- a/src/lib/i18n/locales/pt-BR/translation.json +++ b/src/lib/i18n/locales/pt-BR/translation.json @@ -32,6 +32,7 @@ "Accessible to all users": "Acessível para todos os usuários", "Account": "Conta", "Account Activation Pending": "Ativação da Conta Pendente", + "Accurate information": "Informações precisas", "Action": "Ação", "Action not found": "Ação não encontrada", @@ -123,8 +124,10 @@ "and {{COUNT}} more": "e mais {{COUNT}}", "and create a new shared link.": "e criar um novo link compartilhado.", "Android": "Android", + "API Base URL": "URL Base da API", "API Base URL for Datalab Marker service. Defaults to: https://www.datalab.to/api/v1/marker": "URL base da API para o serviço Datalab Marker. O padrão é: https://www.datalab.to/api/v1/marker", + "API Key": "Chave API", "API Key created.": "Chave API criada.", "API Key Endpoint Restrictions": "Restrições de endpoint de chave de API", @@ -152,7 +155,7 @@ "Ask": "Perguntar", "Ask a question": "Faça uma pergunta", "Assistant": "Assistente", - "Async Embedding Processing": "", + "Async Embedding Processing": "Processamento de Embedding assíncrono", "Attach File From Knowledge": "Anexar arquivo da base de conhecimento", "Attach Knowledge": "Anexar Base de Conhecimento", "Attach Notes": "Anexar Notas", @@ -200,6 +203,7 @@ "Bocha Search API Key": "Chave da API de pesquisa Bocha", "Bold": "Negrito", "Boosting or penalizing specific tokens for constrained responses. Bias values will be clamped between -100 and 100 (inclusive). (Default: none)": "Aumentar ou penalizar tokens específicos para respostas restritas. Os valores de viés serão fixados entre -100 e 100 (inclusive). (Padrão: nenhum)", + "Brave Search API Key": "Chave API do Brave Search", "Bullet List": "Lista com marcadores", "Button ID": "ID do botão", @@ -223,7 +227,7 @@ "Channel deleted successfully": "Canal apagado com sucesso", "Channel Name": "Nome do canal", "Channel name cannot be empty.": "O nome do canal não pode estar vazio.", - "Channel Type": "", + "Channel Type": "Tipo de canal", "Channel updated successfully": "Canal atualizado com sucesso", "Channels": "Canais", "Character": "Caracter", @@ -422,6 +426,7 @@ "Deleted {{name}}": "Excluído {{name}}", "Deleted User": "Usuário Excluído", "Deployment names are required for Azure OpenAI": "Nomes de implantação são necessários para o Azure OpenAI", + "Describe your knowledge base and objectives": "Descreva sua base de conhecimento e objetivos", "Description": "Descrição", "Detect Artifacts Automatically": "Detectar artefatos automaticamente", @@ -430,7 +435,7 @@ "Direct": "Direto", "Direct Connections": "Conexões Diretas", "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "As conexões diretas permitem que os usuários se conectem aos seus próprios terminais de API compatíveis com OpenAI.", - "Direct Message": "", + "Direct Message": "Mensagem direta", "Direct Tool Servers": "Servidores de ferramentas diretas", "Directory selection was cancelled": "A seleção do diretório foi cancelada", "Disable Code Interpreter": "Desativar o interpretador de código", @@ -455,6 +460,9 @@ "Displays citations in the response": "Exibir citações na resposta", "Displays status updates (e.g., web search progress) in the response": "Exibe atualizações de status (por exemplo, progresso da pesquisa na web) na resposta", "Dive into knowledge": "Explorar base de conhecimento", + + + "Do not install functions from sources you do not fully trust.": "Não instale funções de origens nas quais você não confia totalmente.", "Do not install tools from sources you do not fully trust.": "Não instale ferramentas de origens nas quais você não confia totalmente.", "Docling": "", @@ -519,6 +527,7 @@ "Embedding Batch Size": "Tamanho do Lote de Embedding", "Embedding Model": "Modelo de Embedding", "Embedding Model Engine": "Motor do Modelo de Embedding", + "Enable API Keys": "Habilitar chave de API", "Enable autocomplete generation for chat messages": "Habilitar geração de preenchimento automático para mensagens do chat", "Enable Code Execution": "Habilitar execução de código", @@ -555,12 +564,14 @@ "Enter Chunk Overlap": "Digite a Sobreposição de Chunk", "Enter Chunk Size": "Digite o Tamanho do Chunk", "Enter comma-separated \"token:bias_value\" pairs (example: 5432:100, 413:-100)": "Insira pares \"token:bias_value\" separados por vírgulas (exemplo: 5432:100, 413:-100)", + "Enter content for the pending user info overlay. Leave empty for default.": "Insira o conteúdo para a sobreposição de informações pendentes do usuário. Deixe em branco para o padrão.", "Enter coordinates (e.g. 51.505, -0.09)": "Insira as coordenadas (por exemplo, 51,505, -0,09)", "Enter Datalab Marker API Base URL": "Insira o URL base da API do marcador do Datalab", "Enter Datalab Marker API Key": "Insira a chave da API do marcador do Datalab", "Enter description": "Digite a descrição", - "Enter Docling API Key": "", + "Enter Docling API Key": "Insira a chave da API do Docling", + "Enter Docling Server URL": "Digite a URL do servidor Docling", "Enter Document Intelligence Endpoint": "Insira o endpoint do Document Intelligence", "Enter Document Intelligence Key": "Insira a chave de inteligência do documento", @@ -724,6 +735,7 @@ "Failed to save models configuration": "Falha ao salvar a configuração dos modelos", "Failed to update settings": "Falha ao atualizar as configurações", "Failed to upload file.": "Falha ao carregar o arquivo.", + "Features": "Funcionalidades", "Features Permissions": "Permissões das Funcionalidades", "February": "Fevereiro", @@ -787,7 +799,7 @@ "Function is now globally disabled": "A função está agora desativada globalmente", "Function is now globally enabled": "A função está agora ativada globalmente", "Function Name": "Nome da Função", - "Function Name Filter List": "", + "Function Name Filter List": "Lista de filtros de nomes de funções", "Function updated successfully": "Função atualizada com sucesso", "Functions": "Funções", "Functions allow arbitrary code execution.": "Funções permitem a execução arbitrária de código.", @@ -880,6 +892,7 @@ "Import successful": "Importação bem-sucedida", "Import Tools": "Importar Ferramentas", "Important Update": "Atualização importante", + "Include": "Incluir", "Include `--api-auth` flag when running stable-diffusion-webui": "Incluir a flag `--api-auth` ao executar stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Incluir a flag `--api` ao executar stable-diffusion-webui", @@ -1188,6 +1201,7 @@ "OpenAPI Spec": "", "openapi.json URL or Path": "", "Optional": "Opcional", + "or": "ou", "Ordered List": "Lista ordenada", "Organize your users": "Organizar seus usuários", @@ -1202,12 +1216,14 @@ "Password": "Senha", "Passwords do not match.": "As senhas não coincidem.", "Paste Large Text as File": "Cole Textos Longos como Arquivo", + "PDF document (.pdf)": "Documento PDF (.pdf)", "PDF Extract Images (OCR)": "Extrair Imagens do PDF (OCR)", "pending": "pendente", "Pending": "Pendente", "Pending User Overlay Content": "Conteúdo de sobreposição de usuário pendente", "Pending User Overlay Title": "Título de sobreposição de usuário pendente", + "Permission denied when accessing media devices": "Permissão negada ao acessar dispositivos de mídia", "Permission denied when accessing microphone": "Permissão negada ao acessar o microfone", "Permission denied when accessing microphone: {{error}}": "Permissão negada ao acessar o microfone: {{error}}", @@ -1217,10 +1233,14 @@ "Perplexity Search API URL": "", "Perplexity Search Context Usage": "Uso do contexto de pesquisa do Perplexity", "Personalization": "Personalização", + + + "Pin": "Fixar", "Pinned": "Fixado", "Pioneer insights": "Insights pioneiros", "Pipe": "", + "Pipeline deleted successfully": "Pipeline excluído com sucesso", "Pipeline downloaded successfully": "Pipeline baixado com sucesso", "Pipelines": "Pipelines", @@ -1248,7 +1268,7 @@ "Please select a model.": "Selecione um modelo.", "Please select a reason": "Por favor, seleccione uma razão", "Please select a valid JSON file": "Selecione um arquivo JSON válido", - "Please select at least one user for Direct Message channel.": "", + "Please select at least one user for Direct Message channel.": "Por favor, selecione pelo menos um usuário para o canal de Mensagens Diretas.", "Please wait until all files are uploaded.": "Aguarde até que todos os arquivos sejam enviados.", "Port": "Porta", "Positive attitude": "Atitude positiva", @@ -1277,6 +1297,7 @@ "Pull \"{{searchValue}}\" from Ollama.com": "Obter \"{{searchValue}}\" de Ollama.com", "Pull a model from Ollama.com": "Obter um modelo de Ollama.com", "Pull Model": "Obter Modelo", + "Query Generation Prompt": "Prompt de Geração de Consulta", "Querying": "Consultando", "Quick Actions": "Ações rápidas", @@ -1355,7 +1376,7 @@ "Run": "Executar", "Running": "Executando", "Running...": "Executando...", - "Runs embedding tasks concurrently to speed up processing. Turn off if rate limits become an issue.": "", + "Runs embedding tasks concurrently to speed up processing. Turn off if rate limits become an issue.": "Executa tarefas de incorporação simultaneamente para acelerar o processamento. Desative se os limites de taxa se tornarem um problema.", "Save": "Salvar", "Save & Create": "Salvar e Criar", "Save & Update": "Salvar e Atualizar", @@ -1499,6 +1520,7 @@ "Speech recognition error: {{error}}": "Erro de reconhecimento de fala: {{error}}", "Speech-to-Text": "Fala-para-Texto", "Speech-to-Text Engine": "Motor de Transcrição de Fala", + "Start a new conversation": "Iniciar uma nova conversa", "Start of the channel": "Início do canal", "Start Tag": "Tag inicial", @@ -1530,6 +1552,7 @@ "System": "Sistema", "System Instructions": "Instruções do sistema", "System Prompt": "Prompt do Sistema", + "Tag": "", "Tags": "", "Tags Generation": "Geração de tags", @@ -1702,7 +1725,7 @@ "User menu": "Menu do usuário", "User Webhooks": "Webhooks do usuário", "Username": "Nome do Usuário", - "users": "", + "users": "usuários", "Users": "Usuários", "Uses DefaultAzureCredential to authenticate": "Usa DefaultAzureCredential para autenticar", "Uses OAuth 2.1 Dynamic Client Registration": "Utiliza o registro dinâmico de cliente OAuth 2.1", @@ -1723,6 +1746,7 @@ "View Result from **{{NAME}}**": "Ver resultado de **{{NAME}}**", "Visibility": "Visibilidade", "Vision": "Visão", + "Voice": "Voz", "Voice Input": "Entrada de voz", "Voice mode": "Modo de voz", diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json index b02fa89c20..360c81260d 100644 --- a/src/lib/i18n/locales/zh-CN/translation.json +++ b/src/lib/i18n/locales/zh-CN/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} 个字", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "已取消模型 {{model}} 的下载", + "{{NAMES}} reacted with {{REACTION}}": "{{NAMES}} 给了 {{REACTION}}", "{{user}}'s Chats": "{{user}} 的对话记录", "{{webUIName}} Backend Required": "{{webUIName}} 需要后端服务", "*Prompt node ID(s) are required for image generation": "*图片生成需要提示词节点 ID", "1 Source": "1 个引用来源", + "A collaboration channel where people join as members": "成员可加入的协作频道", + "A discussion channel where access is controlled by groups and permissions": "由权限组控制的讨论频道", "A new version (v{{LATEST_VERSION}}) is now available.": "新版本(v{{LATEST_VERSION}})现已发布", + "A private conversation between you and selected users": "您与选定用户之间的私人对话", "A task model is used when performing tasks such as generating titles for chats and web search queries": "任务模型用于执行生成对话标题和联网搜索查询等任务", "a user": "用户", "About": "关于", @@ -53,7 +57,8 @@ "Add Custom Prompt": "增加自定义提示词", "Add Details": "丰富细节", "Add Files": "添加文件", - "Add Group": "添加权限组", + "Add Member": "添加成员", + "Add Members": "添加成员", "Add Memory": "添加记忆", "Add Model": "添加模型", "Add Reaction": "添加表情", @@ -167,7 +172,7 @@ "Authentication": "身份验证", "Auto": "自动", "Auto-Copy Response to Clipboard": "自动复制回答内容到剪贴板", - "Auto-playback response": "自动朗读回复内容", + "Auto-playback response": "自动朗读回答内容", "Autocomplete Generation": "输入框内容自动补全", "Autocomplete Generation Input Max Length": "输入框内容自动补全的最大字符数限制", "Automatic1111": "Automatic1111", @@ -223,7 +228,7 @@ "Channel deleted successfully": "删除频道成功", "Channel Name": "频道名称", "Channel name cannot be empty.": "频道名称不能为空。", - "Channel Type": "", + "Channel Type": "频道类型", "Channel updated successfully": "更新频道成功", "Channels": "频道", "Character": "字符", @@ -288,6 +293,7 @@ "Code Interpreter": "代码解释器", "Code Interpreter Engine": "代码解释引擎", "Code Interpreter Prompt Template": "代码解释器提示词模板", + "Collaboration channel where people join as members": "成员可加入的协作频道", "Collapse": "折叠", "Collection": "文件集", "Color": "颜色", @@ -430,7 +436,7 @@ "Direct": "直接", "Direct Connections": "直接连接", "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "直接连接允许用户连接自有的 OpenAI 兼容的接口", - "Direct Message": "", + "Direct Message": "私信", "Direct Tool Servers": "直接连接工具服务器", "Directory selection was cancelled": "已取消选择目录", "Disable Code Interpreter": "禁用代码解释器", @@ -447,6 +453,7 @@ "Discover, download, and explore custom prompts": "发现、下载并探索更多自定义提示词", "Discover, download, and explore custom tools": "发现、下载并探索更多自定义工具", "Discover, download, and explore model presets": "发现、下载并探索更多模型预设", + "Discussion channel where access is based on groups and permissions": "由权限组控制的讨论频道", "Display": "显示", "Display chat title in tab": "在浏览器标签页中显示对话标题", "Display Emoji in Call": "在通话中显示 Emoji", @@ -485,12 +492,15 @@ "e.g. \"json\" or a JSON schema": "例如:\"json\" 或一个 JSON schema", "e.g. 60": "例如:60", "e.g. A filter to remove profanity from text": "例如:一个用于剔除文本中不当内容的过滤器", + "e.g. about the Roman Empire": "例如:关于罗马帝国的趣闻", "e.g. en": "例如:en", "e.g. My Filter": "例如:我的过滤器", "e.g. My Tools": "例如:我的工具", "e.g. my_filter": "例如:我的过滤器", "e.g. my_tools": "例如:我的工具", "e.g. pdf, docx, txt": "例如:pdf,docx,txt", + "e.g. Tell me a fun fact": "例如:告诉我一个趣闻", + "e.g. Tell me a fun fact about the Roman Empire": "例如:告诉我一个关于罗马帝国的趣闻", "e.g. Tools for performing various operations": "例如:用于执行各种操作的工具", "e.g., 3, 4, 5 (leave blank for default)": "例如:3,4,5(留空使用默认值)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "例如:audio/wav,audio/mpeg,video/*(留空使用默认值)", @@ -689,7 +699,6 @@ "Export Config to JSON File": "将配置信息导出为 JSON 文件", "Export Models": "导出模型配置", "Export Presets": "导出预设", - "Export Prompt Suggestions": "导出提示词建议", "Export Prompts": "导出提示词", "Export to CSV": "导出到 CSV", "Export Tools": "导出工具配置", @@ -704,6 +713,7 @@ "External Web Search URL": "外部联网搜索接口地址", "Fade Effect for Streaming Text": "流式输出内容时启用动态渐显效果", "Failed to add file.": "添加文件失败", + "Failed to add members": "添加成员失败", "Failed to connect to {{URL}} OpenAPI tool server": "连接到 {{URL}} OpenAPI 工具服务器失败", "Failed to copy link": "复制链接失败", "Failed to create API Key.": "创建接口密钥失败", @@ -717,6 +727,7 @@ "Failed to load file content.": "文件内容加载失败", "Failed to move chat": "移动对话失败", "Failed to read clipboard contents": "读取剪贴板内容失败", + "Failed to remove member": "移除成员失败", "Failed to render diagram": "图表渲染失败", "Failed to render visualization": "图表渲染失败", "Failed to save connections": "保存连接失败", @@ -816,11 +827,13 @@ "Google PSE Engine Id": "Google PSE 引擎 ID", "Gravatar": "Gravatar 头像", "Group": "权限组", + "Group Channel": "群组频道", "Group created successfully": "权限组创建成功", "Group deleted successfully": "权限组删除成功", "Group Description": "权限组描述", "Group Name": "权限组名称", "Group updated successfully": "权限组更新成功", + "groups": "权限组", "Groups": "权限组", "H1": "一级标题", "H2": "二级标题", @@ -875,7 +888,6 @@ "Import Models": "导入模型配置", "Import Notes": "导入笔记", "Import Presets": "导入预设", - "Import Prompt Suggestions": "导入提示词建议", "Import Prompts": "导入提示词", "Import successful": "导入成功", "Import Tools": "导入工具配置", @@ -1011,16 +1023,19 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 支持仍处于实验阶段,因其规范变化频繁,可能会出现不兼容的情况。而 OpenAPI 规范由 Open WebUI 团队维护,在兼容性方面更加可靠。", "Medium": "中", + "Member removed successfully": "成员移除成功", + "Members": "成员", + "Members added successfully": "成员添加成功", "Memories accessible by LLMs will be shown here.": "大语言模型可访问的记忆将在此显示", "Memory": "记忆", "Memory added successfully": "记忆添加成功", "Memory cleared successfully": "记忆清除成功", "Memory deleted successfully": "记忆删除成功", "Memory updated successfully": "记忆更新成功", - "Merge Responses": "合并回复", - "Merged Response": "合并的回复", + "Merge Responses": "合并回答", + "Merged Response": "合并的回答", "Message": "消息", - "Message rating should be enabled to use this feature": "要使用此功能,需先启用回复评价功能", + "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.": "创建链接后发送的消息将不会被分享。通过该链接访问的用户可以查看对话记录。", "Microsoft OneDrive": "Microsoft OneDrive", "Microsoft OneDrive (personal)": "Microsoft OneDrive(个人账户)", @@ -1110,6 +1125,7 @@ "No models selected": "未选择任何模型", "No Notes": "没有笔记", "No notes found": "没有任何笔记", + "No pinned messages": "没有置顶消息", "No prompts found": "未找到提示词", "No results": "未找到结果", "No results found": "未找到结果", @@ -1151,17 +1167,18 @@ "On": "开启", "OneDrive": "OneDrive", "Only active when \"Paste Large Text as File\" setting is toggled on.": "仅在启用“粘贴超长文本为文件”选项时有效。", - "Only active when the chat input is in focus and an LLM is generating a response.": "仅在聚焦对话框且大语言模型正在生成回复时有效。", + "Only active when the chat input is in focus and an LLM is generating a response.": "仅在聚焦对话框且大语言模型正在生成回答时有效。", "Only active when the chat input is in focus.": "仅在聚焦对话框时有效。", "Only alphanumeric characters and hyphens are allowed": "只允许使用英文字母,数字 (0-9) 以及连字符 (-)", "Only alphanumeric characters and hyphens are allowed in the command string.": "命令字符串中只允许使用英文字母,数字 (0-9) 以及连字符 (-)。", "Only can be triggered when the chat input is in focus.": "仅在聚焦对话框时有效。", "Only collections can be edited, create a new knowledge base to edit/add documents.": "只能编辑文件集,创建一个新的知识库来编辑/添加文件。", + "Only invited users can access": "只有受邀用户才能访问", "Only markdown files are allowed": "仅允许使用 markdown 文件", "Only select users and groups with permission can access": "只有具有权限的用户和组才能访问", "Oops! Looks like the URL is invalid. Please double-check and try again.": "糟糕!此链接似乎为无效链接。请检查后重试。", "Oops! There are files still uploading. Please wait for the upload to complete.": "糟糕!仍有文件正在上传。请等待上传完成。", - "Oops! There was an error in the previous response.": "糟糕!之前的回复中出现了错误。", + "Oops! There was an error in the previous response.": "糟糕!之前的回答中出现了错误。", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "糟糕!您正在使用不受支持的方法(仅运行前端服务)。请通过后端服务提供 WebUI。", "Open file": "打开文件", "Open in full screen": "全屏打开", @@ -1219,6 +1236,7 @@ "Personalization": "个性化", "Pin": "置顶", "Pinned": "已置顶", + "Pinned Messages": "置顶消息", "Pioneer insights": "洞悉未来", "Pipe": "Pipe", "Pipeline deleted successfully": "Pipeline 删除成功", @@ -1248,7 +1266,7 @@ "Please select a model.": "请选择模型。", "Please select a reason": "请选择原因", "Please select a valid JSON file": "请选择合法的 JSON 文件", - "Please select at least one user for Direct Message channel.": "", + "Please select at least one user for Direct Message channel.": "请至少选择一个用户以创建私聊频道。", "Please wait until all files are uploaded.": "请等待所有文件上传完毕。", "Port": "端口", "Positive attitude": "态度积极", @@ -1261,9 +1279,9 @@ "Previous 7 days": "过去 7 天", "Previous message": "上一条消息", "Private": "私有", + "Private conversation between selected users": "所选用户之间的私密对话", "Profile": "个人资料", "Prompt": "提示词", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "提示词(例如:给我讲一则罗马帝国的趣事)", "Prompt Autocompletion": "自动补全提示词", "Prompt Content": "提示词内容", "Prompt created successfully": "提示词创建成功", @@ -1335,7 +1353,7 @@ "Reset view": "重置视图", "Response": "回答", "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "无法启用生成结果通知。请检查浏览器设置,并授予必要的访问权限。", - "Response splitting": "拆分回复", + "Response splitting": "拆分回答", "Response Watermark": "复制时添加水印", "Result": "结果", "RESULT": "结果", @@ -1515,7 +1533,7 @@ "STT Model": "语音转文本模型", "STT Settings": "语音转文本设置", "Stylized PDF Export": "美化 PDF 导出", - "Subtitle (e.g. about the Roman Empire)": "副标题(例如:聊聊罗马帝国)", + "Subtitle": "副标题", "Success": "成功", "Successfully imported {{userCount}} users.": "成功导入 {{userCount}} 个用户。", "Successfully updated.": "成功更新", @@ -1580,10 +1598,10 @@ "This model is not publicly available. Please select another model.": "此模型未公开。请选择其他模型", "This option controls how long the model will stay loaded into memory following the request (default: 5m)": "此选项用于控制模型在收到请求后,保持常驻内存的时长(默认:5 分钟)", "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.": "此选项控制刷新上下文时保留多少 Token。例如,如果设置为 2,则将保留对话上下文的最后 2 个 Token。保留上下文有助于保持对话的连续性,但可能会降低响应新主题的能力。", - "This option enables or disables the use of the reasoning feature in Ollama, which allows the model to think before generating a response. When enabled, the model can take a moment to process the conversation context and generate a more thoughtful response.": "此选项用于启用或禁用 Ollama 的推理功能,该功能允许模型在生成响应前进行思考。启用后,模型需要花些时间处理对话上下文,从而生成更缜密的回复。", + "This option enables or disables the use of the reasoning feature in Ollama, which allows the model to think before generating a response. When enabled, the model can take a moment to process the conversation context and generate a more thoughtful response.": "此选项用于启用或禁用 Ollama 的推理功能,该功能允许模型在生成响应前进行思考。启用后,模型需要花些时间处理对话上下文,从而生成更缜密的回答。", "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.": "此项用于设置模型在其响应中可以生成的最大 Token 数。增加此限制可让模型输出更多内容,但也可能增加生成无用或不相关内容的可能性。", "This option will delete all existing files in the collection and replace them with newly uploaded files.": "此选项将会删除文件集中所有文件,并用新上传的文件替换。", - "This response was generated by \"{{model}}\"": "此回复由 \"{{model}}\" 生成", + "This response was generated by \"{{model}}\"": "此回答由 “{{model}}” 生成", "This will delete": "这将删除", "This will delete {{NAME}} and all its contents.": "这将删除{{NAME}}及其所有内容。", "This will delete all models including custom models": "这将删除所有模型,包括自定义模型", @@ -1598,7 +1616,6 @@ "Tika Server URL required.": "请输入 Tika 服务器接口地址", "Tiktoken": "Tiktoken", "Title": "标题", - "Title (e.g. Tell me a fun fact)": "标题(例如:给我讲一个有趣的冷知识)", "Title Auto-Generation": "自动生成标题", "Title cannot be an empty string.": "标题不能为空", "Title Generation": "标题生成", @@ -1647,7 +1664,7 @@ "Type": "类型", "Type here...": "请输入内容...", "Type Hugging Face Resolve (Download) URL": "输入 Hugging Face 模型解析(下载)地址", - "Uh-oh! There was an issue with the response.": "啊哦!回复有问题", + "Uh-oh! There was an issue with the response.": "啊哦!回答有问题", "UI": "界面", "UI Scale": "界面缩放比例", "Unarchive All": "取消所有存档", @@ -1700,7 +1717,7 @@ "User menu": "用户菜单", "User Webhooks": "用户 Webhook", "Username": "用户名", - "users": "", + "users": "用户", "Users": "用户", "Uses DefaultAzureCredential to authenticate": "使用 DefaultAzureCredential 进行身份验证", "Uses OAuth 2.1 Dynamic Client Registration": "使用 OAuth 2.1 的动态客户端注册机制", @@ -1720,6 +1737,7 @@ "View Replies": "查看回复", "View Result from **{{NAME}}**": "查看来自 **{{NAME}}** 的结果", "Visibility": "可见性", + "Visible to all users": "对所有用户可见", "Vision": "视觉", "Voice": "语音", "Voice Input": "语音输入", @@ -1747,7 +1765,7 @@ "What are you trying to achieve?": "您想要达到什么目标?", "What are you working on?": "您在忙于什么?", "What's New in": "最近更新内容于", - "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.": "启用后,模型将实时回复每条对话信息,在用户发送信息后立即生成回复。这种模式适用于即时对话应用,但在性能较低的设备上可能会影响响应速度", + "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": "纵使身在远方,亦与世界同频", "Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "是否对输出内容进行分页。每页之间将用水平分隔线和页码隔开。默认为关闭", "Whisper (Local)": "Whisper (本地)", diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json index 5900acf20a..2a1e6174a6 100644 --- a/src/lib/i18n/locales/zh-TW/translation.json +++ b/src/lib/i18n/locales/zh-TW/translation.json @@ -18,11 +18,15 @@ "{{COUNT}} words": "{{COUNT}} 個詞", "{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} {{LOCALIZED_TIME}}", "{{model}} download has been canceled": "已取消模型 {{model}} 的下載", + "{{NAMES}} reacted with {{REACTION}}": "{{NAMES}} 給了 {{REACTION}}", "{{user}}'s Chats": "{{user}} 的對話", "{{webUIName}} Backend Required": "需要提供 {{webUIName}} 後端", "*Prompt node ID(s) are required for image generation": "* 圖片生成需要提示詞節點 ID", "1 Source": "1 個來源", + "A collaboration channel where people join as members": "成員可加入的協作頻道", + "A discussion channel where access is controlled by groups and permissions": "由權限組控制的討論頻道", "A new version (v{{LATEST_VERSION}}) is now available.": "新版本 (v{{LATEST_VERSION}}) 已釋出。", + "A private conversation between you and selected users": "您與選定使用者之間的私人對話", "A task model is used when performing tasks such as generating titles for chats and web search queries": "執行「產生對話標題」和「網頁搜尋查詢生成」等任務時使用的任務模型", "a user": "使用者", "About": "關於", @@ -53,7 +57,8 @@ "Add Custom Prompt": "新增自訂提示詞", "Add Details": "豐富細節", "Add Files": "新增檔案", - "Add Group": "新增群組", + "Add Member": "新增成員", + "Add Members": "新增成員", "Add Memory": "新增記憶", "Add Model": "新增模型", "Add Reaction": "新增動作", @@ -223,7 +228,7 @@ "Channel deleted successfully": "成功刪除頻道", "Channel Name": "頻道名稱", "Channel name cannot be empty.": "頻道名稱不能為空。", - "Channel Type": "", + "Channel Type": "頻道類型", "Channel updated successfully": "成功更新頻道", "Channels": "頻道", "Character": "字元", @@ -288,6 +293,7 @@ "Code Interpreter": "程式碼直譯器", "Code Interpreter Engine": "程式碼直譯器引擎", "Code Interpreter Prompt Template": "程式碼直譯器提示詞範本", + "Collaboration channel where people join as members": "成員可加入的協作頻道", "Collapse": "摺疊", "Collection": "集合", "Color": "顏色", @@ -430,7 +436,7 @@ "Direct": "直接", "Direct Connections": "直接連線", "Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "直接連線允許使用者連線至自有或其他與 OpenAI API 相容的端點。", - "Direct Message": "", + "Direct Message": "直接訊息", "Direct Tool Servers": "直連工具伺服器", "Directory selection was cancelled": "已取消選擇目錄", "Disable Code Interpreter": "停用程式碼解譯器", @@ -447,6 +453,7 @@ "Discover, download, and explore custom prompts": "發掘、下載及探索自訂提示詞", "Discover, download, and explore custom tools": "發掘、下載及探索自訂工具", "Discover, download, and explore model presets": "發掘、下載及探索模型預設集", + "Discussion channel where access is based on groups and permissions": "基於群組權限的討論頻道", "Display": "顯示", "Display chat title in tab": "在瀏覽器分頁標籤上顯示對話標題", "Display Emoji in Call": "在通話中顯示表情符號", @@ -485,12 +492,15 @@ "e.g. \"json\" or a JSON schema": "範例:\"json\" 或一個 JSON schema", "e.g. 60": "例如:60", "e.g. A filter to remove profanity from text": "例如:用來移除不雅詞彙的過濾器", + "e.g. about the Roman Empire": "例如:關於羅馬帝國的事蹟", "e.g. en": "例如:en", "e.g. My Filter": "例如:我的篩選器", "e.g. My Tools": "例如:我的工具", "e.g. my_filter": "例如:my_filter", "e.g. my_tools": "例如:my_tools", "e.g. pdf, docx, txt": "例如:pdf, docx, txt", + "e.g. Tell me a fun fact": "例如:告訴我一個趣聞", + "e.g. Tell me a fun fact about the Roman Empire": "例如:告訴我一個關於羅馬帝國的趣聞", "e.g. Tools for performing various operations": "例如:用於執行各種操作的工具", "e.g., 3, 4, 5 (leave blank for default)": "例如:3、4、5(留空使用預設值)", "e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "例如:audio/wav,audio/mpeg,video/*(留空使用預設值)", @@ -689,7 +699,6 @@ "Export Config to JSON File": "將設定匯出為 JSON 檔案", "Export Models": "匯出模型", "Export Presets": "匯出預設集", - "Export Prompt Suggestions": "匯出提示建議", "Export Prompts": "匯出提示詞", "Export to CSV": "匯出為 CSV", "Export Tools": "匯出工具", @@ -704,6 +713,7 @@ "External Web Search URL": "外部網路搜尋 URL", "Fade Effect for Streaming Text": "串流文字淡入效果", "Failed to add file.": "新增檔案失敗。", + "Failed to add members": "新增成員失敗", "Failed to connect to {{URL}} OpenAPI tool server": "無法連線至 {{URL}} OpenAPI 工具伺服器", "Failed to copy link": "複製連結失敗", "Failed to create API Key.": "建立 API 金鑰失敗。", @@ -717,6 +727,7 @@ "Failed to load file content.": "載入檔案內容失敗。", "Failed to move chat": "移動對話失敗", "Failed to read clipboard contents": "讀取剪貼簿內容失敗", + "Failed to remove member": "移除成員失敗", "Failed to render diagram": "繪製圖表失敗", "Failed to render visualization": "繪製圖表失敗", "Failed to save connections": "儲存連線失敗", @@ -816,11 +827,13 @@ "Google PSE Engine Id": "Google PSE 引擎 ID", "Gravatar": "Gravatar 大頭貼", "Group": "群組", + "Group Channel": "群組頻道", "Group created successfully": "成功建立群組", "Group deleted successfully": "成功刪除群組", "Group Description": "群組描述", "Group Name": "群組名稱", "Group updated successfully": "成功更新群組", + "groups": "群組", "Groups": "群組", "H1": "一級標題", "H2": "二級標題", @@ -875,7 +888,6 @@ "Import Models": "匯入模型", "Import Notes": "匯入筆記", "Import Presets": "匯入預設集", - "Import Prompt Suggestions": "匯入提示建議", "Import Prompts": "匯入提示詞", "Import successful": "匯入成功", "Import Tools": "匯入工具", @@ -1011,6 +1023,9 @@ "MCP": "MCP", "MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "MCP 支援為實驗性功能,其規範經常變更,可能導致不相容問題。OpenAPI 規範支援直接由 Open WebUI 團隊維護,是相容性更可靠的選擇。", "Medium": "中", + "Member removed successfully": "成功移除成員", + "Members": "成員", + "Members added successfully": "成功新增成員", "Memories accessible by LLMs will be shown here.": "可被大型語言模型存取的記憶將顯示在此。", "Memory": "記憶", "Memory added successfully": "成功新增記憶", @@ -1110,6 +1125,7 @@ "No models selected": "未選取模型", "No Notes": "尚無筆記", "No notes found": "沒有任何筆記", + "No pinned messages": "沒有置頂訊息", "No prompts found": "未找到提示詞", "No results": "沒有結果", "No results found": "未找到任何結果", @@ -1157,6 +1173,7 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "命令字串中只允許使用英文字母、數字和連字號。", "Only can be triggered when the chat input is in focus.": "僅在聚焦對話框時有效。", "Only collections can be edited, create a new knowledge base to edit/add documents.": "只能編輯集合,請建立新的知識以編輯或新增檔案。", + "Only invited users can access": "只有受邀使用者可以存取", "Only markdown files are allowed": "僅允許 Markdown 檔案", "Only select users and groups with permission can access": "只有具有權限的選定使用者和群組可以存取", "Oops! Looks like the URL is invalid. Please double-check and try again.": "哎呀!這個 URL 似乎無效。請仔細檢查並再試一次。", @@ -1219,6 +1236,7 @@ "Personalization": "個人化", "Pin": "釘選", "Pinned": "已釘選", + "Pinned Messages": "置頂訊息", "Pioneer insights": "先驅見解", "Pipe": "Pipe", "Pipeline deleted successfully": "成功刪除管線", @@ -1248,7 +1266,7 @@ "Please select a model.": "請選擇一個模型。", "Please select a reason": "請選擇原因", "Please select a valid JSON file": "請選擇合法的 JSON 檔案", - "Please select at least one user for Direct Message channel.": "", + "Please select at least one user for Direct Message channel.": "請至少選擇一位使用者以建立直接訊息頻道。", "Please wait until all files are uploaded.": "請等待所有檔案上傳完畢。", "Port": "連接埠", "Positive attitude": "積極的態度", @@ -1261,9 +1279,9 @@ "Previous 7 days": "過去 7 天", "Previous message": "過去訊息", "Private": "私有", + "Private conversation between selected users": "選定使用者之間的私人對話", "Profile": "個人檔案", "Prompt": "提示詞", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "提示詞(例如:告訴我關於羅馬帝國的一些趣事)", "Prompt Autocompletion": "提示詞自動完成", "Prompt Content": "提示詞內容", "Prompt created successfully": "成功建立提示詞", @@ -1515,7 +1533,7 @@ "STT Model": "語音轉文字 (STT) 模型", "STT Settings": "語音轉文字 (STT) 設定", "Stylized PDF Export": "風格化 PDF 匯出", - "Subtitle (e.g. about the Roman Empire)": "副標題(例如:關於羅馬帝國)", + "Subtitle": "副標題", "Success": "成功", "Successfully imported {{userCount}} users.": "成功匯入 {{userCount}} 個使用者", "Successfully updated.": "更新成功。", @@ -1598,7 +1616,6 @@ "Tika Server URL required.": "需要提供 Tika 伺服器 URL。", "Tiktoken": "Tiktoken", "Title": "標題", - "Title (e.g. Tell me a fun fact)": "標題(例如:告訴我一個有趣的事實)", "Title Auto-Generation": "自動產生標題", "Title cannot be an empty string.": "標題不能是空字串。", "Title Generation": "產生標題", @@ -1700,7 +1717,7 @@ "User menu": "使用者選單", "User Webhooks": "使用者 Webhooks", "Username": "使用者名稱", - "users": "", + "users": "使用者", "Users": "使用者", "Uses DefaultAzureCredential to authenticate": "使用 DefaultAzureCredential 進行身份驗證", "Uses OAuth 2.1 Dynamic Client Registration": "使用 OAuth 2.1 動態用戶端登錄", @@ -1720,6 +1737,7 @@ "View Replies": "檢視回覆", "View Result from **{{NAME}}**": "檢視來自 **{{NAME}}** 的結果", "Visibility": "可見度", + "Visible to all users": "對所有使用者可見", "Vision": "視覺", "Voice": "語音", "Voice Input": "語音輸入",