diff --git a/CHANGELOG.md b/CHANGELOG.md index 295e72e2415d38162286933ed83fada5a827c065..7aad55b8ff78a04c8da713a68c579ec32ee8019e 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -5,6 +5,40 @@ All notable changes to this project will be documented in this file. The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.1.0/), and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). +## [0.3.35] - 2024-10-26 + +### Added + +- **📁 Robust File Handling**: Enhanced file input handling for chat. If the content extraction fails or is empty, users will now receive a clear warning, preventing silent failures and ensuring you always know what's happening with your uploads. +- **🌍 New Language Support**: Introduced Hungarian translations and updated French translations, expanding the platform's language accessibility for a more global user base. + +### Fixed + +- **📚 Knowledge Base Loading Issue**: Resolved a critical bug where the Knowledge Base was not loading, ensuring smooth access to your stored documents and improving information retrieval in RAG-enhanced workflows. +- **🛠️ Tool Parameters Issue**: Fixed an error where tools were not functioning correctly when required parameters were missing, ensuring reliable tool performance and more efficient task completions. +- **🔗 Merged Response Loss in Multi-Model Chats**: Addressed an issue where responses in multi-model chat workflows were being deleted after follow-up queries, improving consistency and ensuring smoother interactions across models. + +## [0.3.34] - 2024-10-26 + +### Added + +- **🔧 Feedback Export Enhancements**: Feedback history data can now be exported to JSON, allowing for seamless integration in RLHF processing and further analysis. +- **🗂️ Embedding Model Lazy Loading**: Search functionality for leaderboard reranking is now more efficient, as embedding models are lazy-loaded only when needed, optimizing performance. +- **🎨 Rich Text Input Toggle**: Users can now switch back to legacy textarea input for chat if they prefer simpler text input, though rich text is still the default until deprecation. +- **🛠️ Improved Tool Calling Mechanism**: Enhanced method for parsing and calling tools, improving the reliability and robustness of tool function calls. +- **🌐 Globalization Enhancements**: Updates to internationalization (i18n) support, further refining multi-language compatibility and accuracy. + +### Fixed + +- **🖥️ Folder Rename Fix for Firefox**: Addressed a persistent issue where users could not rename folders by pressing enter in Firefox, now ensuring seamless folder management across browsers. +- **🔠 Tiktoken Model Text Splitter Issue**: Resolved an issue where the tiktoken text splitter wasn’t working in Docker installations, restoring full functionality for tokenized text editing. +- **💼 S3 File Upload Issue**: Fixed a problem affecting S3 file uploads, ensuring smooth operations for those who store files on cloud storage. +- **🔒 Strict-Transport-Security Crash**: Resolved a crash when setting the Strict-Transport-Security (HSTS) header, improving stability and security enhancements. +- **🚫 OIDC Boolean Access Fix**: Addressed an issue with boolean values not being accessed correctly during OIDC logins, ensuring login reliability. +- **⚙️ Rich Text Paste Behavior**: Refined paste behavior in rich text input to make it smoother and more intuitive when pasting various content types. +- **🔨 Model Exclusion for Arena Fix**: Corrected the filter function that was not properly excluding models from the arena, improving model management. +- **🏷️ "Tags Generation Prompt" Fix**: Addressed an issue preventing custom "tags generation prompts" from registering properly, ensuring custom prompt work seamlessly. + ## [0.3.33] - 2024-10-24 ### Added diff --git a/Dockerfile b/Dockerfile index c360ff3298cd7187a74bb9d2c15095b4be11e2f0..91238b4d4ea6a26d1472ba6d8181cdabbcc7e235 100644 --- a/Dockerfile +++ b/Dockerfile @@ -77,7 +77,7 @@ ENV RAG_EMBEDDING_MODEL="$USE_EMBEDDING_MODEL_DOCKER" \ SENTENCE_TRANSFORMERS_HOME="/app/backend/data/cache/embedding/models" ## Tiktoken model settings ## -ENV TIKTOKEN_ENCODING_NAME="$USE_TIKTOKEN_ENCODING_NAME" \ +ENV TIKTOKEN_ENCODING_NAME="cl100k_base" \ TIKTOKEN_CACHE_DIR="/app/backend/data/cache/tiktoken" ## Hugging Face download cache ## diff --git a/backend/open_webui/apps/audio/main.py b/backend/open_webui/apps/audio/main.py index 636e9bd2339c202c32fcc6ab376ce7520312f090..a1cc75b43b2490421bb6d342e0c1cc75d23cc00f 100644 --- a/backend/open_webui/apps/audio/main.py +++ b/backend/open_webui/apps/audio/main.py @@ -522,7 +522,8 @@ def transcription( else: data = transcribe(file_path) - return data + file_path = file_path.split("/")[-1] + return {**data, "filename": file_path} except Exception as e: log.exception(e) raise HTTPException( diff --git a/backend/open_webui/apps/ollama/main.py b/backend/open_webui/apps/ollama/main.py index a161db52e3b11ecfed971839b7b7e7b77605e6af..f0f8877f49aba97f2f8fceaa155b59e5921e9118 100644 --- a/backend/open_webui/apps/ollama/main.py +++ b/backend/open_webui/apps/ollama/main.py @@ -692,7 +692,7 @@ class GenerateCompletionForm(BaseModel): options: Optional[dict] = None system: Optional[str] = None template: Optional[str] = None - context: Optional[str] = None + context: Optional[list[int]] = None stream: Optional[bool] = True raw: Optional[bool] = None keep_alive: Optional[Union[int, str]] = None @@ -739,7 +739,7 @@ class GenerateChatCompletionForm(BaseModel): format: Optional[str] = None options: Optional[dict] = None template: Optional[str] = None - stream: Optional[bool] = None + stream: Optional[bool] = True keep_alive: Optional[Union[int, str]] = None diff --git a/backend/open_webui/apps/retrieval/main.py b/backend/open_webui/apps/retrieval/main.py index 2040089ddbee5e119b445615c39143ad2a4e33b4..49772d5dc9ab4405eecc9200ce524ed22a251b7b 100644 --- a/backend/open_webui/apps/retrieval/main.py +++ b/backend/open_webui/apps/retrieval/main.py @@ -14,6 +14,7 @@ from typing import Iterator, Optional, Sequence, Union from fastapi import Depends, FastAPI, File, Form, HTTPException, UploadFile, status from fastapi.middleware.cors import CORSMiddleware from pydantic import BaseModel +import tiktoken from open_webui.storage.provider import Storage @@ -666,8 +667,13 @@ def save_docs_to_vector_db( add_start_index=True, ) elif app.state.config.TEXT_SPLITTER == "token": + log.info( + f"Using token text splitter: {app.state.config.TIKTOKEN_ENCODING_NAME}" + ) + + tiktoken.get_encoding(str(app.state.config.TIKTOKEN_ENCODING_NAME)) text_splitter = TokenTextSplitter( - encoding_name=app.state.config.TIKTOKEN_ENCODING_NAME, + encoding_name=str(app.state.config.TIKTOKEN_ENCODING_NAME), chunk_size=app.state.config.CHUNK_SIZE, chunk_overlap=app.state.config.CHUNK_OVERLAP, add_start_index=True, diff --git a/backend/open_webui/apps/retrieval/vector/dbs/chroma.py b/backend/open_webui/apps/retrieval/vector/dbs/chroma.py index 15bdc8ff2c6c9d3deacb39bb7fb8cec193b7cca6..cb4d6283f6052c28548a2968857b6173254dbb26 100644 --- a/backend/open_webui/apps/retrieval/vector/dbs/chroma.py +++ b/backend/open_webui/apps/retrieval/vector/dbs/chroma.py @@ -13,11 +13,22 @@ from open_webui.config import ( CHROMA_HTTP_SSL, CHROMA_TENANT, CHROMA_DATABASE, + CHROMA_CLIENT_AUTH_PROVIDER, + CHROMA_CLIENT_AUTH_CREDENTIALS, ) class ChromaClient: def __init__(self): + settings_dict = { + "allow_reset": True, + "anonymized_telemetry": False, + } + if CHROMA_CLIENT_AUTH_PROVIDER is not None: + settings_dict["chroma_client_auth_provider"] = CHROMA_CLIENT_AUTH_PROVIDER + if CHROMA_CLIENT_AUTH_CREDENTIALS is not None: + settings_dict["chroma_client_auth_credentials"] = CHROMA_CLIENT_AUTH_CREDENTIALS + if CHROMA_HTTP_HOST != "": self.client = chromadb.HttpClient( host=CHROMA_HTTP_HOST, @@ -26,12 +37,12 @@ class ChromaClient: ssl=CHROMA_HTTP_SSL, tenant=CHROMA_TENANT, database=CHROMA_DATABASE, - settings=Settings(allow_reset=True, anonymized_telemetry=False), + settings=Settings(**settings_dict), ) else: self.client = chromadb.PersistentClient( path=CHROMA_DATA_PATH, - settings=Settings(allow_reset=True, anonymized_telemetry=False), + settings=Settings(**settings_dict), tenant=CHROMA_TENANT, database=CHROMA_DATABASE, ) diff --git a/backend/open_webui/apps/webui/models/files.py b/backend/open_webui/apps/webui/models/files.py index 7838ebf8429bf2b3f2d7ee85beac1082e8824eb8..bb2a7bf9603fe1fcec45e07a5ebc69c4dd54ccea 100644 --- a/backend/open_webui/apps/webui/models/files.py +++ b/backend/open_webui/apps/webui/models/files.py @@ -73,6 +73,8 @@ class FileModelResponse(BaseModel): created_at: int # timestamp in epoch updated_at: int # timestamp in epoch + model_config = ConfigDict(extra="allow") + class FileMetadataResponse(BaseModel): id: str diff --git a/backend/open_webui/apps/webui/routers/evaluations.py b/backend/open_webui/apps/webui/routers/evaluations.py index 2a7154565ced2a6277ec34b5fc2ee00bcc42084b..5756d434cb74735bde4fd65db18457964e781cc1 100644 --- a/backend/open_webui/apps/webui/routers/evaluations.py +++ b/backend/open_webui/apps/webui/routers/evaluations.py @@ -5,6 +5,7 @@ from pydantic import BaseModel from open_webui.apps.webui.models.users import Users, UserModel from open_webui.apps.webui.models.feedbacks import ( FeedbackModel, + FeedbackResponse, FeedbackForm, Feedbacks, ) @@ -55,27 +56,15 @@ async def update_config( } -@router.get("/feedbacks", response_model=list[FeedbackModel]) -async def get_feedbacks(user=Depends(get_verified_user)): - feedbacks = Feedbacks.get_feedbacks_by_user_id(user.id) - return feedbacks - - -@router.delete("/feedbacks", response_model=bool) -async def delete_feedbacks(user=Depends(get_verified_user)): - success = Feedbacks.delete_feedbacks_by_user_id(user.id) - return success - - -class FeedbackUserModel(FeedbackModel): +class FeedbackUserResponse(FeedbackResponse): user: Optional[UserModel] = None -@router.get("/feedbacks/all", response_model=list[FeedbackUserModel]) +@router.get("/feedbacks/all", response_model=list[FeedbackUserResponse]) async def get_all_feedbacks(user=Depends(get_admin_user)): feedbacks = Feedbacks.get_all_feedbacks() return [ - FeedbackUserModel( + FeedbackUserResponse( **feedback.model_dump(), user=Users.get_user_by_id(feedback.user_id) ) for feedback in feedbacks @@ -88,6 +77,29 @@ async def delete_all_feedbacks(user=Depends(get_admin_user)): return success +@router.get("/feedbacks/all/export", response_model=list[FeedbackModel]) +async def get_all_feedbacks(user=Depends(get_admin_user)): + feedbacks = Feedbacks.get_all_feedbacks() + return [ + FeedbackModel( + **feedback.model_dump(), user=Users.get_user_by_id(feedback.user_id) + ) + for feedback in feedbacks + ] + + +@router.get("/feedbacks/user", response_model=list[FeedbackUserResponse]) +async def get_feedbacks(user=Depends(get_verified_user)): + feedbacks = Feedbacks.get_feedbacks_by_user_id(user.id) + return feedbacks + + +@router.delete("/feedbacks", response_model=bool) +async def delete_feedbacks(user=Depends(get_verified_user)): + success = Feedbacks.delete_feedbacks_by_user_id(user.id) + return success + + @router.post("/feedback", response_model=FeedbackModel) async def create_feedback( request: Request, diff --git a/backend/open_webui/apps/webui/routers/files.py b/backend/open_webui/apps/webui/routers/files.py index 8edc4a919de173a9d44150ca39c9ce19e24995ff..440f7475a50287ce8f5222225d4af42a19d11101 100644 --- a/backend/open_webui/apps/webui/routers/files.py +++ b/backend/open_webui/apps/webui/routers/files.py @@ -38,7 +38,7 @@ router = APIRouter() ############################ -@router.post("/") +@router.post("/", response_model=FileModelResponse) def upload_file(file: UploadFile = File(...), user=Depends(get_verified_user)): log.info(f"file.content_type: {file.content_type}") try: @@ -73,6 +73,12 @@ def upload_file(file: UploadFile = File(...), user=Depends(get_verified_user)): except Exception as e: log.exception(e) log.error(f"Error processing file: {file_item.id}") + file_item = FileModelResponse( + **{ + **file_item.model_dump(), + "error": str(e.detail) if hasattr(e, "detail") else str(e), + } + ) if file_item: return file_item diff --git a/backend/open_webui/apps/webui/routers/knowledge.py b/backend/open_webui/apps/webui/routers/knowledge.py index be399b80d271ec4bc12ea55f8b680e7f2f49a1aa..c07ccdffd11d333dd280984108535590a81ffd4e 100644 --- a/backend/open_webui/apps/webui/routers/knowledge.py +++ b/backend/open_webui/apps/webui/routers/knowledge.py @@ -47,15 +47,43 @@ async def get_knowledge_items( detail=ERROR_MESSAGES.NOT_FOUND, ) else: - return [ - KnowledgeResponse( - **knowledge.model_dump(), - files=Files.get_file_metadatas_by_ids( - knowledge.data.get("file_ids", []) if knowledge.data else [] - ), + knowledge_bases = [] + + for knowledge in Knowledges.get_knowledge_items(): + + files = [] + if knowledge.data: + files = Files.get_file_metadatas_by_ids( + knowledge.data.get("file_ids", []) + ) + + # Check if all files exist + if len(files) != len(knowledge.data.get("file_ids", [])): + missing_files = list( + set(knowledge.data.get("file_ids", [])) + - set([file.id for file in files]) + ) + if missing_files: + data = knowledge.data or {} + file_ids = data.get("file_ids", []) + + for missing_file in missing_files: + file_ids.remove(missing_file) + + data["file_ids"] = file_ids + Knowledges.update_knowledge_by_id( + id=knowledge.id, form_data=KnowledgeUpdateForm(data=data) + ) + + files = Files.get_file_metadatas_by_ids(file_ids) + + knowledge_bases.append( + KnowledgeResponse( + **knowledge.model_dump(), + files=files, + ) ) - for knowledge in Knowledges.get_knowledge_items() - ] + return knowledge_bases ############################ diff --git a/backend/open_webui/config.py b/backend/open_webui/config.py index c5cc591236a745078ecd5d8326e51e012e080547..6348c61c11a7cde5e8df0c5475ad3c8025cd16f4 100644 --- a/backend/open_webui/config.py +++ b/backend/open_webui/config.py @@ -937,6 +937,8 @@ CHROMA_TENANT = os.environ.get("CHROMA_TENANT", chromadb.DEFAULT_TENANT) CHROMA_DATABASE = os.environ.get("CHROMA_DATABASE", chromadb.DEFAULT_DATABASE) CHROMA_HTTP_HOST = os.environ.get("CHROMA_HTTP_HOST", "") CHROMA_HTTP_PORT = int(os.environ.get("CHROMA_HTTP_PORT", "8000")) +CHROMA_CLIENT_AUTH_PROVIDER = os.environ.get("CHROMA_CLIENT_AUTH_PROVIDER", "") +CHROMA_CLIENT_AUTH_CREDENTIALS = os.environ.get("CHROMA_CLIENT_AUTH_CREDENTIALS", "") # Comma-separated list of header=value pairs CHROMA_HTTP_HEADERS = os.environ.get("CHROMA_HTTP_HEADERS", "") if CHROMA_HTTP_HEADERS: diff --git a/backend/open_webui/main.py b/backend/open_webui/main.py index 96b9982dd0c16ac54ba4fd8f7a147ffd28e017d3..7f52d9638b82dc0a7849b78ce762d0187eed55fe 100644 --- a/backend/open_webui/main.py +++ b/backend/open_webui/main.py @@ -439,9 +439,20 @@ async def chat_completion_tools_handler( tool_function_params = result.get("parameters", {}) try: - tool_output = await tools[tool_function_name]["callable"]( - **tool_function_params + required_params = ( + tools[tool_function_name] + .get("spec", {}) + .get("parameters", {}) + .get("required", []) ) + tool_function = tools[tool_function_name]["callable"] + tool_function_params = { + k: v + for k, v in tool_function_params.items() + if k in required_params + } + tool_output = await tool_function(**tool_function_params) + except Exception as e: tool_output = str(e) diff --git a/backend/open_webui/migrations/versions/242a2047eae0_update_chat_table.py b/backend/open_webui/migrations/versions/242a2047eae0_update_chat_table.py index b561abe098a10d3c69144c4fe8eac98a89b9930f..407dee673c5691fa08f8343fa4e016cff121a174 100644 --- a/backend/open_webui/migrations/versions/242a2047eae0_update_chat_table.py +++ b/backend/open_webui/migrations/versions/242a2047eae0_update_chat_table.py @@ -19,17 +19,41 @@ depends_on = None def upgrade(): - # Step 1: Rename current 'chat' column to 'old_chat' - op.alter_column("chat", "chat", new_column_name="old_chat", existing_type=sa.Text) + conn = op.get_bind() + inspector = sa.inspect(conn) - # Step 2: Add new 'chat' column of type JSON - op.add_column("chat", sa.Column("chat", sa.JSON(), nullable=True)) + columns = inspector.get_columns("chat") + column_dict = {col["name"]: col for col in columns} + + chat_column = column_dict.get("chat") + old_chat_exists = "old_chat" in column_dict + + if chat_column: + if isinstance(chat_column["type"], sa.Text): + print("Converting 'chat' column to JSON") + + if old_chat_exists: + print("Dropping old 'old_chat' column") + op.drop_column("chat", "old_chat") + + # Step 1: Rename current 'chat' column to 'old_chat' + print("Renaming 'chat' column to 'old_chat'") + op.alter_column( + "chat", "chat", new_column_name="old_chat", existing_type=sa.Text() + ) + + # Step 2: Add new 'chat' column of type JSON + print("Adding new 'chat' column of type JSON") + op.add_column("chat", sa.Column("chat", sa.JSON(), nullable=True)) + else: + # If the column is already JSON, no need to do anything + pass # Step 3: Migrate data from 'old_chat' to 'chat' chat_table = table( "chat", - sa.Column("id", sa.String, primary_key=True), - sa.Column("old_chat", sa.Text), + sa.Column("id", sa.String(), primary_key=True), + sa.Column("old_chat", sa.Text()), sa.Column("chat", sa.JSON()), ) @@ -50,6 +74,7 @@ def upgrade(): ) # Step 4: Drop 'old_chat' column + print("Dropping 'old_chat' column") op.drop_column("chat", "old_chat") @@ -60,7 +85,7 @@ def downgrade(): # Step 2: Convert 'chat' JSON data back to text and store in 'old_chat' chat_table = table( "chat", - sa.Column("id", sa.String, primary_key=True), + sa.Column("id", sa.String(), primary_key=True), sa.Column("chat", sa.JSON()), sa.Column("old_chat", sa.Text()), ) @@ -79,4 +104,4 @@ def downgrade(): op.drop_column("chat", "chat") # Step 4: Rename 'old_chat' back to 'chat' - op.alter_column("chat", "old_chat", new_column_name="chat", existing_type=sa.Text) + op.alter_column("chat", "old_chat", new_column_name="chat", existing_type=sa.Text()) diff --git a/backend/open_webui/storage/provider.py b/backend/open_webui/storage/provider.py index 944a5d2cc53ee36c58e90ecd5979ef6dabf08ad1..7bea0bdae5f79174fc8b869bc381562567f1da81 100644 --- a/backend/open_webui/storage/provider.py +++ b/backend/open_webui/storage/provider.py @@ -44,14 +44,14 @@ class StorageProvider: ) self.bucket_name = S3_BUCKET_NAME - def _upload_to_s3(self, file: BinaryIO, filename: str) -> Tuple[bytes, str]: + def _upload_to_s3(self, file_path: str, filename: str) -> Tuple[bytes, str]: """Handles uploading of the file to S3 storage.""" if not self.s3_client: raise RuntimeError("S3 Client is not initialized.") try: - self.s3_client.upload_fileobj(file, self.bucket_name, filename) - return file.read(), f"s3://{self.bucket_name}/{filename}" + self.s3_client.upload_file(file_path, self.bucket_name, filename) + return open(file_path, "rb").read(), file_path except ClientError as e: raise RuntimeError(f"Error uploading file to S3: {e}") @@ -132,10 +132,11 @@ class StorageProvider: contents = file.read() if not contents: raise ValueError(ERROR_MESSAGES.EMPTY_CONTENT) + contents, file_path = self._upload_to_local(contents, filename) if self.storage_provider == "s3": - return self._upload_to_s3(file, filename) - return self._upload_to_local(contents, filename) + return self._upload_to_s3(file_path, filename) + return contents, file_path def get_file(self, file_path: str) -> str: """Downloads a file either from S3 or the local file system and returns the file path.""" diff --git a/backend/open_webui/utils/oauth.py b/backend/open_webui/utils/oauth.py index e9418b200edefab380469931a0f8103308b371eb..36a659fd772a27bee3eb26f6d1dacded894701cd 100644 --- a/backend/open_webui/utils/oauth.py +++ b/backend/open_webui/utils/oauth.py @@ -162,7 +162,7 @@ class OAuthManager: if not user: # If the user does not exist, check if merging is enabled - if auth_manager_config.OAUTH_MERGE_ACCOUNTS_BY_EMAIL.value: + if auth_manager_config.OAUTH_MERGE_ACCOUNTS_BY_EMAIL: # Check if the user exists by email user = Users.get_user_by_email(email) if user: @@ -176,7 +176,7 @@ class OAuthManager: if not user: # If the user does not exist, check if signups are enabled - if auth_manager_config.ENABLE_OAUTH_SIGNUP.value: + if auth_manager_config.ENABLE_OAUTH_SIGNUP: # Check if an existing user with the same email already exists existing_user = Users.get_user_by_email( user_data.get("email", "").lower() diff --git a/backend/open_webui/utils/security_headers.py b/backend/open_webui/utils/security_headers.py index 085fd513aa6f4367a9428cb5708aa4944be8d87e..a24c5131dacc94a434be37323757891f148fa1b3 100644 --- a/backend/open_webui/utils/security_headers.py +++ b/backend/open_webui/utils/security_headers.py @@ -60,7 +60,7 @@ def set_hsts(value: str): pattern = r"^max-age=(\d+)(;includeSubDomains)?(;preload)?$" match = re.match(pattern, value, re.IGNORECASE) if not match: - return "max-age=31536000;includeSubDomains" + value = "max-age=31536000;includeSubDomains" return {"Strict-Transport-Security": value} diff --git a/backend/requirements.txt b/backend/requirements.txt index 8f8767b1de16fc47a1e97c92a92ff74c26a66eeb..6bb220920e8892da2ff76e1d8f2ac4f512e93eae 100644 --- a/backend/requirements.txt +++ b/backend/requirements.txt @@ -40,7 +40,7 @@ langchain-community==0.2.12 langchain-chroma==0.1.4 fake-useragent==1.5.1 -chromadb==0.5.9 +chromadb==0.5.15 pymilvus==2.4.7 qdrant-client~=1.12.0 diff --git a/package-lock.json b/package-lock.json index 21dd1fbfe8aed7cf68388716f5b8c4cde062651e..148493d22b27aa9ac98408e2ab245264872b4ed0 100644 --- a/package-lock.json +++ b/package-lock.json @@ -1,12 +1,12 @@ { "name": "open-webui", - "version": "0.3.33", + "version": "0.3.35", "lockfileVersion": 3, "requires": true, "packages": { "": { "name": "open-webui", - "version": "0.3.33", + "version": "0.3.35", "dependencies": { "@codemirror/lang-javascript": "^6.2.2", "@codemirror/lang-python": "^6.1.6", diff --git a/package.json b/package.json index 451d552d4f22f09fc08a1b236bb47c592e7715b4..232e0883d82b09b1973544bbbb806a98da688da6 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "open-webui", - "version": "0.3.33", + "version": "0.3.35", "private": true, "scripts": { "dev": "npm run pyodide:fetch && vite dev --host", diff --git a/src/app.css b/src/app.css index 1890065436dcebbb7161f30bb1ab5370426de39b..d7f2d0e5488a9a9038c3fb3251d768c095037319 100644 --- a/src/app.css +++ b/src/app.css @@ -189,7 +189,7 @@ input[type='number'] { } .ProseMirror { - @apply h-full min-h-fit max-h-full; + @apply h-full min-h-fit max-h-full whitespace-pre-wrap; } .ProseMirror:focus { diff --git a/src/lib/apis/evaluations/index.ts b/src/lib/apis/evaluations/index.ts index d6c062f82d790e0375b552b01432df48910e0178..0ba987cad0a1243e26d3679543c95b8d28340b58 100644 --- a/src/lib/apis/evaluations/index.ts +++ b/src/lib/apis/evaluations/index.ts @@ -93,6 +93,37 @@ export const getAllFeedbacks = async (token: string = '') => { return res; }; +export const exportAllFeedbacks = async (token: string = '') => { + let error = null; + + const res = await fetch(`${WEBUI_API_BASE_URL}/evaluations/feedbacks/all/export`, { + method: 'GET', + headers: { + Accept: 'application/json', + 'Content-Type': 'application/json', + authorization: `Bearer ${token}` + } + }) + .then(async (res) => { + if (!res.ok) throw await res.json(); + return res.json(); + }) + .then((json) => { + return json; + }) + .catch((err) => { + error = err.detail; + console.log(err); + return null; + }); + + if (error) { + throw error; + } + + return res; +}; + export const createNewFeedback = async (token: string, feedback: object) => { let error = null; diff --git a/src/lib/components/admin/Evaluations.svelte b/src/lib/components/admin/Evaluations.svelte index 336ce44bad743a99c729991ae0afe43f14737779..13d51ab8c04d819177f15dcee55017983f4e8716 100644 --- a/src/lib/components/admin/Evaluations.svelte +++ b/src/lib/components/admin/Evaluations.svelte @@ -1,4 +1,7 @@ diff --git a/src/lib/components/chat/MessageInput/VoiceRecording.svelte b/src/lib/components/chat/MessageInput/VoiceRecording.svelte index 2c2032e0dfc316ec96e379db4b61c6f095b284c0..ae93e735069129fb1ab0754b70ba2ae3839d671c 100644 --- a/src/lib/components/chat/MessageInput/VoiceRecording.svelte +++ b/src/lib/components/chat/MessageInput/VoiceRecording.svelte @@ -1,6 +1,6 @@
- {:else} - - {/if} + + + + + {/if} +
diff --git a/src/lib/components/chat/Messages/MultiResponseMessages.svelte b/src/lib/components/chat/Messages/MultiResponseMessages.svelte index a0a2d290f35937239e3c05ed674e4f55239b077f..c959c4b5e4b423417bf3595f2f1b7ce61ef417c4 100644 --- a/src/lib/components/chat/Messages/MultiResponseMessages.svelte +++ b/src/lib/components/chat/Messages/MultiResponseMessages.svelte @@ -16,7 +16,6 @@ import Markdown from './Markdown.svelte'; import Name from './Name.svelte'; import Skeleton from './Skeleton.svelte'; - const i18n = getContext('i18n'); export let chatId; @@ -155,7 +154,6 @@ await tick(); const messageElement = document.getElementById(`message-${messageId}`); - console.log(messageElement); if (messageElement) { messageElement.scrollIntoView({ block: 'start' }); } @@ -237,7 +235,7 @@ {/each} - {#if !readOnly && isLastMessage} + {#if !readOnly} {#if !Object.keys(groupedMessageIds).find((modelIdx) => { const { messageIds } = groupedMessageIds[modelIdx]; const _messageId = messageIds[groupedMessageIdsIdx[modelIdx]]; @@ -272,22 +270,24 @@ {/if} -
- - - -
+ {#if isLastMessage} +
+ + + +
+ {/if} {/if} {/if} diff --git a/src/lib/components/chat/Placeholder.svelte b/src/lib/components/chat/Placeholder.svelte index e499f2389753f07d06a72f3b24b4bcfbe0339b66..bdeb80e229fe326a8882daaba10da47d3046021f 100644 --- a/src/lib/components/chat/Placeholder.svelte +++ b/src/lib/components/chat/Placeholder.svelte @@ -58,13 +58,18 @@ await tick(); const chatInputContainerElement = document.getElementById('chat-input-container'); + const chatInputElement = document.getElementById('chat-input'); + if (chatInputContainerElement) { chatInputContainerElement.style.height = ''; chatInputContainerElement.style.height = Math.min(chatInputContainerElement.scrollHeight, 200) + 'px'; + } - const chatInputElement = document.getElementById('chat-input'); - chatInputElement?.focus(); + await tick(); + if (chatInputElement) { + chatInputElement.focus(); + chatInputElement.dispatchEvent(new Event('input')); } await tick(); diff --git a/src/lib/components/chat/Settings/Interface.svelte b/src/lib/components/chat/Settings/Interface.svelte index 885211e77fc698e10704bfec5664644e1d155805..b60aaeb17eb47a5a2d4ba4054f2af659afb40035 100644 --- a/src/lib/components/chat/Settings/Interface.svelte +++ b/src/lib/components/chat/Settings/Interface.svelte @@ -30,11 +30,15 @@ // Interface let defaultModelId = ''; let showUsername = false; + let richTextInput = true; let landingPageMode = ''; let chatBubble = true; let chatDirection: 'LTR' | 'RTL' = 'LTR'; + + // Admin - Show Update Available Toast let showUpdateToast = true; + let showChangelog = true; let showEmojiInCall = false; let voiceInterruption = false; @@ -70,6 +74,11 @@ saveSettings({ showUpdateToast: showUpdateToast }); }; + const toggleShowChangelog = async () => { + showChangelog = !showChangelog; + saveSettings({ showChangelog: showChangelog }); + }; + const toggleShowUsername = async () => { showUsername = !showUsername; saveSettings({ showUsername: showUsername }); @@ -125,6 +134,11 @@ saveSettings({ autoTags }); }; + const toggleRichTextInput = async () => { + richTextInput = !richTextInput; + saveSettings({ richTextInput }); + }; + const toggleResponseAutoCopy = async () => { const permission = await navigator.clipboard .readText() @@ -168,10 +182,12 @@ showUsername = $settings.showUsername ?? false; showUpdateToast = $settings.showUpdateToast ?? true; + showChangelog = $settings.showChangelog ?? true; showEmojiInCall = $settings.showEmojiInCall ?? false; voiceInterruption = $settings.voiceInterruption ?? false; + richTextInput = $settings.richTextInput ?? true; landingPageMode = $settings.landingPageMode ?? ''; chatBubble = $settings.chatBubble ?? true; widescreenMode = $settings.widescreenMode ?? false; @@ -376,22 +392,44 @@ + +
+
+
+ {$i18n.t(`Show "What's New" modal on login`)} +
+ + +
+
{/if} +
{$i18n.t('Chat')}
+
-
- {$i18n.t('Fluidly stream large external response chunks')} -
+
{$i18n.t('Title Auto-Generation')}
-
{$i18n.t('Chat')}
-
-
{$i18n.t('Title Auto-Generation')}
+
+ {$i18n.t('Rich Text Input for Chat')} +
+
+
+ +
+
+
{$i18n.t('Allow User Location')}
+ + + + {/if} + + +
+
+ diff --git a/src/lib/components/workspace/Knowledge/Collection/AddTextContentModal.svelte b/src/lib/components/workspace/Knowledge/Collection/AddTextContentModal.svelte index 3983e1a7b82d7a9b50b9790f2f21c7e46a19936b..ff9dd77394e47983aa68c4b5ba19ccfb49b8f4ae 100644 --- a/src/lib/components/workspace/Knowledge/Collection/AddTextContentModal.svelte +++ b/src/lib/components/workspace/Knowledge/Collection/AddTextContentModal.svelte @@ -85,8 +85,8 @@ voiceInput = false; }} on:confirm={(e) => { - const response = e.detail; - content = `${content}${response} `; + const { text, filename } = e.detail; + content = `${content}${text} `; voiceInput = false; }} diff --git a/src/lib/i18n/locales/ar-BH/translation.json b/src/lib/i18n/locales/ar-BH/translation.json index 06d645772e325a23254194df36a63bc0c589996c..dd5a12f25e872e3889f743b01f5af99f6d0da06d 100644 --- a/src/lib/i18n/locales/ar-BH/translation.json +++ b/src/lib/i18n/locales/ar-BH/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "ليس صحيحا من حيث الواقع", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ملاحظة: إذا قمت بتعيين الحد الأدنى من النقاط، فلن يؤدي البحث إلا إلى إرجاع المستندات التي لها نقاط أكبر من أو تساوي الحد الأدنى من النقاط.", + "Notes": "", "Notifications": "إشعارات", "November": "نوفمبر", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "منصب", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/bg-BG/translation.json b/src/lib/i18n/locales/bg-BG/translation.json index 8ed72b981450a379d8e60639ce092f2fb7a58246..ba66836c15c9725295c322353bde1873e7877ca7 100644 --- a/src/lib/i18n/locales/bg-BG/translation.json +++ b/src/lib/i18n/locales/bg-BG/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Не е фактологически правилно", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Забележка: Ако зададете минимален резултат, търсенето ще върне само документи с резултат, по-голям или равен на минималния резултат.", + "Notes": "", "Notifications": "Десктоп Известия", "November": "Ноември", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Роля", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/bn-BD/translation.json b/src/lib/i18n/locales/bn-BD/translation.json index d7cfec14935fb96feca316cc44d85835fb966055..bc4043e427343361cf29650eebeec24261e597e4 100644 --- a/src/lib/i18n/locales/bn-BD/translation.json +++ b/src/lib/i18n/locales/bn-BD/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "তথ্যগত দিক থেকে সঠিক নয়", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "দ্রষ্টব্য: আপনি যদি ন্যূনতম স্কোর সেট করেন তবে অনুসন্ধানটি কেবলমাত্র ন্যূনতম স্কোরের চেয়ে বেশি বা সমান স্কোর সহ নথিগুলি ফেরত দেবে।", + "Notes": "", "Notifications": "নোটিফিকেশনসমূহ", "November": "নভেম্বর", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "পদবি", "Rosé Pine": "রোজ পাইন", diff --git a/src/lib/i18n/locales/ca-ES/translation.json b/src/lib/i18n/locales/ca-ES/translation.json index 6f2bf3b4ec01be7e172981c484f1c658a207418f..ceb67f0f6bc0cbbb2a94bfe5b25d8fdc6aa4a3a7 100644 --- a/src/lib/i18n/locales/ca-ES/translation.json +++ b/src/lib/i18n/locales/ca-ES/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "No és clarament correcte", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Si s'estableix una puntuació mínima, la cerca només retornarà documents amb una puntuació major o igual a la puntuació mínima.", + "Notes": "", "Notifications": "Notificacions", "November": "Novembre", "num_gpu (Ollama)": "num_gpu (Ollama)", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Les notifications de resposta no es poden activar perquè els permisos del lloc web han estat rebutjats. Comprova les preferències del navegador per donar l'accés necessari.", "Response splitting": "Divisió de la resposta", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rol", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/ceb-PH/translation.json b/src/lib/i18n/locales/ceb-PH/translation.json index 814babb4189eb8a3999dd9efe6790e929a578425..cf05fac57b9364423019f22bcaafebcd6e8129c3 100644 --- a/src/lib/i18n/locales/ceb-PH/translation.json +++ b/src/lib/i18n/locales/ceb-PH/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", + "Notes": "", "Notifications": "Mga pahibalo sa desktop", "November": "", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Papel", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/da-DK/translation.json b/src/lib/i18n/locales/da-DK/translation.json index 1b9e08db7c19857ec7c530147ee788e4f6f93d9d..7c2ad3e2d48bd8436550ef5e84cad04e2fdc618d 100644 --- a/src/lib/i18n/locales/da-DK/translation.json +++ b/src/lib/i18n/locales/da-DK/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Ikke faktuelt korrekt", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Bemærk: Hvis du angiver en minimumscore, returnerer søgningen kun dokumenter med en score, der er større end eller lig med minimumscoren.", + "Notes": "", "Notifications": "Notifikationer", "November": "November", "num_gpu (Ollama)": "num_gpu (Ollama)", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Svarnotifikationer kan ikke aktiveres, da webstedets tilladelser er blevet nægtet. Besøg dine browserindstillinger for at give den nødvendige adgang.", "Response splitting": "Svaropdeling", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rolle", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/de-DE/translation.json b/src/lib/i18n/locales/de-DE/translation.json index 219ebfba248b50d63d52af0b6a1cb92db1f72c60..6b8b793f52d3759e78fce7f3a2218b3c16a31689 100644 --- a/src/lib/i18n/locales/de-DE/translation.json +++ b/src/lib/i18n/locales/de-DE/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Nicht sachlich korrekt", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Hinweis: Wenn Sie eine Mindestpunktzahl festlegen, werden in der Suche nur Dokumente mit einer Punktzahl größer oder gleich der Mindestpunktzahl zurückgegeben.", + "Notes": "", "Notifications": "Benachrichtigungen", "November": "November", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Benachrichtigungen können nicht aktiviert werden, da die Website-Berechtigungen abgelehnt wurden. Bitte besuchen Sie Ihre Browser-Einstellungen, um den erforderlichen Zugriff zu gewähren.", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rolle", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/dg-DG/translation.json b/src/lib/i18n/locales/dg-DG/translation.json index ba3f181501019869ae2056fc60ed9d152f3d2c43..9d6941d872503a1a92011934ce3ad4abf0cad27b 100644 --- a/src/lib/i18n/locales/dg-DG/translation.json +++ b/src/lib/i18n/locales/dg-DG/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", + "Notes": "", "Notifications": "Notifications", "November": "", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Role", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/en-GB/translation.json b/src/lib/i18n/locales/en-GB/translation.json index bcc52354271083672025ef0876df6ae3932b2ce0..9718ff4911c12f81614cb6efd0cf20d364340f8b 100644 --- a/src/lib/i18n/locales/en-GB/translation.json +++ b/src/lib/i18n/locales/en-GB/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", + "Notes": "", "Notifications": "", "November": "", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "", "Rosé Pine": "", diff --git a/src/lib/i18n/locales/en-US/translation.json b/src/lib/i18n/locales/en-US/translation.json index bcc52354271083672025ef0876df6ae3932b2ce0..9718ff4911c12f81614cb6efd0cf20d364340f8b 100644 --- a/src/lib/i18n/locales/en-US/translation.json +++ b/src/lib/i18n/locales/en-US/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", + "Notes": "", "Notifications": "", "November": "", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "", "Rosé Pine": "", diff --git a/src/lib/i18n/locales/es-ES/translation.json b/src/lib/i18n/locales/es-ES/translation.json index 3343c27f258f4ca5fdeace8fe20738f6271502b5..d413975fefa7409ebcf7196832064245cf55aa6a 100644 --- a/src/lib/i18n/locales/es-ES/translation.json +++ b/src/lib/i18n/locales/es-ES/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "No es correcto en todos los aspectos", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Si estableces una puntuación mínima, la búsqueda sólo devolverá documentos con una puntuación mayor o igual a la puntuación mínima.", + "Notes": "", "Notifications": "Notificaciones", "November": "Noviembre", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Las notificaciones de respuesta no pueden activarse debido a que los permisos del sitio web han sido denegados. Por favor, visite las configuraciones de su navegador para otorgar el acceso necesario.", "Response splitting": "División de respuestas", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rol", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/fa-IR/translation.json b/src/lib/i18n/locales/fa-IR/translation.json index 84642403e3bfdc4e4c1b165308eb527777cdf2c2..7e385ca3c20536947cc9c18685acee8c164104e6 100644 --- a/src/lib/i18n/locales/fa-IR/translation.json +++ b/src/lib/i18n/locales/fa-IR/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "اشتباهی فکری نیست", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "توجه: اگر حداقل نمره را تعیین کنید، جستجو تنها اسنادی را با نمره بیشتر یا برابر با حداقل نمره باز می گرداند.", + "Notes": "", "Notifications": "اعلان", "November": "نوامبر", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "نقش", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/fi-FI/translation.json b/src/lib/i18n/locales/fi-FI/translation.json index ee70ec222fffd0b8dd34b7f435f3ed5e1a905242..83640fe5cdf17990a718974ca6962cdd0a8a88ba 100644 --- a/src/lib/i18n/locales/fi-FI/translation.json +++ b/src/lib/i18n/locales/fi-FI/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Ei faktisesti oikein", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Huom: Jos asetat vähimmäispisteet, haku palauttaa vain asiakirjat, joiden pisteet ovat suurempia tai yhtä suuria kuin vähimmäispistemäärä.", + "Notes": "", "Notifications": "Ilmoitukset", "November": "marraskuu", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rooli", "Rosé Pine": "Rosee-mänty", diff --git a/src/lib/i18n/locales/fr-CA/translation.json b/src/lib/i18n/locales/fr-CA/translation.json index 33e7b98e05d5550cb52c2a7b4eabde34da69b4fc..fa5ea303c1b4748733b70613476e813889c92632 100644 --- a/src/lib/i18n/locales/fr-CA/translation.json +++ b/src/lib/i18n/locales/fr-CA/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Non factuellement correct", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Note : Si vous définissez un score minimum, seuls les documents ayant un score supérieur ou égal à ce score minimum seront retournés par la recherche.", + "Notes": "", "Notifications": "Notifications", "November": "Novembre", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Les notifications de réponse ne peuvent pas être activées car les autorisations du site web ont été refusées. Veuillez visiter les paramètres de votre navigateur pour accorder l'accès nécessaire.", "Response splitting": "Fractionnement de la réponse", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rôle", "Rosé Pine": "Pin rosé", diff --git a/src/lib/i18n/locales/fr-FR/translation.json b/src/lib/i18n/locales/fr-FR/translation.json index 70ffd22abf2c8484d1f22118b6b6925e932bffdf..f0d6b3c31947df6795a573dfaaa796f5e2d7e7c1 100644 --- a/src/lib/i18n/locales/fr-FR/translation.json +++ b/src/lib/i18n/locales/fr-FR/translation.json @@ -3,8 +3,8 @@ "(e.g. `sh webui.sh --api --api-auth username_password`)": "(par ex. `sh webui.sh --api --api-auth username_password`)", "(e.g. `sh webui.sh --api`)": "(par exemple `sh webui.sh --api`)", "(latest)": "(dernière version)", - "{{ models }}": "{{ modèles }}", - "{{ owner }}: You cannot delete a base model": "{{ propriétaire }} : Vous ne pouvez pas supprimer un modèle de base.", + "{{ models }}": "{{ models }}", + "{{ owner }}: You cannot delete a base model": "{{ owner }} : Vous ne pouvez pas supprimer un modèle de base.", "{{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", @@ -20,28 +20,28 @@ "Add": "Ajouter", "Add a model id": "Ajouter un identifiant de modèle", "Add a short description about what this model does": "Ajoutez une brève description de ce que fait ce modèle.", - "Add a short title for this prompt": "Ajoutez un bref titre pour cette prompt.", - "Add a tag": "Ajouter une étiquette", - "Add Arena Model": "", + "Add a short title for this prompt": "Ajoutez un bref titre pour ce prompt.", + "Add a tag": "Ajouter un tag", + "Add Arena Model": "Ajouter un modèle d'arène", "Add Content": "Ajouter du contenu", "Add content here": "Ajoutez du contenu ici", - "Add custom prompt": "Ajouter une prompt personnalisée", + "Add custom prompt": "Ajouter un prompt personnalisé", "Add Files": "Ajouter des fichiers", "Add Memory": "Ajouter de la mémoire", "Add Model": "Ajouter un modèle", - "Add Tag": "Ajouter une étiquette", - "Add Tags": "Ajouter des étiquettes", - "Add text content": "Ajouter du contenu texte", + "Add Tag": "Ajouter un tag", + "Add Tags": "Ajouter des tags", + "Add text content": "Ajouter du contenu textuel", "Add User": "Ajouter un utilisateur", "Adjusting these settings will apply changes universally to all users.": "L'ajustement de ces paramètres appliquera universellement les changements à tous les utilisateurs.", "admin": "administrateur", "Admin": "Administrateur", "Admin Panel": "Panneau d'administration", "Admin Settings": "Paramètres admin.", - "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Les administrateurs ont accès à tous les outils en tout temps ; il faut attribuer des outils aux utilisateurs par modèle dans l'espace de travail.", + "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Les administrateurs ont accès à tous les outils en permanence ; les utilisateurs doivent se voir attribuer des outils pour chaque modèle dans l’espace de travail.", "Advanced Parameters": "Paramètres avancés", "Advanced Params": "Paramètres avancés", - "All chats": "", + "All chats": "Toutes les conversations", "All Documents": "Tous les documents", "Allow Chat Deletion": "Autoriser la suppression de l'historique de chat", "Allow Chat Editing": "Autoriser la modification de l'historique de chat", @@ -53,22 +53,22 @@ "Already have an account?": "Avez-vous déjà un compte ?", "an assistant": "un assistant", "and": "et", - "and {{COUNT}} more": "", + "and {{COUNT}} more": "et {{COUNT}} autres", "and create a new shared link.": "et créer un nouveau lien partagé.", "API Base URL": "URL de base de l'API", "API Key": "Clé d'API", "API Key created.": "Clé d'API générée.", "API keys": "Clés d'API", "April": "Avril", - "Archive": "Archivage", + "Archive": "Archiver", "Archive All Chats": "Archiver toutes les conversations", "Archived Chats": "Conversations archivées", "are allowed - Activate this command by typing": "sont autorisés - Activer cette commande en tapant", "Are you sure?": "Êtes-vous certain ?", - "Arena Models": "", + "Arena Models": "Modèles d'arène", "Artifacts": "Artéfacts", "Ask a question": "Posez votre question", - "Assistant": "", + "Assistant": "Assistant", "Attach file": "Joindre un document", "Attention to detail": "Attention aux détails", "Audio": "Audio", @@ -97,14 +97,14 @@ "Cancel": "Annuler", "Capabilities": "Capacités", "Change Password": "Changer le mot de passe", - "Character": "", + "Character": "Caractère", "Chat": "Chat", "Chat Background Image": "Image d'arrière-plan de la fenêtre de chat", "Chat Bubble UI": "Bulles de chat", "Chat Controls": "Contrôles du chat", "Chat direction": "Direction du chat", "Chat Overview": "Aperçu du chat", - "Chat Tags Auto-Generation": "", + "Chat Tags Auto-Generation": "Génération automatique des tags", "Chats": "Conversations", "Check Again": "Vérifiez à nouveau.", "Check for updates": "Vérifier les mises à jour disponibles", @@ -114,21 +114,21 @@ "Chunk Params": "Paramètres des chunks", "Chunk Size": "Taille des chunks", "Citation": "Citation", - "Clear memory": "Libérer la mémoire", + "Clear memory": "Effacer la mémoire", "Click here for help.": "Cliquez ici pour obtenir de l'aide.", "Click here to": "Cliquez ici pour", "Click here to download user import template file.": "Cliquez ici pour télécharger le fichier modèle d'importation des utilisateurs.", - "Click here to learn more about faster-whisper and see the available models.": "", + "Click here to learn more about faster-whisper and see the available models.": "Cliquez ici pour en savoir plus sur faster-whisper et voir les modèles disponibles.", "Click here to select": "Cliquez ici pour sélectionner", "Click here to select a csv file.": "Cliquez ici pour sélectionner un fichier .csv.", "Click here to select a py file.": "Cliquez ici pour sélectionner un fichier .py.", "Click here to upload a workflow.json file.": "Cliquez ici pour télécharger un fichier workflow.json.", "click here.": "cliquez ici.", - "Click on the user role button to change a user's role.": "Cliquez sur le bouton de rôle d'utilisateur pour modifier le rôle d'un utilisateur.", + "Click on the user role button to change a user's role.": "Cliquez sur le bouton de rôle d'utilisateur pour modifier son rôle.", "Clipboard write permission denied. Please check your browser settings to grant the necessary access.": "L'autorisation d'écriture du presse-papier a été refusée. Veuillez vérifier les paramètres de votre navigateur pour accorder l'accès nécessaire.", "Clone": "Cloner", "Close": "Fermer", - "Code execution": "", + "Code execution": "Exécution de code", "Code formatted successfully": "Le code a été formaté avec succès", "Collection": "Collection", "ComfyUI": "ComfyUI", @@ -137,7 +137,7 @@ "ComfyUI Workflow": "Flux de travaux de ComfyUI", "ComfyUI Workflow Nodes": "Noeud du flux de travaux de ComfyUI", "Command": "Commande", - "Completions": "", + "Completions": "Complétions", "Concurrent Requests": "Demandes concurrentes", "Confirm": "Confirmer", "Confirm Password": "Confirmer le mot de passe", @@ -154,18 +154,18 @@ "Copied": "Copié", "Copied shared chat URL to clipboard!": "URL du chat copié dans le presse-papiers !", "Copied to clipboard": "Copié dans le presse-papiers", - "Copy": "Copie", + "Copy": "Copier", "Copy last code block": "Copier le dernier bloc de code", "Copy last response": "Copier la dernière réponse", "Copy Link": "Copier le lien", - "Copy to clipboard": "", + "Copy to clipboard": "Copier dans le presse-papiers", "Copying to clipboard was successful!": "La copie dans le presse-papiers a réussi !", "Create a model": "Créer un modèle", "Create Account": "Créer un compte", "Create Knowledge": "Créer une connaissance", "Create new key": "Créer une nouvelle clé", "Create new secret key": "Créer une nouvelle clé secrète", - "Created at": "Créé à", + "Created at": "Créé le", "Created At": "Créé le", "Created by": "Créé par", "CSV Import": "Import CSV", @@ -190,9 +190,9 @@ "Delete chat": "Supprimer la conversation", "Delete Chat": "Supprimer la Conversation", "Delete chat?": "Supprimer la conversation ?", - "Delete folder?": "", + "Delete folder?": "Supprimer le dossier ?", "Delete function?": "Supprimer la fonction ?", - "Delete prompt?": "Supprimer la prompt ?", + "Delete prompt?": "Supprimer le prompt ?", "delete this link": "supprimer ce lien", "Delete tool?": "Effacer l'outil ?", "Delete User": "Supprimer le compte d'utilisateur", @@ -201,10 +201,10 @@ "Description": "Description", "Didn't fully follow instructions": "N'a pas entièrement respecté les instructions", "Disabled": "Désactivé", - "Discover a function": "Découvrez une fonction", - "Discover a model": "Découvrir un modèle", - "Discover a prompt": "Découvrir une suggestion", - "Discover a tool": "Découvrez un outil", + "Discover a function": "Trouvez une fonction", + "Discover a model": "Trouvez un modèle", + "Discover a prompt": "Trouvez un prompt", + "Discover a tool": "Trouvez un outil", "Discover, download, and explore custom functions": "Découvrez, téléchargez et explorez des fonctions personnalisées", "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", @@ -217,7 +217,7 @@ "Document": "Document", "Documentation": "Documentation", "Documents": "Documents", - "does not make any external connections, and your data stays securely on your locally hosted server.": "ne fait aucune connexion externe et garde vos données en sécurité sur votre serveur local.", + "does not make any external connections, and your data stays securely on your locally hosted server.": "n'établit aucune connexion externe et garde vos données en sécurité sur votre serveur local.", "Don't have an account?": "Vous n'avez pas de compte ?", "don't install random functions from sources you don't trust.": "n'installez pas de fonctions aléatoires provenant de sources auxquelles vous ne faites pas confiance.", "don't install random tools from sources you don't trust.": "n'installez pas d'outils aléatoires provenant de sources auxquelles vous ne faites pas confiance.", @@ -226,11 +226,11 @@ "Download": "Télécharger", "Download canceled": "Téléchargement annulé", "Download Database": "Télécharger la base de données", - "Draw": "", + "Draw": "Match nul", "Drop any files here to add to the conversation": "Déposez des fichiers ici pour les ajouter à la conversation", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "par ex. '30s', '10 min'. Les unités de temps valides sont 's', 'm', 'h'.", "Edit": "Modifier", - "Edit Arena Model": "", + "Edit Arena Model": "Modifier le modèle d'arène", "Edit Memory": "Modifier la mémoire", "Edit User": "Modifier l'utilisateur", "ElevenLabs": "ElevenLabs", @@ -254,14 +254,14 @@ "Enter CFG Scale (e.g. 7.0)": "Entrez l'échelle CFG (par ex. 7.0)", "Enter Chunk Overlap": "Entrez le chevauchement des chunks", "Enter Chunk Size": "Entrez la taille des chunks", - "Enter description": "", + "Enter description": "Entrez la description", "Enter Github Raw URL": "Entrez l'URL brute de GitHub", "Enter Google PSE API Key": "Entrez la clé API Google PSE", "Enter Google PSE Engine Id": "Entrez l'identifiant du moteur Google PSE", "Enter Image Size (e.g. 512x512)": "Entrez la taille de l'image (par ex. 512x512)", "Enter language codes": "Entrez les codes de langue", "Enter Model ID": "Entrez l'ID du modèle", - "Enter model tag (e.g. {{modelTag}})": "Entrez l'étiquette du modèle (par ex. {{modelTag}})", + "Enter model tag (e.g. {{modelTag}})": "Entrez le tag du modèle (par ex. {{modelTag}})", "Enter Number of Steps (e.g. 50)": "Entrez le nombre d'étapes (par ex. 50)", "Enter Sampler (e.g. Euler a)": "Entrez le sampler (par ex. Euler a)", "Enter Scheduler (e.g. Karras)": "Entrez le planificateur (par ex. Karras)", @@ -273,7 +273,7 @@ "Enter Serply API Key": "Entrez la clé API Serply", "Enter Serpstack API Key": "Entrez la clé API Serpstack", "Enter stop sequence": "Entrez la séquence d'arrêt", - "Enter system prompt": "Entrez le prompt du système", + "Enter system prompt": "Entrez le prompt système", "Enter Tavily API Key": "Entrez la clé API Tavily", "Enter Tika Server URL": "Entrez l'URL du serveur Tika", "Enter Top K": "Entrez les Top K", @@ -285,28 +285,28 @@ "Enter Your Password": "Entrez votre mot de passe", "Enter Your Role": "Entrez votre rôle", "Error": "Erreur", - "ERROR": "", - "Evaluations": "", - "Exclude": "", + "ERROR": "ERREUR", + "Evaluations": "Évaluations", + "Exclude": "Exclure", "Experimental": "Expérimental", "Export": "Exportation", - "Export All Chats (All Users)": "Exporter toutes les conversations (pour tous les utilisateurs)", + "Export All Chats (All Users)": "Exporter toutes les conversations (de tous les utilisateurs)", "Export chat (.json)": "Exporter la conversation (.json)", "Export Chats": "Exporter les conversations", "Export Config to JSON File": "Exporter la configuration vers un fichier JSON", - "Export Functions": "Exportez des fonctions", + "Export Functions": "Exporter des fonctions", "Export LiteLLM config.yaml": "Exportez le fichier LiteLLM config.yaml", "Export Models": "Exporter des modèles", "Export Prompts": "Exporter des prompts", - "Export Tools": "Outils d'exportation", + "Export Tools": "Exporter des outils", "External Models": "Modèles externes", - "Failed to add file.": "", + "Failed to add file.": "Échec de l'ajout du fichier.", "Failed to create API Key.": "Échec de la création de la clé API.", "Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers", "Failed to update settings": "Échec de la mise à jour des paramètres", "Failed to upload file.": "Échec du téléchargement du fichier.", "February": "Février", - "Feedback History": "", + "Feedback History": "Historique des avis", "Feel free to add specific details": "N'hésitez pas à ajouter des détails spécifiques", "File": "Fichier", "File added successfully.": "Fichier ajouté avec succès.", @@ -320,17 +320,17 @@ "Filter is now globally enabled": "Le filtre est désormais activé globalement", "Filters": "Filtres", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Spoofing détecté : impossible d'utiliser les initiales comme avatar. Retour à l'image de profil par défaut.", - "Fluidly stream large external response chunks": "Streaming fluide de gros morceaux de réponses externes", - "Focus chat input": "Se concentrer sur le chat en entrée", - "Folder deleted successfully": "", - "Folder name cannot be empty": "", - "Folder name cannot be empty.": "", - "Folder name updated successfully": "", + "Fluidly stream large external response chunks": "Streaming fluide de gros chunks de réponses externes", + "Focus chat input": "Mettre le focus sur le champ de chat", + "Folder deleted successfully": "Dossier supprimé avec succès", + "Folder name cannot be empty": "Le nom du dossier ne peut pas être vide", + "Folder name cannot be empty.": "Le nom du dossier ne peut pas être vide.", + "Folder name updated successfully": "Le nom du dossier a été mis à jour avec succès", "Followed instructions perfectly": "A parfaitement suivi les instructions", "Form": "Formulaire", - "Format your variables using brackets like this:": "", + "Format your variables using brackets like this:": "Formatez vos variables en utilisant des parenthèses comme ceci :", "Frequency Penalty": "Pénalité de fréquence", - "Function": "", + "Function": "Fonction", "Function created successfully": "La fonction a été créée avec succès", "Function deleted successfully": "Fonction supprimée avec succès", "Function Description (e.g. A filter to remove profanity from text)": "Description de la fonction (par ex. Un filtre pour supprimer les grossièretés d'un texte)", @@ -358,41 +358,41 @@ "has no conversations.": "n'a aucune conversation.", "Hello, {{name}}": "Bonjour, {{name}}.", "Help": "Aide", - "Help us create the best community leaderboard by sharing your feedback history!": "", + "Help us create the best community leaderboard by sharing your feedback history!": "Aidez-nous à créer le meilleur classement communautaire en partageant votre historique des avis !", "Hide": "Cacher", "Hide Model": "Masquer le modèle", - "How can I help you today?": "Comment puis-je vous être utile aujourd'hui ?", + "How can I help you today?": "Comment puis-je vous aider aujourd'hui ?", "Hybrid Search": "Recherche hybride", "I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "Je reconnais avoir lu et compris les implications de mes actions. Je suis conscient des risques associés à l'exécution d'un code arbitraire et j'ai vérifié la fiabilité de la source.", - "ID": "", + "ID": "ID", "Image Generation (Experimental)": "Génération d'images (expérimental)", "Image Generation Engine": "Moteur de génération d'images", "Image Settings": "Paramètres de génération d'images", "Images": "Images", "Import Chats": "Importer les conversations", "Import Config from JSON File": "Importer la configuration depuis un fichier JSON", - "Import Functions": "Import de fonctions", + "Import Functions": "Importer des fonctions", "Import Models": "Importer des modèles", "Import Prompts": "Importer des prompts", - "Import Tools": "Outils d'importation", - "Include": "", + "Import Tools": "Importer des outils", + "Include": "Inclure", "Include `--api-auth` flag when running stable-diffusion-webui": "Inclure le drapeau `--api-auth` lors de l'exécution de stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Inclure le drapeau `--api` lorsque vous exécutez stable-diffusion-webui", "Info": "Info", - "Input commands": "Entrez les commandes", - "Install from Github URL": "Installer depuis l'URL GitHub", + "Input commands": "Commandes d'entrée", + "Install from Github URL": "Installer depuis une URL GitHub", "Instant Auto-Send After Voice Transcription": "Envoi automatique après la transcription", "Interface": "Interface utilisateur", - "Invalid file format.": "", - "Invalid Tag": "Étiquette non valide", + "Invalid file format.": "Format de fichier non valide.", + "Invalid Tag": "Tag non valide", "January": "Janvier", "join our Discord for help.": "Rejoignez notre Discord pour obtenir de l'aide.", "JSON": "JSON", "JSON Preview": "Aperçu JSON", "July": "Juillet", "June": "Juin", - "JWT Expiration": "Expiration du jeton JWT", - "JWT Token": "Jeton JWT", + "JWT Expiration": "Expiration du token JWT", + "JWT Token": "Token JWT", "Keep Alive": "Temps de maintien connecté", "Keyboard shortcuts": "Raccourcis clavier", "Knowledge": "Connaissances", @@ -405,28 +405,28 @@ "large language models, locally.": "grand modèle de langage, localement.", "Last Active": "Dernière activité", "Last Modified": "Dernière modification", - "Leaderboard": "", + "Leaderboard": "Classement", "Leave empty for unlimited": "Laissez vide pour illimité", - "Leave empty to include all models or select specific models": "", + "Leave empty to include all models or select specific models": "Laissez vide pour inclure tous les modèles ou sélectionnez des modèles spécifiques", "Leave empty to use the default prompt, or enter a custom prompt": "Laissez vide pour utiliser le prompt par défaut, ou entrez un prompt personnalisé", "Light": "Clair", "Listening...": "Écoute en cours...", "LLMs can make mistakes. Verify important information.": "Les LLM peuvent faire des erreurs. Vérifiez les informations importantes.", "Local Models": "Modèles locaux", - "Lost": "", + "Lost": "Perdu", "LTR": "LTR", "Made by OpenWebUI Community": "Réalisé par la communauté OpenWebUI", "Make sure to enclose them with": "Assurez-vous de les inclure dans", "Make sure to export a workflow.json file as API format from ComfyUI.": "Veillez à exporter un fichier workflow.json au format API depuis ComfyUI.", "Manage": "Gérer", - "Manage Arena Models": "", + "Manage Arena Models": "Gérer les modèles d'arène", "Manage Models": "Gérer les modèles", "Manage Ollama Models": "Gérer les modèles Ollama", "Manage Pipelines": "Gérer les pipelines", "March": "Mars", - "Max Tokens (num_predict)": "Tokens maximaux (num_predict)", - "Max Upload Count": "Nombre maximal", - "Max Upload Size": "Taille maximale", + "Max Tokens (num_predict)": "Nb max de tokens (num_predict)", + "Max Upload Count": "Nombre maximal de téléversements", + "Max Upload Size": "Limite de taille de téléversement", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Un maximum de 3 modèles peut être téléchargé en même temps. Veuillez réessayer ultérieurement.", "May": "Mai", "Memories accessible by LLMs will be shown here.": "Les mémoires accessibles par les LLMs seront affichées ici.", @@ -436,7 +436,7 @@ "Memory deleted successfully": "La mémoire a été supprimée avec succès", "Memory updated successfully": "La mémoire a été mise à jour avec succès", "Merge Responses": "Fusionner les réponses", - "Message rating should be enabled to use this feature": "", + "Message rating should be enabled to use this feature": "L'évaluation des messages doit être activée pour utiliser cette fonctionnalité", "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Les messages que vous envoyez après avoir créé votre lien ne seront pas partagés. Les utilisateurs disposant de l'URL pourront voir la conversation partagée.", "Min P": "P min", "Minimum Score": "Score minimal", @@ -446,7 +446,7 @@ "MMMM DD, YYYY": "DD MMMM YYYY", "MMMM DD, YYYY HH:mm": "DD MMMM YYYY HH:mm", "MMMM DD, YYYY hh:mm:ss A": "DD MMMM YYYY HH:mm:ss", - "Model": "", + "Model": "Modèle", "Model '{{modelName}}' has been successfully downloaded.": "Le modèle '{{modelName}}' a été téléchargé avec succès.", "Model '{{modelTag}}' is already in queue for downloading.": "Le modèle '{{modelTag}}' est déjà dans la file d'attente pour le téléchargement.", "Model {{modelId}} not found": "Modèle {{modelId}} introuvable", @@ -457,7 +457,7 @@ "Model created successfully!": "Le modèle a été créé avec succès !", "Model filesystem path detected. Model shortname is required for update, cannot continue.": "Chemin du système de fichiers de modèle détecté. Le nom court du modèle est requis pour la mise à jour, l'opération ne peut pas être poursuivie.", "Model ID": "ID du modèle", - "Model Name": "", + "Model Name": "Nom du modèle", "Model not selected": "Modèle non sélectionné", "Model Params": "Paramètres du modèle", "Model updated successfully": "Le modèle a été mis à jour avec succès", @@ -465,31 +465,32 @@ "Model(s) Whitelisted": "Modèle(s) Autorisé(s)", "Modelfile Content": "Contenu du Fichier de Modèle", "Models": "Modèles", - "more": "", - "More": "Plus de", + "more": "plus", + "More": "Plus", "Move to Top": "Déplacer en haut", "Name": "Nom d'utilisateur", "Name your model": "Nommez votre modèle", "New Chat": "Nouvelle conversation", - "New folder": "", + "New folder": "Nouveau dossier", "New Password": "Nouveau mot de passe", - "No content found": "", + "No content found": "Aucun contenu trouvé", "No content to speak": "Rien à signaler", - "No distance available": "", - "No feedbacks found": "", + "No distance available": "Aucune distance disponible", + "No feedbacks found": "Aucun avis trouvé", "No file selected": "Aucun fichier sélectionné", - "No files found.": "", + "No files found.": "Aucun fichier trouvé.", "No HTML, CSS, or JavaScript content found.": "Aucun contenu HTML, CSS ou JavaScript trouvé.", "No knowledge found": "Aucune connaissance trouvée", - "No models found": "", + "No models found": "Aucun modèle trouvé", "No results found": "Aucun résultat trouvé", "No search query generated": "Aucune requête de recherche générée", "No source available": "Aucune source n'est disponible", "No valves to update": "Aucune vanne à mettre à jour", "None": "Aucun", "Not factually correct": "Non factuellement correct", - "Not helpful": "", + "Not helpful": "Pas utile", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Note : Si vous définissez un score minimum, seuls les documents ayant un score supérieur ou égal à ce score minimum seront retournés par la recherche.", + "Notes": "Notes", "Notifications": "Notifications", "November": "Novembre", "num_gpu (Ollama)": "num_gpu (Ollama)", @@ -497,7 +498,7 @@ "OAuth ID": "ID OAuth", "October": "Octobre", "Off": "Désactivé", - "Okay, Let's Go!": "D'accord, on y va !", + "Okay, Let's Go!": "D'accord, allons-y !", "OLED Dark": "Noir OLED", "Ollama": "Ollama", "Ollama API": "API Ollama", @@ -509,13 +510,13 @@ "Only alphanumeric characters and hyphens are allowed in the command string.": "Seuls les caractères alphanumériques et les tirets sont autorisés dans la chaîne de commande.", "Only collections can be edited, create a new knowledge base to edit/add documents.": "Seules les collections peuvent être modifiées, créez une nouvelle base de connaissance pour modifier/ajouter des documents.", "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.", - "Oops! There are files still uploading. Please wait for the upload to complete.": "", - "Oops! There was an error in the previous response.": "", + "Oops! There are files still uploading. Please wait for the upload to complete.": "Oups ! Des fichiers sont encore en cours de téléversement. Veuillez patienter jusqu'à la fin du téléversement.", + "Oops! There was an error in the previous response.": "Oups ! Il y a eu une erreur dans la réponse précédente.", "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oups\u00a0! Vous utilisez une méthode non prise en charge (frontend uniquement). Veuillez servir l'interface Web à partir du backend.", "Open file": "Ouvrir le fichier", "Open in full screen": "Ouvrir en plein écran", "Open new chat": "Ouvrir une nouvelle conversation", - "Open WebUI uses faster-whisper internally.": "", + "Open WebUI uses faster-whisper internally.": "Open WebUI utilise faster-whisper en interne.", "Open WebUI version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "La version Open WebUI (v{{OPEN_WEBUI_VERSION}}) est inférieure à la version requise (v{{REQUIRED_VERSION}})", "OpenAI": "OpenAI", "OpenAI API": "API compatibles OpenAI", @@ -524,12 +525,12 @@ "OpenAI URL/Key required.": "URL/Clé OpenAI requise.", "or": "ou", "Other": "Autre", - "OUTPUT": "", + "OUTPUT": "SORTIE", "Output format": "Format de sortie", "Overview": "Aperçu", "page": "page", "Password": "Mot de passe", - "PDF document (.pdf)": "Document au format PDF (.pdf)", + "PDF document (.pdf)": "Document au format PDF (.pdf)", "PDF Extract Images (OCR)": "Extraction d'images PDF (OCR)", "pending": "en attente", "Permission denied when accessing media devices": "Accès aux appareils multimédias refusé", @@ -546,7 +547,7 @@ "Plain text (.txt)": "Texte simple (.txt)", "Playground": "Playground", "Please carefully review the following warnings:": "Veuillez lire attentivement les avertissements suivants :", - "Please enter a prompt": "", + "Please enter a prompt": "Veuillez saisir un prompt", "Please fill in all fields.": "Veuillez remplir tous les champs.", "Please select a reason": "Veuillez sélectionner une raison", "Positive attitude": "Attitude positive", @@ -561,17 +562,17 @@ "Pull a model from Ollama.com": "Télécharger un modèle depuis Ollama.com", "Query Params": "Paramètres de requête", "RAG Template": "Modèle RAG", - "Rating": "", - "Re-rank models by topic similarity": "", + "Rating": "Note", + "Re-rank models by topic similarity": "Reclasser les modèles par similarité de sujet", "Read Aloud": "Lire à haute voix", "Record voice": "Enregistrer la voix", "Redirecting you to OpenWebUI Community": "Redirection vers la communauté OpenWebUI", "Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "Désignez-vous comme « Utilisateur » (par ex. « L'utilisateur apprend l'espagnol »)", - "References from": "", + "References from": "Références de", "Refused when it shouldn't have": "Refusé alors qu'il n'aurait pas dû l'être", "Regenerate": "Regénérer", - "Release Notes": "Notes de publication", - "Relevance": "", + "Release Notes": "Notes de mise à jour", + "Relevance": "Pertinence", "Remove": "Retirer", "Remove Model": "Retirer le modèle", "Rename": "Renommer", @@ -582,12 +583,13 @@ "Reranking model set to \"{{reranking_model}}\"": "Modèle de ré-ranking défini sur « {{reranking_model}} »", "Reset": "Réinitialiser", "Reset Upload Directory": "Réinitialiser le répertoire de téléchargement", - "Reset Vector Storage/Knowledge": "", + "Reset Vector Storage/Knowledge": "Réinitialiser le stockage vectoriel/connaissances", "Response AutoCopy to Clipboard": "Copie automatique de la réponse vers le presse-papiers", "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Les notifications de réponse ne peuvent pas être activées car les autorisations du site web ont été refusées. Veuillez vérifier les paramètres de votre navigateur pour accorder l'accès nécessaire.", "Response splitting": "Fractionnement de la réponse", - "Result": "", - "RK": "", + "Result": "Résultat", + "Rich Text Input for Chat": "Saisie de texte enrichi pour le chat", + "RK": "Rang", "Role": "Rôle", "Rosé Pine": "Pin rosé", "Rosé Pine Dawn": "Aube de Pin Rosé", @@ -599,7 +601,7 @@ "Save & Create": "Enregistrer & Créer", "Save & Update": "Enregistrer & Mettre à jour", "Save As Copy": "Enregistrer comme copie", - "Save Tag": "Enregistrer l'étiquette", + "Save Tag": "Enregistrer le tag", "Saved": "Enregistré", "Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "La sauvegarde des journaux de conversation directement dans le stockage de votre navigateur n'est plus prise en charge. Veuillez prendre un instant pour télécharger et supprimer vos journaux de conversation en cliquant sur le bouton ci-dessous. Ne vous inquiétez pas, vous pouvez facilement réimporter vos journaux de conversation dans le backend via", "Scroll to bottom when switching between branches": "Défiler vers le bas lors du passage d'une branche à l'autre", @@ -607,12 +609,12 @@ "Search a model": "Rechercher un modèle", "Search Chats": "Rechercher des conversations", "Search Collection": "Rechercher une collection", - "search for tags": "", + "search for tags": "Rechercher des tags", "Search Functions": "Rechercher des fonctions", "Search Knowledge": "Rechercher des connaissances", "Search Models": "Rechercher des modèles", "Search Prompts": "Rechercher des prompts", - "Search Query Generation Prompt": "Génération d'interrogation de recherche", + "Search Query Generation Prompt": "Rechercher des prompts de génération de requête", "Search Result Count": "Nombre de résultats de recherche", "Search Tools": "Rechercher des outils", "SearchApi API Key": "Clé API SearchApi", @@ -625,10 +627,10 @@ "Searxng Query URL": "URL de recherche Searxng", "See readme.md for instructions": "Voir le fichier readme.md pour les instructions", "See what's new": "Découvrez les nouvelles fonctionnalités", - "Seed": "Graine", + "Seed": "Seed", "Select a base model": "Sélectionnez un modèle de base", "Select a engine": "Sélectionnez un moteur", - "Select a file to view or drag and drop a file to upload": "", + "Select a file to view or drag and drop a file to upload": "Sélectionnez un fichier à afficher ou faites glisser et déposez un fichier à téléverser", "Select a function": "Sélectionnez une fonction", "Select a model": "Sélectionnez un modèle", "Select a pipeline": "Sélectionnez un pipeline", @@ -637,14 +639,14 @@ "Select an Ollama instance": "Sélectionnez une instance Ollama", "Select Engine": "Sélectionnez le moteur", "Select Knowledge": "Sélectionnez une connaissance", - "Select model": "Sélectionnez un modèle", + "Select model": "Sélectionner un modèle", "Select only one model to call": "Sélectionnez seulement un modèle pour appeler", "Selected model(s) do not support image inputs": "Les modèle(s) sélectionné(s) ne prennent pas en charge les entrées d'images", - "Semantic distance to query": "", + "Semantic distance to query": "Distance sémantique à la requête", "Send": "Envoyer", "Send a Message": "Envoyer un message", "Send message": "Envoyer un message", - "Sends `stream_options: { include_usage: true }` in the request.\nSupported providers will return token usage information in the response when set.": "", + "Sends `stream_options: { include_usage: true }` in the request.\nSupported providers will return token usage information in the response when set.": "Envoie `stream_options: { include_usage: true }` dans la requête.\nLes fournisseurs pris en charge renverront des informations sur l'utilisation des tokens dans la réponse lorsque cette option est activée.", "September": "Septembre", "Serper API Key": "Clé API Serper", "Serply API Key": "Clé API Serply", @@ -661,20 +663,20 @@ "Set Steps": "Définir le nombre d'étapes", "Set Task Model": "Définir le modèle de tâche", "Set Voice": "Choisir la voix", - "Set whisper model": "", + "Set whisper model": "Choisir le modèle Whisper", "Settings": "Paramètres", "Settings saved successfully!": "Paramètres enregistrés avec succès !", "Share": "Partager", "Share Chat": "Partage de conversation", "Share to OpenWebUI Community": "Partager avec la communauté OpenWebUI", "short-summary": "résumé concis", - "Show": "Montrer", - "Show Admin Details in Account Pending Overlay": "Afficher les coordonnées de l'administrateur dans l'écran du compte en attente", - "Show Model": "Montrer le modèle", + "Show": "Afficher", + "Show Admin Details in Account Pending Overlay": "Afficher les coordonnées de l'administrateur aux comptes en attente", + "Show Model": "Afficher le modèle", "Show shortcuts": "Afficher les raccourcis", - "Show your support!": "Montre ton soutien !", + "Show your support!": "Montrez votre soutien !", "Showcased creativity": "Créativité mise en avant", - "Sign in": "S'identifier", + "Sign in": "Connexion", "Sign in to {{WEBUI_NAME}}": "Connectez-vous à {{WEBUI_NAME}}", "Sign Out": "Déconnexion", "Sign up": "Inscrivez-vous", @@ -684,7 +686,7 @@ "Speech Playback Speed": "Vitesse de lecture de la parole", "Speech recognition error: {{error}}": "Erreur de reconnaissance vocale\u00a0: {{error}}", "Speech-to-Text Engine": "Moteur de reconnaissance vocale", - "Stop": "", + "Stop": "Stop", "Stop Sequence": "Séquence d'arrêt", "Stream Chat Response": "Streamer la réponse de la conversation", "STT Model": "Modèle de Speech-to-Text", @@ -692,28 +694,28 @@ "Subtitle (e.g. about the Roman Empire)": "Sous-titres (par ex. sur l'Empire romain)", "Success": "Réussite", "Successfully updated.": "Mise à jour réussie.", - "Suggested": "Sugéré", + "Suggested": "Suggéré", "Support": "Supporter", "Support this plugin:": "Supporter ce module", "Sync directory": "Synchroniser le répertoire", "System": "Système", - "System Instructions": "", - "System Prompt": "Prompt du système", - "Tags": "Étiquettes", - "Tags Generation Prompt": "", + "System Instructions": "Instructions système", + "System Prompt": "Prompt système", + "Tags": "Tags", + "Tags Generation Prompt": "Prompt de génération de tags", "Tap to interrupt": "Appuyez pour interrompre", "Tavily API Key": "Clé API Tavily", "Tell us more:": "Dites-nous en plus à ce sujet : ", "Temperature": "Température", "Template": "Template", "Temporary Chat": "Chat éphémère", - "Text Splitter": "", + "Text Splitter": "Text Splitter", "Text-to-Speech Engine": "Moteur de Text-to-Speech", "Tfs Z": "Tfs Z", "Thanks for your feedback!": "Merci pour vos commentaires !", "The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Les développeurs de ce plugin sont des bénévoles passionnés issus de la communauté. Si vous trouvez ce plugin utile, merci de contribuer à son développement.", - "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "", - "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "", + "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Le classement d'évaluation est basé sur le système de notation Elo et est mis à jour en temps réel.", + "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Le classement est actuellement en version bêta et nous pouvons ajuster les calculs de notation à mesure que nous peaufinons l'algorithme.", "The maximum file size in MB. If the file size exceeds this limit, the file will not be uploaded.": "La taille maximale du fichier en Mo. Si la taille du fichier dépasse cette limite, le fichier ne sera pas téléchargé.", "The maximum number of files that can be used at once in chat. If the number of files exceeds this limit, the files will not be uploaded.": "Le nombre maximal de fichiers pouvant être utilisés en même temps dans la conversation. Si le nombre de fichiers dépasse cette limite, les fichiers ne seront pas téléchargés.", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Le score doit être une valeur comprise entre 0,0 (0\u00a0%) et 1,0 (100\u00a0%).", @@ -723,18 +725,18 @@ "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Cela garantit que vos conversations précieuses soient sauvegardées en toute sécurité dans votre base de données backend. Merci !", "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Il s'agit d'une fonctionnalité expérimentale, elle peut ne pas fonctionner comme prévu et est sujette à modification à tout moment.", "This option will delete all existing files in the collection and replace them with newly uploaded files.": "Cette option supprimera tous les fichiers existants dans la collection et les remplacera par les fichiers nouvellement téléchargés.", - "This response was generated by \"{{model}}\"": "", + "This response was generated by \"{{model}}\"": "Cette réponse a été générée par \"{{model}}\"", "This will delete": "Cela supprimera", - "This will delete {{NAME}} and all its contents.": "", + "This will delete {{NAME}} and all its contents.": "Cela supprimera {{NAME}} et tout son contenu.", "This will reset the knowledge base and sync all files. Do you wish to continue?": "Cela réinitialisera la base de connaissances et synchronisera tous les fichiers. Souhaitez-vous continuer ?", "Thorough explanation": "Explication approfondie", "Tika": "Tika", "Tika Server URL required.": "URL du serveur Tika requise.", - "Tiktoken": "", + "Tiktoken": "Tiktoken", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Conseil\u00a0: mettez à jour plusieurs emplacements de variables consécutivement en appuyant sur la touche Tab dans l’entrée de chat après chaque remplacement.", "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 de titres", + "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 Prompt": "Prompt de génération de titre", "To access the available model names for downloading,": "Pour accéder aux noms des modèles disponibles,", @@ -742,18 +744,18 @@ "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "Pour accéder à l'interface Web, veuillez contacter l'administrateur. Les administrateurs peuvent gérer les statuts des utilisateurs depuis le panneau d'administration.", "To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "Pour attacher une base de connaissances ici, ajoutez-les d'abord à l'espace de travail « Connaissances ».", "to chat input.": "Vers la zone de chat.", - "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "", + "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "Pour protéger votre confidentialité, seules les notes, les identifiants de modèle, les tags et les métadonnées de vos commentaires sont partagés. Vos journaux de discussion restent privés et ne sont pas inclus.", "To select actions here, add them to the \"Functions\" workspace first.": "Pour sélectionner des actions ici, ajoutez-les d'abord à l'espace de travail « Fonctions ».", "To select filters here, add them to the \"Functions\" workspace first.": "Pour sélectionner des filtres ici, ajoutez-les d'abord à l'espace de travail « Fonctions ». ", - "To select toolkits here, add them to the \"Tools\" workspace first.": "Pour sélectionner des toolkits ici, ajoutez-les d'abord à l'espace de travail « Outils ». ", - "Toast notifications for new updates": "", + "To select toolkits here, add them to the \"Tools\" workspace first.": "Pour sélectionner des outils ici, ajoutez-les d'abord à l'espace de travail « Outils ». ", + "Toast notifications for new updates": "Notifications toast pour les nouvelles mises à jour", "Today": "Aujourd'hui", - "Toggle settings": "Basculer les paramètres", - "Toggle sidebar": "Basculer la barre latérale", - "Token": "", - "Tokens To Keep On Context Refresh (num_keep)": "Jeton à conserver lors du rafraîchissement du contexte (num_keep)", - "Too verbose": "", - "Tool": "", + "Toggle settings": "Afficher/masquer les paramètres", + "Toggle sidebar": "Afficher/masquer la barre latérale", + "Token": "Token", + "Tokens To Keep On Context Refresh (num_keep)": "Tokens à conserver lors du rafraîchissement du contexte (num_keep)", + "Too verbose": "Trop détaillé", + "Tool": "Outil", "Tool created successfully": "L'outil a été créé avec succès", "Tool deleted successfully": "Outil supprimé avec succès", "Tool imported successfully": "Outil importé avec succès", @@ -776,33 +778,33 @@ "Uh-oh! There was an issue connecting to {{provider}}.": "Oh non ! Un problème est survenu lors de la connexion à {{provider}}.", "UI": "UI", "Unpin": "Désépingler", - "Untagged": "", + "Untagged": "Pas de tag", "Update": "Mise à jour", "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", - "Updated": "", + "Updated": "Mis à jour", "Updated at": "Mise à jour le", - "Updated At": "", - "Upload": "Télécharger", + "Updated At": "Mise à jour le", + "Upload": "Téléverser", "Upload a GGUF model": "Téléverser un modèle GGUF", - "Upload directory": "Répertoire de téléchargement", - "Upload files": "Télécharger des fichiers", - "Upload Files": "Télécharger des fichiers", + "Upload directory": "Téléverser un dossier", + "Upload files": "Téléverser des fichiers", + "Upload Files": "Téléverser des fichiers", "Upload Pipeline": "Pipeline de téléchargement", "Upload Progress": "Progression de l'envoi", "URL Mode": "Mode d'URL", "Use '#' in the prompt input to load and include your knowledge.": "Utilisez '#' dans la zone de saisie du prompt pour charger et inclure vos connaissances.", - "Use Gravatar": "Utilisez Gravatar", + "Use Gravatar": "Utiliser Gravatar", "Use Initials": "Utiliser les initiales", "use_mlock (Ollama)": "Utiliser mlock (Ollama)", "use_mmap (Ollama)": "Utiliser mmap (Ollama)", "user": "utilisateur", - "User": "", + "User": "Utilisateur", "User location successfully retrieved.": "L'emplacement de l'utilisateur a été récupéré avec succès.", "User Permissions": "Permissions utilisateur", "Users": "Utilisateurs", - "Using the default arena model with all models. Click the plus button to add custom models.": "", + "Using the default arena model with all models. Click the plus button to add custom models.": "Utilisation du modèle d'arène par défaut avec tous les modèles. Cliquez sur le bouton plus pour ajouter des modèles personnalisés.", "Utilize": "Utilisez", "Valid time units:": "Unités de temps valides\u00a0:", "Valves": "Vannes", @@ -813,8 +815,8 @@ "Version": "version:", "Version {{selectedVersion}} of {{totalVersions}}": "Version {{selectedVersion}} de {{totalVersions}}", "Voice": "Voix", - "Voice Input": "", - "Warning": "Avertissement !", + "Voice Input": "Saisie vocale", + "Warning": "Avertissement", "Warning:": "Avertissement :", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Avertissement : Si vous mettez à jour ou modifiez votre modèle d'embedding, vous devrez réimporter tous les documents.", "Web": "Web", @@ -825,20 +827,20 @@ "Webhook URL": "URL du webhook", "WebUI Settings": "Paramètres de WebUI", "WebUI will make requests to": "WebUI effectuera des requêtes vers", - "What’s New in": "Quoi de neuf", + "What’s New in": "Quoi de neuf dans", "Whisper (Local)": "Whisper (local)", "Widescreen Mode": "Mode grand écran", - "Won": "", + "Won": "Gagné", "Workspace": "Espace de travail", "Write a prompt suggestion (e.g. Who are you?)": "Écrivez une suggestion de prompt (par exemple : Qui êtes-vous ?)", "Write a summary in 50 words that summarizes [topic or keyword].": "Rédigez un résumé de 50 mots qui résume [sujet ou mot-clé].", - "Write something...": "", + "Write something...": "Écrivez quelque chose...", "Yesterday": "Hier", "You": "Vous", "You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Vous ne pouvez discuter qu'avec un maximum de {{maxCount}} fichier(s) à la fois.", "You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Vous pouvez personnaliser vos interactions avec les LLM en ajoutant des mémoires à l'aide du bouton « Gérer » ci-dessous, ce qui les rendra plus utiles et mieux adaptées à vos besoins.", "You cannot clone a base model": "Vous ne pouvez pas cloner un modèle de base", - "You cannot upload an empty file.": "", + "You cannot upload an empty file.": "Vous ne pouvez pas envoyer un fichier vide.", "You have no archived conversations.": "Vous n'avez aucune conversation archivée.", "You have shared this chat": "Vous avez partagé cette conversation.", "You're a helpful assistant.": "Vous êtes un assistant efficace.", diff --git a/src/lib/i18n/locales/he-IL/translation.json b/src/lib/i18n/locales/he-IL/translation.json index 3de3ed105e99f5240284759bddf1ecadb7fea2dc..e069f152720b94d4e46544d29c93d3e4b6e082cc 100644 --- a/src/lib/i18n/locales/he-IL/translation.json +++ b/src/lib/i18n/locales/he-IL/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "לא נכון מבחינה עובדתית", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "הערה: אם תקבע ציון מינימלי, החיפוש יחזיר רק מסמכים עם ציון שגבוה או שווה לציון המינימלי.", + "Notes": "", "Notifications": "התראות", "November": "נובמבר", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "תפקיד", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/hi-IN/translation.json b/src/lib/i18n/locales/hi-IN/translation.json index 787679b8964e2b7e1d223d5ecdb19d0ac204e4cb..01255d3d04b1b8085e547cee5cbe987d130d7c05 100644 --- a/src/lib/i18n/locales/hi-IN/translation.json +++ b/src/lib/i18n/locales/hi-IN/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "तथ्यात्मक रूप से सही नहीं है", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ध्यान दें: यदि आप न्यूनतम स्कोर निर्धारित करते हैं, तो खोज केवल न्यूनतम स्कोर से अधिक या उसके बराबर स्कोर वाले दस्तावेज़ वापस लाएगी।", + "Notes": "", "Notifications": "सूचनाएं", "November": "नवंबर", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "भूमिका", "Rosé Pine": "रोसे पिन", diff --git a/src/lib/i18n/locales/hr-HR/translation.json b/src/lib/i18n/locales/hr-HR/translation.json index b7b606343ab07f36b03e6017f7878afdf17ad96b..12369fe79a442ee20f0718179f955f8f4f5edf63 100644 --- a/src/lib/i18n/locales/hr-HR/translation.json +++ b/src/lib/i18n/locales/hr-HR/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Nije činjenično točno", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Napomena: Ako postavite minimalnu ocjenu, pretraga će vratiti samo dokumente s ocjenom većom ili jednakom minimalnoj ocjeni.", + "Notes": "", "Notifications": "Obavijesti", "November": "Studeni", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Uloga", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/hu-HU/translation.json b/src/lib/i18n/locales/hu-HU/translation.json new file mode 100644 index 0000000000000000000000000000000000000000..809ff93bcf5d16dee1f5779e2514e9d709f02de6 --- /dev/null +++ b/src/lib/i18n/locales/hu-HU/translation.json @@ -0,0 +1,851 @@ +{ + "'s', 'm', 'h', 'd', 'w' or '-1' for no expiration.": "'s', 'm', 'h', 'd', 'w' vagy '-1' ha nincs lejárat.", + "(e.g. `sh webui.sh --api --api-auth username_password`)": "(pl. `sh webui.sh --api --api-auth username_password`)", + "(e.g. `sh webui.sh --api`)": "(pl. `sh webui.sh --api`)", + "(latest)": "(legújabb)", + "{{ models }}": "{{ modellek }}", + "{{ owner }}: You cannot delete a base model": "{{ owner }}: Nem törölhetsz alap modellt", + "{{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", + "A new version (v{{LATEST_VERSION}}) is now available.": "Új verzió (v{{LATEST_VERSION}}) érhető el.", + "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", + "Account": "Fiók", + "Account Activation Pending": "Fiók aktiválása folyamatban", + "Accurate information": "Pontos információ", + "Actions": "Műveletek", + "Active Users": "Aktív felhasználók", + "Add": "Hozzáadás", + "Add a model id": "Modell ID hozzáadása", + "Add a short description about what this model does": "Adj hozzá egy rövid leírást arról, hogy mit csinál ez a modell", + "Add a short title for this prompt": "Adj hozzá egy rövid címet ehhez a prompthoz", + "Add a tag": "Címke hozzáadása", + "Add Arena Model": "Arena modell hozzáadása", + "Add Content": "Tartalom hozzáadása", + "Add content here": "Tartalom hozzáadása ide", + "Add custom prompt": "Egyéni prompt hozzáadása", + "Add Files": "Fájlok hozzáadása", + "Add Memory": "Memória hozzáadása", + "Add Model": "Modell hozzáadása", + "Add Tag": "Címke hozzáadása", + "Add Tags": "Címkék hozzáadása", + "Add text content": "Szöveges tartalom hozzáadása", + "Add User": "Felhasználó hozzáadása", + "Adjusting these settings will apply changes universally to all users.": "Ezen beállítások módosítása minden felhasználóra érvényes lesz.", + "admin": "admin", + "Admin": "Admin", + "Admin Panel": "Admin Panel", + "Admin Settings": "Admin beállítások", + "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Az adminok mindig hozzáférnek minden eszközhöz; a felhasználóknak modellenként kell eszközöket hozzárendelni a munkaterületen.", + "Advanced Parameters": "Haladó paraméterek", + "Advanced Params": "Haladó paraméterek", + "All chats": "Minden beszélgetés", + "All Documents": "Minden dokumentum", + "Allow Chat Deletion": "Beszélgetések törlésének engedélyezése", + "Allow Chat Editing": "Beszélgetések szerkesztésének engedélyezése", + "Allow non-local voices": "Nem helyi hangok engedélyezése", + "Allow Temporary Chat": "Ideiglenes beszélgetés engedélyezése", + "Allow User Location": "Felhasználói helyzet engedélyezése", + "Allow Voice Interruption in Call": "Hang megszakítás engedélyezése hívás közben", + "alphanumeric characters and hyphens": "alfanumerikus karakterek és kötőjelek", + "Already have an account?": "Már van fiókod?", + "an assistant": "egy asszisztens", + "and": "és", + "and {{COUNT}} more": "és még {{COUNT}} db", + "and create a new shared link.": "és hozz létre egy új megosztott linket.", + "API Base URL": "API alap URL", + "API Key": "API kulcs", + "API Key created.": "API kulcs létrehozva.", + "API keys": "API kulcsok", + "April": "Április", + "Archive": "Archiválás", + "Archive All Chats": "Minden beszélgetés archiválása", + "Archived Chats": "Archivált beszélgetések", + "are allowed - Activate this command by typing": "engedélyezettek - Aktiváld ezt a parancsot a következő beírásával", + "Are you sure?": "Biztos vagy benne?", + "Arena Models": "Arena modellek", + "Artifacts": "Műtermékek", + "Ask a question": "Kérdezz valamit", + "Assistant": "Asszisztens", + "Attach file": "Fájl csatolása", + "Attention to detail": "Részletekre való odafigyelés", + "Audio": "Hang", + "August": "Augusztus", + "Auto-playback response": "Automatikus válasz lejátszás", + "Automatic1111": "Automatic1111", + "AUTOMATIC1111 Api Auth String": "AUTOMATIC1111 Api hitelesítési karakterlánc", + "AUTOMATIC1111 Base URL": "AUTOMATIC1111 alap URL", + "AUTOMATIC1111 Base URL is required.": "AUTOMATIC1111 alap URL szükséges.", + "Available list": "Elérhető lista", + "available!": "elérhető!", + "Azure AI Speech": "Azure AI beszéd", + "Azure Region": "Azure régió", + "Back": "Vissza", + "Bad Response": "Rossz válasz", + "Banners": "Bannerek", + "Base Model (From)": "Alap modell (Forrás)", + "Batch Size (num_batch)": "Köteg méret (num_batch)", + "before": "előtt", + "Being lazy": "Lustaság", + "Brave Search API Key": "Brave Search API kulcs", + "Bypass SSL verification for Websites": "SSL ellenőrzés kihagyása weboldalakhoz", + "Call": "Hívás", + "Call feature is not supported when using Web STT engine": "A hívás funkció nem támogatott Web STT motor használatakor", + "Camera": "Kamera", + "Cancel": "Mégse", + "Capabilities": "Képességek", + "Change Password": "Jelszó módosítása", + "Character": "Karakter", + "Chat": "Beszélgetés", + "Chat Background Image": "Beszélgetés háttérkép", + "Chat Bubble UI": "Beszélgetés buborék felület", + "Chat Controls": "Beszélgetés vezérlők", + "Chat direction": "Beszélgetés iránya", + "Chat Overview": "Beszélgetés áttekintés", + "Chat Tags Auto-Generation": "Beszélgetés címkék automatikus generálása", + "Chats": "Beszélgetések", + "Check Again": "Ellenőrzés újra", + "Check for updates": "Frissítések keresése", + "Checking for updates...": "Frissítések keresése...", + "Choose a model before saving...": "Válassz modellt mentés előtt...", + "Chunk Overlap": "Darab átfedés", + "Chunk Params": "Darab paraméterek", + "Chunk Size": "Darab méret", + "Citation": "Idézet", + "Clear memory": "Memória törlése", + "Click here for help.": "Kattints ide segítségért.", + "Click here to": "Kattints ide", + "Click here to download user import template file.": "Kattints ide a felhasználó importálási sablon letöltéséhez.", + "Click here to learn more about faster-whisper and see the available models.": "Kattints ide, hogy többet tudj meg a faster-whisperről és lásd az elérhető modelleket.", + "Click here to select": "Kattints ide a kiválasztáshoz", + "Click here to select a csv file.": "Kattints ide egy CSV fájl kiválasztásához.", + "Click here to select a py file.": "Kattints ide egy py fájl kiválasztásához.", + "Click here to upload a workflow.json file.": "Kattints ide egy workflow.json fájl feltöltéséhez.", + "click here.": "kattints ide.", + "Click on the user role button to change a user's role.": "Kattints a felhasználói szerep gombra a felhasználó szerepének módosításához.", + "Clipboard write permission denied. Please check your browser settings to grant the necessary access.": "Vágólap írási engedély megtagadva. Kérjük, ellenőrizd a böngésző beállításait a szükséges hozzáférés megadásához.", + "Clone": "Klónozás", + "Close": "Bezárás", + "Code execution": "Kód végrehajtás", + "Code formatted successfully": "Kód sikeresen formázva", + "Collection": "Gyűjtemény", + "ComfyUI": "ComfyUI", + "ComfyUI Base URL": "ComfyUI alap URL", + "ComfyUI Base URL is required.": "ComfyUI alap URL szükséges.", + "ComfyUI Workflow": "ComfyUI munkafolyamat", + "ComfyUI Workflow Nodes": "ComfyUI munkafolyamat csomópontok", + "Command": "Parancs", + "Completions": "Kiegészítések", + "Concurrent Requests": "Párhuzamos kérések", + "Confirm": "Megerősítés", + "Confirm Password": "Jelszó megerősítése", + "Confirm your action": "Erősítsd meg a műveletet", + "Connections": "Kapcsolatok", + "Contact Admin for WebUI Access": "Lépj kapcsolatba az adminnal a WebUI hozzáférésért", + "Content": "Tartalom", + "Content Extraction": "Tartalom kinyerés", + "Context Length": "Kontextus hossz", + "Continue Response": "Válasz folytatása", + "Continue with {{provider}}": "Folytatás {{provider}} szolgáltatóval", + "Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "Szabályozd, hogyan legyen felosztva az üzenet szövege a TTS kérésekhez. A 'Központozás' mondatokra bontja, a 'Bekezdések' bekezdésekre bontja, a 'Nincs' pedig egyetlen szövegként kezeli az üzenetet.", + "Controls": "Vezérlők", + "Copied": "Másolva", + "Copied shared chat URL to clipboard!": "Megosztott beszélgetés URL másolva a vágólapra!", + "Copied to clipboard": "Vágólapra másolva", + "Copy": "Másolás", + "Copy last code block": "Utolsó kódblokk másolása", + "Copy last response": "Utolsó válasz másolása", + "Copy Link": "Link másolása", + "Copy to clipboard": "Másolás a vágólapra", + "Copying to clipboard was successful!": "Sikeres másolás a vágólapra!", + "Create a model": "Modell létrehozása", + "Create Account": "Fiók létrehozása", + "Create Knowledge": "Tudás létrehozása", + "Create new key": "Új kulcs létrehozása", + "Create new secret key": "Új titkos kulcs létrehozása", + "Created at": "Létrehozva", + "Created At": "Létrehozva", + "Created by": "Létrehozta", + "CSV Import": "CSV importálás", + "Current Model": "Jelenlegi modell", + "Current Password": "Jelenlegi jelszó", + "Custom": "Egyéni", + "Customize models for a specific purpose": "Modellek testreszabása specifikus célra", + "Dark": "Sötét", + "Dashboard": "Irányítópult", + "Database": "Adatbázis", + "December": "December", + "Default": "Alapértelmezett", + "Default (Open AI)": "Alapértelmezett (Open AI)", + "Default (SentenceTransformers)": "Alapértelmezett (SentenceTransformers)", + "Default Model": "Alapértelmezett modell", + "Default model updated": "Alapértelmezett modell frissítve", + "Default Prompt Suggestions": "Alapértelmezett prompt javaslatok", + "Default User Role": "Alapértelmezett felhasználói szerep", + "Delete": "Törlés", + "Delete a model": "Modell törlése", + "Delete All Chats": "Minden beszélgetés törlése", + "Delete chat": "Beszélgetés törlése", + "Delete Chat": "Beszélgetés törlése", + "Delete chat?": "Törli a beszélgetést?", + "Delete folder?": "Törli a mappát?", + "Delete function?": "Törli a funkciót?", + "Delete prompt?": "Törli a promptot?", + "delete this link": "link törlése", + "Delete tool?": "Törli az eszközt?", + "Delete User": "Felhasználó törlése", + "Deleted {{deleteModelTag}}": "{{deleteModelTag}} törölve", + "Deleted {{name}}": "{{name}} törölve", + "Description": "Leírás", + "Didn't fully follow instructions": "Nem követte teljesen az utasításokat", + "Disabled": "Letiltva", + "Discover a function": "Funkció felfedezése", + "Discover a model": "Modell felfedezése", + "Discover a prompt": "Prompt felfedezése", + "Discover a tool": "Eszköz felfedezése", + "Discover, download, and explore custom functions": "Fedezz fel, tölts le és fedezz fel egyéni funkciókat", + "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", + "Dismissible": "Elutasítható", + "Display Emoji in Call": "Emoji megjelenítése hívásban", + "Display the username instead of You in the Chat": "Felhasználónév megjelenítése a 'Te' helyett a beszélgetésben", + "Do not install functions from sources you do not fully trust.": "Ne telepíts funkciókat olyan forrásokból, amelyekben nem bízol teljesen.", + "Do not install tools from sources you do not fully trust.": "Ne telepíts eszközöket olyan forrásokból, amelyekben nem bízol teljesen.", + "Document": "Dokumentum", + "Documentation": "Dokumentáció", + "Documents": "Dokumentumok", + "does not make any external connections, and your data stays securely on your locally hosted server.": "nem létesít külső kapcsolatokat, és az adataid biztonságban maradnak a helyileg hosztolt szervereden.", + "Don't have an account?": "Nincs még fiókod?", + "don't install random functions from sources you don't trust.": "ne telepíts véletlenszerű funkciókat olyan forrásokból, amelyekben nem bízol.", + "don't install random tools from sources you don't trust.": "ne telepíts véletlenszerű eszközöket olyan forrásokból, amelyekben nem bízol.", + "Don't like the style": "Nem tetszik a stílus", + "Done": "Kész", + "Download": "Letöltés", + "Download canceled": "Letöltés megszakítva", + "Download Database": "Adatbázis letöltése", + "Draw": "Rajzolás", + "Drop any files here to add to the conversation": "Húzz ide fájlokat a beszélgetéshez való hozzáadáshoz", + "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "pl. '30s','10m'. Érvényes időegységek: 's', 'm', 'h'.", + "Edit": "Szerkesztés", + "Edit Arena Model": "Arena modell szerkesztése", + "Edit Memory": "Memória szerkesztése", + "Edit User": "Felhasználó szerkesztése", + "ElevenLabs": "ElevenLabs", + "Email": "Email", + "Embedding Batch Size": "Beágyazási köteg méret", + "Embedding Model": "Beágyazási modell", + "Embedding Model Engine": "Beágyazási modell motor", + "Embedding model set to \"{{embedding_model}}\"": "Beágyazási modell beállítva: \"{{embedding_model}}\"", + "Enable Community Sharing": "Közösségi megosztás engedélyezése", + "Enable Message Rating": "Üzenet értékelés engedélyezése", + "Enable New Sign Ups": "Új regisztrációk engedélyezése", + "Enable Web Search": "Webes keresés engedélyezése", + "Enable Web Search Query Generation": "Webes keresési lekérdezés generálás engedélyezése", + "Enabled": "Engedélyezve", + "Engine": "Motor", + "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Győződj meg róla, hogy a CSV fájl tartalmazza ezt a 4 oszlopot ebben a sorrendben: Név, Email, Jelszó, Szerep.", + "Enter {{role}} message here": "Írd ide a {{role}} üzenetet", + "Enter a detail about yourself for your LLMs to recall": "Adj meg egy részletet magadról, amit az LLM-ek megjegyezhetnek", + "Enter api auth string (e.g. username:password)": "Add meg az API hitelesítési karakterláncot (pl. felhasználónév:jelszó)", + "Enter Brave Search API Key": "Add meg a Brave Search API kulcsot", + "Enter CFG Scale (e.g. 7.0)": "Add meg a CFG skálát (pl. 7.0)", + "Enter Chunk Overlap": "Add meg a darab átfedést", + "Enter Chunk Size": "Add meg a darab méretet", + "Enter description": "Add meg a leírást", + "Enter Github Raw URL": "Add meg a Github Raw URL-t", + "Enter Google PSE API Key": "Add meg a Google PSE API kulcsot", + "Enter Google PSE Engine Id": "Add meg a Google PSE motor azonosítót", + "Enter Image Size (e.g. 512x512)": "Add meg a kép méretet (pl. 512x512)", + "Enter language codes": "Add meg a nyelvi kódokat", + "Enter Model ID": "Add meg a modell azonosítót", + "Enter model tag (e.g. {{modelTag}})": "Add meg a modell címkét (pl. {{modelTag}})", + "Enter Number of Steps (e.g. 50)": "Add meg a lépések számát (pl. 50)", + "Enter Sampler (e.g. Euler a)": "Add meg a mintavételezőt (pl. Euler a)", + "Enter Scheduler (e.g. Karras)": "Add meg az ütemezőt (pl. Karras)", + "Enter Score": "Add meg a pontszámot", + "Enter SearchApi API Key": "Add meg a SearchApi API kulcsot", + "Enter SearchApi Engine": "Add meg a SearchApi motort", + "Enter Searxng Query URL": "Add meg a Searxng lekérdezési URL-t", + "Enter Serper API Key": "Add meg a Serper API kulcsot", + "Enter Serply API Key": "Add meg a Serply API kulcsot", + "Enter Serpstack API Key": "Add meg a Serpstack API kulcsot", + "Enter stop sequence": "Add meg a leállítási szekvenciát", + "Enter system prompt": "Add meg a rendszer promptot", + "Enter Tavily API Key": "Add meg a Tavily API kulcsot", + "Enter Tika Server URL": "Add meg a Tika szerver URL-t", + "Enter Top K": "Add meg a Top K értéket", + "Enter URL (e.g. http://127.0.0.1:7860/)": "Add meg az URL-t (pl. http://127.0.0.1:7860/)", + "Enter URL (e.g. http://localhost:11434)": "Add meg az URL-t (pl. http://localhost:11434)", + "Enter Your Email": "Add meg az email címed", + "Enter Your Full Name": "Add meg a teljes neved", + "Enter your message": "Írd be az üzeneted", + "Enter Your Password": "Add meg a jelszavad", + "Enter Your Role": "Add meg a szereped", + "Error": "Hiba", + "ERROR": "HIBA", + "Evaluations": "Értékelések", + "Exclude": "Kizárás", + "Experimental": "Kísérleti", + "Export": "Exportálás", + "Export All Chats (All Users)": "Minden beszélgetés exportálása (minden felhasználó)", + "Export chat (.json)": "Beszélgetés exportálása (.json)", + "Export Chats": "Beszélgetések exportálása", + "Export Config to JSON File": "Konfiguráció exportálása JSON fájlba", + "Export Functions": "Funkciók exportálása", + "Export LiteLLM config.yaml": "LiteLLM config.yaml exportálása", + "Export Models": "Modellek exportálása", + "Export Prompts": "Promptok exportálása", + "Export Tools": "Eszközök exportálása", + "External Models": "Külső modellek", + "Failed to add file.": "Nem sikerült hozzáadni a fájlt.", + "Failed to create API Key.": "Nem sikerült létrehozni az API kulcsot.", + "Failed to read clipboard contents": "Nem sikerült olvasni a vágólap tartalmát", + "Failed to update settings": "Nem sikerült frissíteni a beállításokat", + "Failed to upload file.": "Nem sikerült feltölteni a fájlt.", + "February": "Február", + "Feedback History": "Visszajelzés előzmények", + "Feel free to add specific details": "Nyugodtan adj hozzá specifikus részleteket", + "File": "Fájl", + "File added successfully.": "Fájl sikeresen hozzáadva.", + "File content updated successfully.": "Fájl tartalom sikeresen frissítve.", + "File Mode": "Fájl mód", + "File not found.": "Fájl nem található.", + "File removed successfully.": "Fájl sikeresen eltávolítva.", + "File size should not exceed {{maxSize}} MB.": "A fájl mérete nem haladhatja meg a {{maxSize}} MB-ot.", + "Files": "Fájlok", + "Filter is now globally disabled": "A szűrő globálisan letiltva", + "Filter is now globally enabled": "A szűrő globálisan engedélyezve", + "Filters": "Szűrők", + "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Ujjlenyomat hamisítás észlelve: Nem lehet a kezdőbetűket avatárként használni. Alapértelmezett profilkép használata.", + "Fluidly stream large external response chunks": "Nagy külső válasz darabok folyamatos streamelése", + "Focus chat input": "Chat bevitel fókuszálása", + "Folder deleted successfully": "Mappa sikeresen törölve", + "Folder name cannot be empty": "A mappa neve nem lehet üres", + "Folder name cannot be empty.": "A mappa neve nem lehet üres.", + "Folder name updated successfully": "Mappa neve sikeresen frissítve", + "Followed instructions perfectly": "Tökéletesen követte az utasításokat", + "Form": "Űrlap", + "Format your variables using brackets like this:": "Formázd a változóidat zárójelekkel így:", + "Frequency Penalty": "Gyakorisági büntetés", + "Function": "Funkció", + "Function created successfully": "Funkció sikeresen létrehozva", + "Function deleted successfully": "Funkció sikeresen törölve", + "Function Description (e.g. A filter to remove profanity from text)": "Funkció leírása (pl. Egy szűrő a trágár szavak eltávolításához a szövegből)", + "Function ID (e.g. my_filter)": "Funkció azonosító (pl. my_filter)", + "Function is now globally disabled": "A funkció globálisan letiltva", + "Function is now globally enabled": "A funkció globálisan engedélyezve", + "Function Name (e.g. My Filter)": "Funkció neve (pl. Saját szűrő)", + "Function updated successfully": "Funkció sikeresen frissítve", + "Functions": "Funkciók", + "Functions allow arbitrary code execution": "A funkciók tetszőleges kód végrehajtását teszik lehetővé", + "Functions allow arbitrary code execution.": "A funkciók tetszőleges kód végrehajtását teszik lehetővé.", + "Functions imported successfully": "Funkciók sikeresen importálva", + "General": "Általános", + "General Settings": "Általános beállítások", + "Generate Image": "Kép generálása", + "Generating search query": "Keresési lekérdezés generálása", + "Generation Info": "Generálási információ", + "Get up and running with": "Kezdj el dolgozni a következővel:", + "Global": "Globális", + "Good Response": "Jó válasz", + "Google PSE API Key": "Google PSE API kulcs", + "Google PSE Engine Id": "Google PSE motor azonosító", + "h:mm a": "h:mm a", + "Haptic Feedback": "Tapintási visszajelzés", + "has no conversations.": "nincsenek beszélgetései.", + "Hello, {{name}}": "Helló, {{name}}", + "Help": "Segítség", + "Help us create the best community leaderboard by sharing your feedback history!": "Segíts nekünk a legjobb közösségi ranglista létrehozásában a visszajelzési előzményeid megosztásával!", + "Hide": "Elrejtés", + "Hide Model": "Modell elrejtése", + "How can I help you today?": "Hogyan segíthetek ma?", + "Hybrid Search": "Hibrid keresés", + "I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "Elismerem, hogy elolvastam és megértem a cselekedetem következményeit. Tisztában vagyok a tetszőleges kód végrehajtásával járó kockázatokkal, és ellenőriztem a forrás megbízhatóságát.", + "ID": "Azonosító", + "Image Generation (Experimental)": "Képgenerálás (kísérleti)", + "Image Generation Engine": "Képgenerálási motor", + "Image Settings": "Kép beállítások", + "Images": "Képek", + "Import Chats": "Beszélgetések importálása", + "Import Config from JSON File": "Konfiguráció importálása JSON fájlból", + "Import Functions": "Funkciók importálása", + "Import Models": "Modellek importálása", + "Import Prompts": "Promptok importálása", + "Import Tools": "Eszközök importálása", + "Include": "Tartalmaz", + "Include `--api-auth` flag when running stable-diffusion-webui": "Add hozzá a `--api-auth` kapcsolót a stable-diffusion-webui futtatásakor", + "Include `--api` flag when running stable-diffusion-webui": "Add hozzá a `--api` kapcsolót a stable-diffusion-webui futtatásakor", + "Info": "Információ", + "Input commands": "Beviteli parancsok", + "Install from Github URL": "Telepítés Github URL-ről", + "Instant Auto-Send After Voice Transcription": "Azonnali automatikus küldés hangfelismerés után", + "Interface": "Felület", + "Invalid file format.": "Érvénytelen fájlformátum.", + "Invalid Tag": "Érvénytelen címke", + "January": "Január", + "join our Discord for help.": "Csatlakozz a Discord szerverünkhöz segítségért.", + "JSON": "JSON", + "JSON Preview": "JSON előnézet", + "July": "Július", + "June": "Június", + "JWT Expiration": "JWT lejárat", + "JWT Token": "JWT token", + "Keep Alive": "Kapcsolat fenntartása", + "Keyboard shortcuts": "Billentyűparancsok", + "Knowledge": "Tudásbázis", + "Knowledge created successfully.": "Tudásbázis sikeresen létrehozva.", + "Knowledge deleted successfully.": "Tudásbázis sikeresen törölve.", + "Knowledge reset successfully.": "Tudásbázis sikeresen visszaállítva.", + "Knowledge updated successfully": "Tudásbázis sikeresen frissítve", + "Landing Page Mode": "Kezdőlap mód", + "Language": "Nyelv", + "large language models, locally.": "nagy nyelvi modellek, helyileg.", + "Last Active": "Utoljára aktív", + "Last Modified": "Utoljára módosítva", + "Leaderboard": "Ranglista", + "Leave empty for unlimited": "Hagyja üresen a korlátlan használathoz", + "Leave empty to include all models or select specific models": "Hagyja üresen az összes modell használatához, vagy válasszon ki konkrét modelleket", + "Leave empty to use the default prompt, or enter a custom prompt": "Hagyja üresen az alapértelmezett prompt használatához, vagy adjon meg egyéni promptot", + "Light": "Világos", + "Listening...": "Hallgatás...", + "LLMs can make mistakes. Verify important information.": "Az LLM-ek hibázhatnak. Ellenőrizze a fontos információkat.", + "Local Models": "Helyi modellek", + "Lost": "Elveszett", + "LTR": "LTR", + "Made by OpenWebUI Community": "Az OpenWebUI közösség által készítve", + "Make sure to enclose them with": "Győződjön meg róla, hogy körülveszi őket", + "Make sure to export a workflow.json file as API format from ComfyUI.": "Győződjön meg róla, hogy exportál egy workflow.json fájlt API formátumban a ComfyUI-ból.", + "Manage": "Kezelés", + "Manage Arena Models": "Arena modellek kezelése", + "Manage Models": "Modellek kezelése", + "Manage Ollama Models": "Ollama modellek kezelése", + "Manage Pipelines": "Folyamatok kezelése", + "March": "Március", + "Max Tokens (num_predict)": "Maximum tokenek (num_predict)", + "Max Upload Count": "Maximum feltöltések száma", + "Max Upload Size": "Maximum feltöltési méret", + "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum 3 modell tölthető le egyszerre. Kérjük, próbálja újra később.", + "May": "Május", + "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", + "Memory cleared successfully": "Memória sikeresen törölve", + "Memory deleted successfully": "Memória sikeresen törölve", + "Memory updated successfully": "Memória sikeresen frissítve", + "Merge Responses": "Válaszok egyesítése", + "Message rating should be enabled to use this feature": "Az üzenetértékelésnek engedélyezve kell lennie ehhez a funkcióhoz", + "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "A link létrehozása után küldött üzenetei nem lesznek megosztva. A URL-lel rendelkező felhasználók megtekinthetik a megosztott beszélgetést.", + "Min P": "Min P", + "Minimum Score": "Minimum pontszám", + "Mirostat": "Mirostat", + "Mirostat Eta": "Mirostat Eta", + "Mirostat Tau": "Mirostat Tau", + "MMMM DD, YYYY": "YYYY. MMMM DD.", + "MMMM DD, YYYY HH:mm": "YYYY. MMMM DD. HH:mm", + "MMMM DD, YYYY hh:mm:ss A": "YYYY. MMMM DD. hh:mm:ss A", + "Model": "Modell", + "Model '{{modelName}}' has been successfully downloaded.": "A '{{modelName}}' modell sikeresen letöltve.", + "Model '{{modelTag}}' is already in queue for downloading.": "A '{{modelTag}}' modell már a letöltési sorban van.", + "Model {{modelId}} not found": "A {{modelId}} modell nem található", + "Model {{modelName}} is not vision capable": "A {{modelName}} modell nem képes képfeldolgozásra", + "Model {{name}} is now {{status}}": "A {{name}} modell most {{status}} állapotban van", + "Model {{name}} is now at the top": "A {{name}} modell most a lista tetején van", + "Model accepts image inputs": "A modell elfogad képbemenetet", + "Model created successfully!": "Modell sikeresen létrehozva!", + "Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modell fájlrendszer útvonal észlelve. A modell rövid neve szükséges a frissítéshez, nem folytatható.", + "Model ID": "Modell azonosító", + "Model Name": "Modell neve", + "Model not selected": "Nincs kiválasztva modell", + "Model Params": "Modell paraméterek", + "Model updated successfully": "Modell sikeresen frissítve", + "Model Whitelisting": "Modell fehérlista", + "Model(s) Whitelisted": "Fehérlistázott modell(ek)", + "Modelfile Content": "Modellfájl tartalom", + "Models": "Modellek", + "more": "több", + "More": "Több", + "Move to Top": "Mozgatás felülre", + "Name": "Név", + "Name your model": "Nevezze el a modelljét", + "New Chat": "Új beszélgetés", + "New folder": "Új mappa", + "New Password": "Új jelszó", + "No content found": "Nem található tartalom", + "No content to speak": "Nincs felolvasható tartalom", + "No distance available": "Nincs elérhető távolság", + "No feedbacks found": "Nem található visszajelzés", + "No file selected": "Nincs kiválasztva fájl", + "No files found.": "Nem található fájl.", + "No HTML, CSS, or JavaScript content found.": "Nem található HTML, CSS vagy JavaScript tartalom.", + "No knowledge found": "Nem található tudásbázis", + "No models found": "Nem található modell", + "No results found": "Nincs találat", + "No search query generated": "Nem generálódott keresési lekérdezés", + "No source available": "Nincs elérhető forrás", + "No valves to update": "Nincs frissítendő szelep", + "None": "Nincs", + "Not factually correct": "Tényszerűen nem helyes", + "Not helpful": "Nem segítőkész", + "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Megjegyzés: Ha minimum pontszámot állít be, a keresés csak olyan dokumentumokat ad vissza, amelyek pontszáma nagyobb vagy egyenlő a minimum pontszámmal.", + "Notes": "Jegyzetek", + "Notifications": "Értesítések", + "November": "November", + "num_gpu (Ollama)": "num_gpu (Ollama)", + "num_thread (Ollama)": "num_thread (Ollama)", + "OAuth ID": "OAuth azonosító", + "October": "Október", + "Off": "Ki", + "Okay, Let's Go!": "Rendben, kezdjük!", + "OLED Dark": "OLED sötét", + "Ollama": "Ollama", + "Ollama API": "Ollama API", + "Ollama API disabled": "Ollama API letiltva", + "Ollama API is disabled": "Az Ollama API le van tiltva", + "Ollama Version": "Ollama verzió", + "On": "Be", + "Only": "Csak", + "Only alphanumeric characters and hyphens are allowed in the command string.": "Csak alfanumerikus karakterek és kötőjelek engedélyezettek a parancssorban.", + "Only collections can be edited, create a new knowledge base to edit/add documents.": "Csak gyűjtemények szerkeszthetők, hozzon létre új tudásbázist dokumentumok szerkesztéséhez/hozzáadásához.", + "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.", + "Oops! There are files still uploading. Please wait for the upload to complete.": "Hoppá! Még vannak feltöltés alatt álló fájlok. Kérjük, várja meg a feltöltés befejezését.", + "Oops! There was an error in the previous response.": "Hoppá! Hiba történt az előző válaszban.", + "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Hoppá! Nem támogatott módszert használ (csak frontend). Kérjük, szolgálja ki a WebUI-t a backend-ről.", + "Open file": "Fájl megnyitása", + "Open in full screen": "Megnyitás teljes képernyőn", + "Open new chat": "Új beszélgetés megnyitása", + "Open WebUI uses faster-whisper internally.": "Az Open WebUI belsőleg a faster-whispert használja.", + "Open WebUI version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Az Open WebUI verzió (v{{OPEN_WEBUI_VERSION}}) alacsonyabb, mint a szükséges verzió (v{{REQUIRED_VERSION}})", + "OpenAI": "OpenAI", + "OpenAI API": "OpenAI API", + "OpenAI API Config": "OpenAI API konfiguráció", + "OpenAI API Key is required.": "OpenAI API kulcs szükséges.", + "OpenAI URL/Key required.": "OpenAI URL/kulcs szükséges.", + "or": "vagy", + "Other": "Egyéb", + "OUTPUT": "KIMENET", + "Output format": "Kimeneti formátum", + "Overview": "Áttekintés", + "page": "oldal", + "Password": "Jelszó", + "PDF document (.pdf)": "PDF dokumentum (.pdf)", + "PDF Extract Images (OCR)": "PDF képek kinyerése (OCR)", + "pending": "függőben", + "Permission denied when accessing media devices": "Hozzáférés megtagadva a médiaeszközökhöz", + "Permission denied when accessing microphone": "Hozzáférés megtagadva a mikrofonhoz", + "Permission denied when accessing microphone: {{error}}": "Hozzáférés megtagadva a mikrofonhoz: {{error}}", + "Personalization": "Személyre szabás", + "Pin": "Rögzítés", + "Pinned": "Rögzítve", + "Pipeline deleted successfully": "Folyamat sikeresen törölve", + "Pipeline downloaded successfully": "Folyamat sikeresen letöltve", + "Pipelines": "Folyamatok", + "Pipelines Not Detected": "Folyamatok nem észlelhetők", + "Pipelines Valves": "Folyamat szelepek", + "Plain text (.txt)": "Egyszerű szöveg (.txt)", + "Playground": "Játszótér", + "Please carefully review the following warnings:": "Kérjük, gondosan tekintse át a következő figyelmeztetéseket:", + "Please enter a prompt": "Kérjük, adjon meg egy promptot", + "Please fill in all fields.": "Kérjük, töltse ki az összes mezőt.", + "Please select a reason": "Kérjük, válasszon egy okot", + "Positive attitude": "Pozitív hozzáállás", + "Previous 30 days": "Előző 30 nap", + "Previous 7 days": "Előző 7 nap", + "Profile Image": "Profilkép", + "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 Content": "Prompt tartalom", + "Prompt suggestions": "Prompt javaslatok", + "Prompts": "Promptok", + "Pull \"{{searchValue}}\" from Ollama.com": "\"{{searchValue}}\" letöltése az Ollama.com-ról", + "Pull a model from Ollama.com": "Modell letöltése az Ollama.com-ról", + "Query Params": "Lekérdezési paraméterek", + "RAG Template": "RAG sablon", + "Rating": "Értékelés", + "Re-rank models by topic similarity": "Modellek újrarangsorolása téma hasonlóság alapján", + "Read Aloud": "Felolvasás", + "Record voice": "Hang rögzítése", + "Redirecting you to OpenWebUI Community": "Átirányítás az OpenWebUI közösséghez", + "Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "Hivatkozzon magára \"Felhasználó\"-ként (pl. \"A Felhasználó spanyolul tanul\")", + "References from": "Hivatkozások innen", + "Refused when it shouldn't have": "Elutasítva, amikor nem kellett volna", + "Regenerate": "Újragenerálás", + "Release Notes": "Kiadási jegyzetek", + "Relevance": "Relevancia", + "Remove": "Eltávolítás", + "Remove Model": "Modell eltávolítása", + "Rename": "Átnevezés", + "Repeat Last N": "Utolsó N ismétlése", + "Request Mode": "Kérési mód", + "Reranking Model": "Újrarangsoroló modell", + "Reranking model disabled": "Újrarangsoroló modell letiltva", + "Reranking model set to \"{{reranking_model}}\"": "Újrarangsoroló modell beállítva erre: \"{{reranking_model}}\"", + "Reset": "Visszaállítás", + "Reset Upload Directory": "Feltöltési könyvtár visszaállítása", + "Reset Vector Storage/Knowledge": "Vektor tárhely/tudásbázis visszaállítása", + "Response AutoCopy to Clipboard": "Válasz automatikus másolása a vágólapra", + "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "A válasz értesítések nem aktiválhatók, mert a weboldal engedélyei meg lettek tagadva. Kérjük, látogasson el a böngésző beállításaihoz a szükséges hozzáférés megadásához.", + "Response splitting": "Válasz felosztás", + "Result": "Eredmény", + "Rich Text Input for Chat": "Formázott szövegbevitel a chathez", + "RK": "RK", + "Role": "Szerep", + "Rosé Pine": "Rosé Pine", + "Rosé Pine Dawn": "Rosé Pine Dawn", + "RTL": "RTL", + "Run": "Futtatás", + "Run Llama 2, Code Llama, and other models. Customize and create your own.": "Futtassa a Llama 2-t, Code Llama-t és más modelleket. Testreszabhatja és létrehozhatja sajátjait.", + "Running": "Fut", + "Save": "Mentés", + "Save & Create": "Mentés és létrehozás", + "Save & Update": "Mentés és frissítés", + "Save As Copy": "Mentés másolatként", + "Save Tag": "Címke mentése", + "Saved": "Mentve", + "Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "A csevegési naplók közvetlen mentése a böngésző tárolójába már nem támogatott. Kérjük, szánjon egy percet a csevegési naplók letöltésére és törlésére az alábbi gomb megnyomásával. Ne aggódjon, könnyen újra importálhatja a csevegési naplókat a backend-be", + "Scroll to bottom when switching between branches": "Görgetés az aljára ágak közötti váltáskor", + "Search": "Keresés", + "Search a model": "Modell keresése", + "Search Chats": "Beszélgetések keresése", + "Search Collection": "Gyűjtemény keresése", + "search for tags": "címkék keresése", + "Search Functions": "Funkciók keresése", + "Search Knowledge": "Tudásbázis keresése", + "Search Models": "Modellek keresése", + "Search Prompts": "Promptok keresése", + "Search Query Generation Prompt": "Keresési lekérdezés generálási prompt", + "Search Result Count": "Keresési találatok száma", + "Search Tools": "Eszközök keresése", + "SearchApi API Key": "SearchApi API kulcs", + "SearchApi Engine": "SearchApi motor", + "Searched {{count}} sites_one": "{{count}} oldal keresve", + "Searched {{count}} sites_other": "{{count}} oldal keresve", + "Searching \"{{searchQuery}}\"": "Keresés: \"{{searchQuery}}\"", + "Searching Knowledge for \"{{searchQuery}}\"": "Tudásbázis keresése: \"{{searchQuery}}\"", + "Searxng Query URL": "Searxng lekérdezési URL", + "See readme.md for instructions": "Lásd a readme.md fájlt az útmutatásért", + "See what's new": "Újdonságok megtekintése", + "Seed": "Seed", + "Select a base model": "Válasszon egy alapmodellt", + "Select a engine": "Válasszon egy motort", + "Select a file to view or drag and drop a file to upload": "Válasszon ki egy fájlt megtekintésre vagy húzzon ide egy fájlt feltöltéshez", + "Select a function": "Válasszon egy funkciót", + "Select a model": "Válasszon egy modellt", + "Select a pipeline": "Válasszon egy folyamatot", + "Select a pipeline url": "Válasszon egy folyamat URL-t", + "Select a tool": "Válasszon egy eszközt", + "Select an Ollama instance": "Válasszon egy Ollama példányt", + "Select Engine": "Motor kiválasztása", + "Select Knowledge": "Tudásbázis kiválasztása", + "Select model": "Modell kiválasztása", + "Select only one model to call": "Csak egy modellt válasszon ki hívásra", + "Selected model(s) do not support image inputs": "A kiválasztott modell(ek) nem támogatják a képbemenetet", + "Semantic distance to query": "Szemantikai távolság a lekérdezéshez", + "Send": "Küldés", + "Send a Message": "Üzenet küldése", + "Send message": "Üzenet küldése", + "Sends `stream_options: { include_usage: true }` in the request.\nSupported providers will return token usage information in the response when set.": "A kérésben elküldi a `stream_options: { include_usage: true }` opciót.\nA támogatott szolgáltatók token használati információt küldenek vissza a válaszban, ha be van állítva.", + "September": "Szeptember", + "Serper API Key": "Serper API kulcs", + "Serply API Key": "Serply API kulcs", + "Serpstack API Key": "Serpstack API kulcs", + "Server connection verified": "Szerverkapcsolat ellenőrizve", + "Set as default": "Beállítás alapértelmezettként", + "Set CFG Scale": "CFG skála beállítása", + "Set Default Model": "Alapértelmezett modell beállítása", + "Set embedding model (e.g. {{model}})": "Beágyazási modell beállítása (pl. {{model}})", + "Set Image Size": "Képméret beállítása", + "Set reranking model (e.g. {{model}})": "Újrarangsoroló modell beállítása (pl. {{model}})", + "Set Sampler": "Mintavételező beállítása", + "Set Scheduler": "Ütemező beállítása", + "Set Steps": "Lépések beállítása", + "Set Task Model": "Feladat modell beállítása", + "Set Voice": "Hang beállítása", + "Set whisper model": "Whisper modell beállítása", + "Settings": "Beállítások", + "Settings saved successfully!": "Beállítások sikeresen mentve!", + "Share": "Megosztás", + "Share Chat": "Beszélgetés megosztása", + "Share to OpenWebUI Community": "Megosztás az OpenWebUI közösséggel", + "short-summary": "rövid-összefoglaló", + "Show": "Mutat", + "Show Admin Details in Account Pending Overlay": "Admin részletek megjelenítése a függő fiók átfedésben", + "Show Model": "Modell megjelenítése", + "Show shortcuts": "Gyorsbillentyűk megjelenítése", + "Show your support!": "Mutassa meg támogatását!", + "Showcased creativity": "Kreativitás bemutatva", + "Sign in": "Bejelentkezés", + "Sign in to {{WEBUI_NAME}}": "Bejelentkezés ide: {{WEBUI_NAME}}", + "Sign Out": "Kijelentkezés", + "Sign up": "Regisztráció", + "Sign up to {{WEBUI_NAME}}": "Regisztráció ide: {{WEBUI_NAME}}", + "Signing in to {{WEBUI_NAME}}": "Bejelentkezés ide: {{WEBUI_NAME}}", + "Source": "Forrás", + "Speech Playback Speed": "Beszéd lejátszási sebesség", + "Speech recognition error: {{error}}": "Beszédfelismerési hiba: {{error}}", + "Speech-to-Text Engine": "Beszéd-szöveg motor", + "Stop": "Leállítás", + "Stop Sequence": "Leállítási szekvencia", + "Stream Chat Response": "Chat válasz streamelése", + "STT Model": "STT modell", + "STT Settings": "STT beállítások", + "Subtitle (e.g. about the Roman Empire)": "Alcím (pl. a Római Birodalomról)", + "Success": "Siker", + "Successfully updated.": "Sikeresen frissítve.", + "Suggested": "Javasolt", + "Support": "Támogatás", + "Support this plugin:": "Támogassa ezt a bővítményt:", + "Sync directory": "Könyvtár szinkronizálása", + "System": "Rendszer", + "System Instructions": "Rendszer utasítások", + "System Prompt": "Rendszer prompt", + "Tags": "Címkék", + "Tags Generation Prompt": "Címke generálási prompt", + "Tap to interrupt": "Koppintson a megszakításhoz", + "Tavily API Key": "Tavily API kulcs", + "Tell us more:": "Mondjon többet:", + "Temperature": "Hőmérséklet", + "Template": "Sablon", + "Temporary Chat": "Ideiglenes chat", + "Text Splitter": "Szöveg felosztó", + "Text-to-Speech Engine": "Szöveg-beszéd motor", + "Tfs Z": "Tfs Z", + "Thanks for your feedback!": "Köszönjük a visszajelzést!", + "The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "A bővítmény fejlesztői lelkes önkéntesek a közösségből. Ha hasznosnak találja ezt a bővítményt, kérjük, fontolja meg a fejlesztéséhez való hozzájárulást.", + "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Az értékelési ranglista az Elo értékelési rendszeren alapul és valós időben frissül.", + "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "A ranglista jelenleg béta verzióban van, és az algoritmus finomítása során módosíthatjuk az értékelési számításokat.", + "The maximum file size in MB. If the file size exceeds this limit, the file will not be uploaded.": "A maximális fájlméret MB-ban. Ha a fájlméret meghaladja ezt a limitet, a fájl nem lesz feltöltve.", + "The maximum number of files that can be used at once in chat. If the number of files exceeds this limit, the files will not be uploaded.": "A chatben egyszerre használható fájlok maximális száma. Ha a fájlok száma meghaladja ezt a limitet, a fájlok nem lesznek feltöltve.", + "The score should be a value between 0.0 (0%) and 1.0 (100%).": "A pontszámnak 0,0 (0%) és 1,0 (100%) közötti értéknek kell lennie.", + "Theme": "Téma", + "Thinking...": "Gondolkodik...", + "This action cannot be undone. Do you wish to continue?": "Ez a művelet nem vonható vissza. Szeretné folytatni?", + "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ez biztosítja, hogy értékes beszélgetései biztonságosan mentésre kerüljenek a backend adatbázisban. Köszönjük!", + "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Ez egy kísérleti funkció, lehet, hogy nem a várt módon működik és bármikor változhat.", + "This option will delete all existing files in the collection and replace them with newly uploaded files.": "Ez az opció törli az összes meglévő fájlt a gyűjteményben és lecseréli őket az újonnan feltöltött fájlokkal.", + "This response was generated by \"{{model}}\"": "Ezt a választ a \"{{model}}\" generálta", + "This will delete": "Ez törölni fogja", + "This will delete {{NAME}} and all its contents.": "Ez törölni fogja a {{NAME}}-t és minden tartalmát.", + "This will reset the knowledge base and sync all files. Do you wish to continue?": "Ez visszaállítja a tudásbázist és szinkronizálja az összes fájlt. Szeretné folytatni?", + "Thorough explanation": "Alapos magyarázat", + "Tika": "Tika", + "Tika Server URL required.": "Tika szerver URL szükséges.", + "Tiktoken": "Tiktoken", + "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Tipp: Frissítsen több változó helyet egymás után a tab billentyű megnyomásával a chat bevitelben minden helyettesítés után.", + "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 Prompt": "Cím generálási prompt", + "To access the available model names for downloading,": "A letölthető modellek nevének eléréséhez,", + "To access the GGUF models available for downloading,": "A letölthető GGUF modellek eléréséhez,", + "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "A WebUI eléréséhez kérjük, forduljon az adminisztrátorhoz. Az adminisztrátorok az Admin Panelen keresztül kezelhetik a felhasználói státuszokat.", + "To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "A tudásbázis csatolásához először adja hozzá őket a \"Knowledge\" munkaterülethez.", + "to chat input.": "a chat beviteli mezőhöz.", + "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "Adatai védelme érdekében a visszajelzésből csak az értékelések, modell azonosítók, címkék és metaadatok kerülnek megosztásra - a chat előzményei privátak maradnak és nem kerülnek megosztásra.", + "To select actions here, add them to the \"Functions\" workspace first.": "A műveletek kiválasztásához először adja hozzá őket a \"Functions\" munkaterülethez.", + "To select filters here, add them to the \"Functions\" workspace first.": "A szűrők kiválasztásához először adja hozzá őket a \"Functions\" munkaterülethez.", + "To select toolkits here, add them to the \"Tools\" workspace first.": "Az eszközkészletek kiválasztásához először adja hozzá őket a \"Tools\" munkaterülethez.", + "Toast notifications for new updates": "Felugró értesítések az új frissítésekről", + "Today": "Ma", + "Toggle settings": "Beállítások be/ki", + "Toggle sidebar": "Oldalsáv be/ki", + "Token": "Token", + "Tokens To Keep On Context Refresh (num_keep)": "Megőrzendő tokenek kontextus frissítéskor (num_keep)", + "Too verbose": "Túl bőbeszédű", + "Tool": "Eszköz", + "Tool created successfully": "Eszköz sikeresen létrehozva", + "Tool deleted successfully": "Eszköz sikeresen törölve", + "Tool imported successfully": "Eszköz sikeresen importálva", + "Tool updated successfully": "Eszköz sikeresen frissítve", + "Toolkit Description (e.g. A toolkit for performing various operations)": "Eszközkészlet leírása (pl. Eszközkészlet különböző műveletek végrehajtásához)", + "Toolkit ID (e.g. my_toolkit)": "Eszközkészlet azonosító (pl. my_toolkit)", + "Toolkit Name (e.g. My ToolKit)": "Eszközkészlet neve (pl. Saját eszközkészlet)", + "Tools": "Eszközök", + "Tools are a function calling system with arbitrary code execution": "Az eszközök olyan függvényhívó rendszert alkotnak, amely tetszőleges kód végrehajtását teszi lehetővé", + "Tools have a function calling system that allows arbitrary code execution": "Az eszközök olyan függvényhívó rendszerrel rendelkeznek, amely lehetővé teszi tetszőleges kód végrehajtását", + "Tools have a function calling system that allows arbitrary code execution.": "Az eszközök olyan függvényhívó rendszerrel rendelkeznek, amely lehetővé teszi tetszőleges kód végrehajtását.", + "Top K": "Top K", + "Top P": "Top P", + "Trouble accessing Ollama?": "Problémája van az Ollama elérésével?", + "TTS Model": "TTS modell", + "TTS Settings": "TTS beállítások", + "TTS Voice": "TTS hang", + "Type": "Típus", + "Type Hugging Face Resolve (Download) URL": "Adja meg a Hugging Face Resolve (Letöltési) URL-t", + "Uh-oh! There was an issue connecting to {{provider}}.": "Hoppá! Probléma merült fel a {{provider}} kapcsolódás során.", + "UI": "Felhasználói felület", + "Unpin": "Rögzítés feloldása", + "Untagged": "Címkézetlen", + "Update": "Frissítés", + "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", + "Updated": "Frissítve", + "Updated at": "Frissítve ekkor", + "Updated At": "Frissítve ekkor", + "Upload": "Feltöltés", + "Upload a GGUF model": "GGUF modell feltöltése", + "Upload directory": "Könyvtár feltöltése", + "Upload files": "Fájlok feltöltése", + "Upload Files": "Fájlok feltöltése", + "Upload Pipeline": "Pipeline feltöltése", + "Upload Progress": "Feltöltési folyamat", + "URL Mode": "URL mód", + "Use '#' in the prompt input to load and include your knowledge.": "Használja a '#' karaktert a prompt bevitelénél a tudásbázis betöltéséhez és felhasználásához.", + "Use Gravatar": "Gravatar használata", + "Use Initials": "Monogram használata", + "use_mlock (Ollama)": "use_mlock (Ollama)", + "use_mmap (Ollama)": "use_mmap (Ollama)", + "user": "felhasználó", + "User": "Felhasználó", + "User location successfully retrieved.": "Felhasználó helye sikeresen lekérve.", + "User Permissions": "Felhasználói jogosultságok", + "Users": "Felhasználók", + "Using the default arena model with all models. Click the plus button to add custom models.": "Az alapértelmezett aréna modell használata az összes modellel. Kattintson a plusz gombra egyéni modellek hozzáadásához.", + "Utilize": "Használat", + "Valid time units:": "Érvényes időegységek:", + "Valves": "Szelepek", + "Valves updated": "Szelepek frissítve", + "Valves updated successfully": "Szelepek sikeresen frissítve", + "variable": "változó", + "variable to have them replaced with clipboard content.": "változó, hogy a vágólap tartalmával helyettesítse őket.", + "Version": "Verzió", + "Version {{selectedVersion}} of {{totalVersions}}": "{{selectedVersion}}. verzió a {{totalVersions}}-ból", + "Voice": "Hang", + "Voice Input": "Hangbevitel", + "Warning": "Figyelmeztetés", + "Warning:": "Figyelmeztetés:", + "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Figyelmeztetés: Ha frissíti vagy megváltoztatja a beágyazási modellt, minden dokumentumot újra kell importálnia.", + "Web": "Web", + "Web API": "Web API", + "Web Loader Settings": "Web betöltő beállítások", + "Web Search": "Webes keresés", + "Web Search Engine": "Webes keresőmotor", + "Webhook URL": "Webhook URL", + "WebUI Settings": "WebUI beállítások", + "WebUI will make requests to": "A WebUI kéréseket fog küldeni ide:", + "What’s New in": "", + "Whisper (Local)": "Whisper (helyi)", + "Widescreen Mode": "Szélesvásznú mód", + "Won": "Nyert", + "Workspace": "Munkaterület", + "Write a prompt suggestion (e.g. Who are you?)": "Írjon egy prompt javaslatot (pl. Ki vagy te?)", + "Write a summary in 50 words that summarizes [topic or keyword].": "Írjon egy 50 szavas összefoglalót a [téma vagy kulcsszó]-ról.", + "Write something...": "Írjon valamit...", + "Yesterday": "Tegnap", + "You": "Ön", + "You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Egyszerre maximum {{maxCount}} fájllal tud csevegni.", + "You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Az LLM-ekkel való interakcióit személyre szabhatja emlékek hozzáadásával a lenti 'Kezelés' gomb segítségével, így azok még hasznosabbak és személyre szabottabbak lesznek.", + "You cannot clone a base model": "Nem lehet klónozni az alapmodellt", + "You cannot upload an empty file.": "Nem tölthet fel üres fájlt.", + "You have no archived conversations.": "Nincsenek archivált beszélgetései.", + "You have shared this chat": "Megosztotta ezt a beszélgetést", + "You're a helpful assistant.": "Ön egy segítőkész asszisztens.", + "You're now logged in.": "Sikeresen bejelentkezett.", + "Your account status is currently pending activation.": "Fiókja jelenleg aktiválásra vár.", + "Your entire contribution will go directly to the plugin developer; Open WebUI does not take any percentage. However, the chosen funding platform might have its own fees.": "A teljes hozzájárulása közvetlenül a bővítmény fejlesztőjéhez kerül; az Open WebUI nem vesz le százalékot. Azonban a választott támogatási platformnak lehetnek saját díjai.", + "Youtube": "YouTube", + "Youtube Loader Settings": "YouTube betöltő beállítások" +} diff --git a/src/lib/i18n/locales/id-ID/translation.json b/src/lib/i18n/locales/id-ID/translation.json index b3cb68273b412a83411607a1811324523d219a33..a87d8254e09c7237a8b1cc7a9dea47af160674a3 100644 --- a/src/lib/i18n/locales/id-ID/translation.json +++ b/src/lib/i18n/locales/id-ID/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Tidak benar secara faktual", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Catatan: Jika Anda menetapkan skor minimum, pencarian hanya akan mengembalikan dokumen dengan skor yang lebih besar atau sama dengan skor minimum.", + "Notes": "", "Notifications": "Pemberitahuan", "November": "November", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Notifikasi respons tidak dapat diaktifkan karena izin situs web telah ditolak. Silakan kunjungi pengaturan browser Anda untuk memberikan akses yang diperlukan.", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Peran", "Rosé Pine": "Pinus Rosé", diff --git a/src/lib/i18n/locales/ie-GA/translation.json b/src/lib/i18n/locales/ie-GA/translation.json index 886caed1aa97eebbdf5d8cbcad97066cfc7a5d36..7dc2b46b31cd1f1edd7fa08dc1c336c0bd40a137 100644 --- a/src/lib/i18n/locales/ie-GA/translation.json +++ b/src/lib/i18n/locales/ie-GA/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Níl sé ceart go fírineach", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nóta: Má shocraíonn tú íosscór, ní thabharfaidh an cuardach ach doiciméid a bhfuil scór níos mó ná nó cothrom leis an scór íosta ar ais.", + "Notes": "", "Notifications": "Fógraí", "November": "Samhain", "num_gpu (Ollama)": "num_gpu (Ollama)", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Ní féidir fógraí freagartha a ghníomhachtú toisc gur diúltaíodh ceadanna an tsuímh Ghréasáin. Tabhair cuairt ar do shocruithe brabhsálaí chun an rochtain riachtanach a dheonú.", "Response splitting": "Scoilt freagartha", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Ról", "Rosé Pine": "Pine Rosé", diff --git a/src/lib/i18n/locales/it-IT/translation.json b/src/lib/i18n/locales/it-IT/translation.json index d77f5d5510b86ad4bc8f24578f8c94bc8998d7b3..6a550633a0b7bbe106449c05bb4faa617da41137 100644 --- a/src/lib/i18n/locales/it-IT/translation.json +++ b/src/lib/i18n/locales/it-IT/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Non corretto dal punto di vista fattuale", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: se imposti un punteggio minimo, la ricerca restituirà solo i documenti con un punteggio maggiore o uguale al punteggio minimo.", + "Notes": "", "Notifications": "Notifiche desktop", "November": "Novembre", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Ruolo", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/ja-JP/translation.json b/src/lib/i18n/locales/ja-JP/translation.json index 0ac6bac458cdd6fd121c034d2c4243174a5a79fc..1494dcc2911311255133ed0daa154c5e41e89751 100644 --- a/src/lib/i18n/locales/ja-JP/translation.json +++ b/src/lib/i18n/locales/ja-JP/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "実事上正しくない", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "注意:最小スコアを設定した場合、検索は最小スコア以上のスコアを持つドキュメントのみを返します。", + "Notes": "", "Notifications": "デスクトップ通知", "November": "11月", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "応答の分割", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "役割", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/ka-GE/translation.json b/src/lib/i18n/locales/ka-GE/translation.json index 98aa9bf0d9bdc7687659315fafed38538139a680..f690d9f9f6bf21f109447969a573aa82247e8882 100644 --- a/src/lib/i18n/locales/ka-GE/translation.json +++ b/src/lib/i18n/locales/ka-GE/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "არ ვეთანხმები პირდაპირ ვერც ვეთანხმები", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "შენიშვნა: თუ თქვენ დააყენებთ მინიმალურ ქულას, ძებნა დააბრუნებს მხოლოდ დოკუმენტებს მინიმალური ქულის მეტი ან ტოლი ქულით.", + "Notes": "", "Notifications": "შეტყობინება", "November": "ნოემბერი", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "როლი", "Rosé Pine": "ვარდისფერი ფიჭვის ხე", diff --git a/src/lib/i18n/locales/ko-KR/translation.json b/src/lib/i18n/locales/ko-KR/translation.json index cf03a005c34eb2a9155cf57bcfb3cd8b0998d970..1718de80e089f73b915e107b33b5d04bf38db3f0 100644 --- a/src/lib/i18n/locales/ko-KR/translation.json +++ b/src/lib/i18n/locales/ko-KR/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "사실상 맞지 않음", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "참고: 최소 점수를 설정하면, 검색 결과로 최소 점수 이상의 점수를 가진 문서만 반환합니다.", + "Notes": "", "Notifications": "알림", "November": "11월", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "역할", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/languages.json b/src/lib/i18n/locales/languages.json index 04ebf026fceb98924be03712fe9ad43e789b3927..5fa0e82cb7b7cff5a8f543465e0a8e4d537dfb67 100644 --- a/src/lib/i18n/locales/languages.json +++ b/src/lib/i18n/locales/languages.json @@ -67,6 +67,10 @@ "code": "hr-HR", "title": "Croatian (Hrvatski)" }, + { + "code": "hu-HU", + "title": "Hungarian (Magyar)" + }, { "code": "id-ID", "title": "Indonesian (Bahasa Indonesia)" diff --git a/src/lib/i18n/locales/lt-LT/translation.json b/src/lib/i18n/locales/lt-LT/translation.json index 0b8b60ee0aa7abef5bd41831cc9a3d17c2c52312..0f5582b784faad953b524e85bff938304bada502 100644 --- a/src/lib/i18n/locales/lt-LT/translation.json +++ b/src/lib/i18n/locales/lt-LT/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Faktiškai netikslu", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Jei turite minimalų įvertį, paieška gražins tik tą informaciją, kuri viršyje šį įvertį", + "Notes": "", "Notifications": "Pranešimai", "November": "lapkritis", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Naršyklė neleidžia siųsti pranešimų", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rolė", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/ms-MY/translation.json b/src/lib/i18n/locales/ms-MY/translation.json index 36e0e3a8666797cdd70bba9bc88b4e993b4b8532..83ee1eaabeef8aef328e62af9b70e7bef9471928 100644 --- a/src/lib/i18n/locales/ms-MY/translation.json +++ b/src/lib/i18n/locales/ms-MY/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Tidak tepat secara fakta", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Jika anda menetapkan skor minimum, carian hanya akan mengembalikan dokumen dengan skor lebih besar daripada atau sama dengan skor minimum.", + "Notes": "", "Notifications": "Pemberitahuan", "November": "November", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Pemberitahuan respons tidak boleh diaktifkan kerana kebenaran tapak web tidak diberi. Sila lawati tetapan pelayar web anda untuk memberikan akses yang diperlukan.", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Peranan", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/nb-NO/translation.json b/src/lib/i18n/locales/nb-NO/translation.json index 6f5d1e4ef507afc7be4dd7a74b91b42d27de516f..8822b9c24277ca5f2ee36840d161346eef84a855 100644 --- a/src/lib/i18n/locales/nb-NO/translation.json +++ b/src/lib/i18n/locales/nb-NO/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Uriktig informasjon", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Merk: Hvis du setter en minimums poengsum, vil søket kun returnere dokumenter med en poengsum som er større enn eller lik minimums poengsummen.", + "Notes": "", "Notifications": "Varsler", "November": "november", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Respons-varsler kan ikke aktiveres da nettstedsrettighetene er nektet. Vennligst se nettleserinnstillingene dine for å gi nødvendig tilgang.", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rolle", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/nl-NL/translation.json b/src/lib/i18n/locales/nl-NL/translation.json index 36332a4403fd90950740921256cbb226f9dad9b1..75b715314c4cb2655c111868c64941cba17c1f78 100644 --- a/src/lib/i18n/locales/nl-NL/translation.json +++ b/src/lib/i18n/locales/nl-NL/translation.json @@ -1,59 +1,59 @@ { - "'s', 'm', 'h', 'd', 'w' or '-1' for no expiration.": "'s', 'm', 'h', 'd', 'w' of '-1' for geen vervaldatum.", - "(e.g. `sh webui.sh --api --api-auth username_password`)": "", - "(e.g. `sh webui.sh --api`)": "(e.g. `sh webui.sh --api`)", + "'s', 'm', 'h', 'd', 'w' or '-1' for no expiration.": "'s', 'm', 'h', 'd', 'w', of '-1' for geen vervaldatum.", + "(e.g. `sh webui.sh --api --api-auth username_password`)": "(bv. `sh webui.sh --api --api-auth username_password`)", + "(e.g. `sh webui.sh --api`)": "(bv. `sh webui.sh --api`)", "(latest)": "(nieuwste)", "{{ models }}": "{{ modellen }}", "{{ owner }}: You cannot delete a base model": "{{ owner }}: U kunt een basismodel niet verwijderen", "{{user}}'s Chats": "{{user}}'s Chats", - "{{webUIName}} Backend Required": "{{webUIName}} Backend Verlpicht", - "*Prompt node ID(s) are required for image generation": "", - "A new version (v{{LATEST_VERSION}}) is now available.": "", + "{{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", + "A new version (v{{LATEST_VERSION}}) is now available.": "Een nieuwe versie(v{{LATEST_VERSION}}) is nu beschikbaar", "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 internet", "a user": "een gebruiker", "About": "Over", "Account": "Account", - "Account Activation Pending": "", + "Account Activation Pending": "Accountactivatie in afwachting", "Accurate information": "Accurate informatie", - "Actions": "", - "Active Users": "", + "Actions": "Acties", + "Active Users": "Actieve Gebruikers", "Add": "Toevoegen", "Add a model id": "Een model-id toevoegen", "Add a short description about what this model does": "Voeg een korte beschrijving toe over wat dit model doet", "Add a short title for this prompt": "Voeg een korte titel toe voor deze prompt", "Add a tag": "Voeg een tag toe", - "Add Arena Model": "", - "Add Content": "", - "Add content here": "", + "Add Arena Model": "Voeg Arena Model toe", + "Add Content": "Voeg Content toe", + "Add content here": "Voeg hier content toe", "Add custom prompt": "Voeg een aangepaste prompt toe", "Add Files": "Voege Bestanden toe", "Add Memory": "Voeg Geheugen toe", "Add Model": "Voeg Model toe", - "Add Tag": "", - "Add Tags": "voeg tags toe", - "Add text content": "", + "Add Tag": "Voeg Tag toe", + "Add Tags": "Voeg Tags toe", + "Add text content": "Voeg Text inhoud toe", "Add User": "Voeg Gebruiker toe", "Adjusting these settings will apply changes universally to all users.": "Het aanpassen van deze instellingen zal universeel worden toegepast op alle gebruikers.", "admin": "admin", - "Admin": "", - "Admin Panel": "Administratieve Paneel", - "Admin Settings": "Administratieve Settings", - "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "", + "Admin": "Admin", + "Admin Panel": "Administratief Paneel", + "Admin Settings": "Administratieve Instellingen", + "Admins have access to all tools at all times; users need tools assigned per model in the workspace.": "Admins hebben altijd toegang tot alle gereedschappen; gebruikers moeten gereedschap toegewezen krijgen per model in de werkruimte.", "Advanced Parameters": "Geavanceerde Parameters", - "Advanced Params": "Geavanceerde parameters", - "All chats": "", + "Advanced Params": "Geavanceerde Parameters", + "All chats": "Alle chats", "All Documents": "Alle Documenten", "Allow Chat Deletion": "Sta Chat Verwijdering toe", - "Allow Chat Editing": "", - "Allow non-local voices": "", - "Allow Temporary Chat": "", - "Allow User Location": "", - "Allow Voice Interruption in Call": "", + "Allow Chat Editing": "Chatbewerking toestaan", + "Allow non-local voices": "Niet-lokale stemmen toestaan", + "Allow Temporary Chat": "Tijdelijke chat toestaan", + "Allow User Location": "Gebruikerslocatie toestaan", + "Allow Voice Interruption in Call": "Stemonderbreking tijdens gesprek toestaan", "alphanumeric characters and hyphens": "alfanumerieke karakters en streepjes", "Already have an account?": "Heb je al een account?", "an assistant": "een assistent", "and": "en", - "and {{COUNT}} more": "", + "and {{COUNT}} more": "en {{COUNT}} meer", "and create a new shared link.": "en maak een nieuwe gedeelde link.", "API Base URL": "API Base URL", "API Key": "API Key", @@ -64,47 +64,47 @@ "Archive All Chats": "Archiveer alle chats", "Archived Chats": "chatrecord", "are allowed - Activate this command by typing": "zijn toegestaan - Activeer deze commando door te typen", - "Are you sure?": "Zeker weten?", - "Arena Models": "", - "Artifacts": "", - "Ask a question": "", - "Assistant": "", + "Are you sure?": "Weet je het zeker?", + "Arena Models": "Arena Modellen", + "Artifacts": "Artefacten", + "Ask a question": "Stel een vraag", + "Assistant": "Assistent", "Attach file": "Voeg een bestand toe", "Attention to detail": "Attention to detail", "Audio": "Audio", "August": "Augustus", "Auto-playback response": "Automatisch afspelen van antwoord", - "Automatic1111": "", - "AUTOMATIC1111 Api Auth String": "", + "Automatic1111": "Automatic1111", + "AUTOMATIC1111 Api Auth String": "Automatic1111 Api Auth String", "AUTOMATIC1111 Base URL": "AUTOMATIC1111 Base URL", "AUTOMATIC1111 Base URL is required.": "AUTOMATIC1111 Basis URL is verplicht", - "Available list": "", + "Available list": "Beschikbare lijst", "available!": "beschikbaar!", - "Azure AI Speech": "", - "Azure Region": "", + "Azure AI Speech": "Azure AI Spraak", + "Azure Region": "Azure Regio", "Back": "Terug", "Bad Response": "Ongeldig antwoord", "Banners": "Banners", "Base Model (From)": "Basismodel (vanaf)", - "Batch Size (num_batch)": "", + "Batch Size (num_batch)": "Batchgrootte (num_batch)", "before": "voor", - "Being lazy": "Lustig zijn", + "Being lazy": "Lui zijn", "Brave Search API Key": "Brave Search API-sleutel", "Bypass SSL verification for Websites": "SSL-verificatie omzeilen voor websites", - "Call": "", - "Call feature is not supported when using Web STT engine": "", - "Camera": "", + "Call": "Oproep", + "Call feature is not supported when using Web STT engine": "Belfunctie wordt niet ondersteund bij gebruik van de Web STT engine", + "Camera": "Camera", "Cancel": "Annuleren", "Capabilities": "Mogelijkheden", "Change Password": "Wijzig Wachtwoord", - "Character": "", + "Character": "Karakter", "Chat": "Chat", - "Chat Background Image": "", + "Chat Background Image": "Chatachtergrond", "Chat Bubble UI": "Chat Bubble UI", - "Chat Controls": "", - "Chat direction": "Chat Richting", - "Chat Overview": "", - "Chat Tags Auto-Generation": "", + "Chat Controls": "Chatbesturing", + "Chat direction": "Chatrichting", + "Chat Overview": "Chatoverzicht", + "Chat Tags Auto-Generation": "Chatlabels automatisch genereren", "Chats": "Chats", "Check Again": "Controleer Opnieuw", "Check for updates": "Controleer op updates", @@ -114,71 +114,71 @@ "Chunk Params": "Chunk Params", "Chunk Size": "Chunk Grootte", "Citation": "Citaat", - "Clear memory": "", + "Clear memory": "Geheugen wissen", "Click here for help.": "Klik hier voor hulp.", "Click here to": "Klik hier om", - "Click here to download user import template file.": "", - "Click here to learn more about faster-whisper and see the available models.": "", + "Click here to download user import template file.": "Klik hier om het sjabloonbestand voor gebruikersimport te downloaden.", + "Click here to learn more about faster-whisper and see the available models.": "Klik hier om meer te leren over faster-whisper en de beschikbare modellen te bekijken.", "Click here to select": "Klik hier om te selecteren", "Click here to select a csv file.": "Klik hier om een csv file te selecteren.", - "Click here to select a py file.": "", - "Click here to upload a workflow.json file.": "", + "Click here to select a py file.": "Klik hier om een py-bestand te selecteren.", + "Click here to upload a workflow.json file.": "Klik hier om een workflow.json-bestand te uploaden.", "click here.": "klik hier.", "Click on the user role button to change a user's role.": "Klik op de gebruikersrol knop om de rol van een gebruiker te wijzigen.", - "Clipboard write permission denied. Please check your browser settings to grant the necessary access.": "", + "Clipboard write permission denied. Please check your browser settings to grant the necessary access.": "Klembord schrijftoestemming geweigerd. Kijk je browserinstellingen na om de benodigde toestemming te geven.", "Clone": "Kloon", "Close": "Sluiten", - "Code execution": "", - "Code formatted successfully": "", + "Code execution": "Code uitvoeren", + "Code formatted successfully": "Code succesvol geformateerd", "Collection": "Verzameling", "ComfyUI": "ComfyUI", "ComfyUI Base URL": "ComfyUI Base URL", "ComfyUI Base URL is required.": "ComfyUI Base URL is required.", - "ComfyUI Workflow": "", - "ComfyUI Workflow Nodes": "", + "ComfyUI Workflow": "ComfyUI workflow", + "ComfyUI Workflow Nodes": "ComfyUI workflowknopen", "Command": "Commando", - "Completions": "", + "Completions": "Voltooiingen", "Concurrent Requests": "Gelijktijdige verzoeken", - "Confirm": "", + "Confirm": "Bevestigen", "Confirm Password": "Bevestig Wachtwoord", - "Confirm your action": "", + "Confirm your action": "Bevestig uw actie", "Connections": "Verbindingen", - "Contact Admin for WebUI Access": "", + "Contact Admin for WebUI Access": "Neem contact op met de beheerder voor WebUI-toegang", "Content": "Inhoud", - "Content Extraction": "", + "Content Extraction": "Inhoudsextractie", "Context Length": "Context Lengte", "Continue Response": "Doorgaan met Antwoord", - "Continue with {{provider}}": "", - "Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "", - "Controls": "", - "Copied": "", + "Continue with {{provider}}": "Ga verder met {{provider}}", + "Control how message text is split for TTS requests. 'Punctuation' splits into sentences, 'paragraphs' splits into paragraphs, and 'none' keeps the message as a single string.": "Bepaal hoe berichttekst wordt opgesplitst voor TTS-verzoeken. 'Leestekens' splitst op in zinnen, 'alinea's' splitst op in paragrafen en 'geen' houdt het bericht als een enkele string.", + "Controls": "Besturingselementen", + "Copied": "Gekopieerd", "Copied shared chat URL to clipboard!": "URL van gedeelde gesprekspagina gekopieerd naar klembord!", - "Copied to clipboard": "", + "Copied to clipboard": "Gekopieerd naar klembord", "Copy": "Kopieer", - "Copy last code block": "Kopieer laatste code blok", + "Copy last code block": "Kopieer laatste codeblok", "Copy last response": "Kopieer laatste antwoord", "Copy Link": "Kopieer Link", - "Copy to clipboard": "", + "Copy to clipboard": "Kopier naar klembord", "Copying to clipboard was successful!": "Kopiëren naar klembord was succesvol!", "Create a model": "Een model maken", "Create Account": "Maak Account", - "Create Knowledge": "", + "Create Knowledge": "Creër kennis", "Create new key": "Maak nieuwe sleutel", "Create new secret key": "Maak nieuwe geheim sleutel", "Created at": "Gemaakt op", "Created At": "Gemaakt op", - "Created by": "", - "CSV Import": "", + "Created by": "Gemaakt door", + "CSV Import": "CSV import", "Current Model": "Huidig Model", "Current Password": "Huidig Wachtwoord", "Custom": "Aangepast", "Customize models for a specific purpose": "Modellen aanpassen voor een specifiek doel", "Dark": "Donker", - "Dashboard": "", + "Dashboard": "Dashboard", "Database": "Database", "December": "December", "Default": "Standaard", - "Default (Open AI)": "", + "Default (Open AI)": "Standaard (Open AI)", "Default (SentenceTransformers)": "Standaard (SentenceTransformers)", "Default Model": "Standaard model", "Default model updated": "Standaard model bijgewerkt", @@ -189,201 +189,201 @@ "Delete All Chats": "Verwijder alle chats", "Delete chat": "Verwijder chat", "Delete Chat": "Verwijder Chat", - "Delete chat?": "", - "Delete folder?": "", - "Delete function?": "", - "Delete prompt?": "", + "Delete chat?": "Verwijder chat?", + "Delete folder?": "Verwijder map?", + "Delete function?": "Verwijder functie?", + "Delete prompt?": "Verwijder prompt?", "delete this link": "verwijder deze link", - "Delete tool?": "", + "Delete tool?": "Verwijder tool?", "Delete User": "Verwijder Gebruiker", "Deleted {{deleteModelTag}}": "{{deleteModelTag}} is verwijderd", "Deleted {{name}}": "{{name}} verwijderd", "Description": "Beschrijving", - "Didn't fully follow instructions": "Ik heb niet alle instructies volgt", - "Disabled": "", - "Discover a function": "", + "Didn't fully follow instructions": "Heeft niet alle instructies gevolgt", + "Disabled": "Uitgeschakeld", + "Discover a function": "Ontdek een functie", "Discover a model": "Ontdek een model", "Discover a prompt": "Ontdek een prompt", - "Discover a tool": "", - "Discover, download, and explore custom functions": "", + "Discover a tool": "Ontdek een tool", + "Discover, download, and explore custom functions": "Ontdek, download en verken aangepaste functies", "Discover, download, and explore custom prompts": "Ontdek, download en verken aangepaste prompts", - "Discover, download, and explore custom tools": "", + "Discover, download, and explore custom tools": "Ontdek, download en verken aangepaste gereedschappen", "Discover, download, and explore model presets": "Ontdek, download en verken model presets", - "Dismissible": "", - "Display Emoji in Call": "", + "Dismissible": "Afwijsbaar", + "Display Emoji in Call": "Emoji weergeven tijdens gesprek", "Display the username instead of You in the Chat": "Toon de gebruikersnaam in plaats van Jij in de Chat", - "Do not install functions from sources you do not fully trust.": "", - "Do not install tools from sources you do not fully trust.": "", + "Do not install functions from sources you do not fully trust.": "Installeer geen functies vanuit bronnen die je niet volledig vertrouwt", + "Do not install tools from sources you do not fully trust.": "Installeer geen tools vanuit bronnen die je niet volledig vertrouwt.", "Document": "Document", - "Documentation": "", + "Documentation": "Documentatie", "Documents": "Documenten", "does not make any external connections, and your data stays securely on your locally hosted server.": "maakt geen externe verbindingen, en je gegevens blijven veilig op je lokaal gehoste server.", "Don't have an account?": "Heb je geen account?", - "don't install random functions from sources you don't trust.": "", - "don't install random tools from sources you don't trust.": "", - "Don't like the style": "Je vindt het stijl niet?", - "Done": "", + "don't install random functions from sources you don't trust.": "installeer geen willekeurige functies van bronnen die je niet vertrouwd", + "don't install random tools from sources you don't trust.": "installeer geen willekeurige gereedschappen van bronnen die je niet vertrouwd", + "Don't like the style": "Vind je de stijl niet mooi?", + "Done": "Voltooid", "Download": "Download", "Download canceled": "Download geannuleerd", "Download Database": "Download Database", - "Draw": "", - "Drop any files here to add to the conversation": "Sleep bestanden hier om toe te voegen aan het gesprek", + "Draw": "Teken", + "Drop any files here to add to the conversation": "Sleep hier bestanden om toe te voegen aan het gesprek", "e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "bijv. '30s', '10m'. Geldige tijdseenheden zijn 's', 'm', 'h'.", "Edit": "Wijzig", - "Edit Arena Model": "", - "Edit Memory": "", + "Edit Arena Model": "Bewerk Arena Model", + "Edit Memory": "Bewerk Geheugen", "Edit User": "Wijzig Gebruiker", - "ElevenLabs": "", + "ElevenLabs": "ElevenLabs", "Email": "Email", - "Embedding Batch Size": "", + "Embedding Batch Size": "Embedding Batchgrootte", "Embedding Model": "Embedding Model", "Embedding Model Engine": "Embedding Model Engine", "Embedding model set to \"{{embedding_model}}\"": "Embedding model ingesteld op \"{{embedding_model}}\"", "Enable Community Sharing": "Delen via de community inschakelen", - "Enable Message Rating": "", + "Enable Message Rating": "Schakel berichtbeoordeling in", "Enable New Sign Ups": "Schakel Nieuwe Registraties in", "Enable Web Search": "Zoeken op het web inschakelen", - "Enable Web Search Query Generation": "", - "Enabled": "", - "Engine": "", + "Enable Web Search Query Generation": "Schakel zoekopdrachtgeneratie in", + "Enabled": "Ingeschakeld", + "Engine": "Engine", "Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Zorg ervoor dat uw CSV-bestand de volgende vier kolommen in deze volgorde bevat: Naam, E-mail, Wachtwoord, Rol.", "Enter {{role}} message here": "Voeg {{role}} bericht hier toe", - "Enter a detail about yourself for your LLMs to recall": "Voer een detail over jezelf in voor je LLMs om het her te onthouden", - "Enter api auth string (e.g. username:password)": "", + "Enter a detail about yourself for your LLMs to recall": "Voer een detail over jezelf in zodat LLM's het kunnen onthouden", + "Enter api auth string (e.g. username:password)": "Voer api auth string in (bv. gebruikersnaam:wachtwoord)", "Enter Brave Search API Key": "Voer de Brave Search API-sleutel in", - "Enter CFG Scale (e.g. 7.0)": "", + "Enter CFG Scale (e.g. 7.0)": "Voer CFG schaal in (bv. 7.0)", "Enter Chunk Overlap": "Voeg Chunk Overlap toe", "Enter Chunk Size": "Voeg Chunk Size toe", - "Enter description": "", + "Enter description": "Voer beschrijving in", "Enter Github Raw URL": "Voer de Github Raw-URL in", "Enter Google PSE API Key": "Voer de Google PSE API-sleutel in", "Enter Google PSE Engine Id": "Voer Google PSE Engine-ID in", "Enter Image Size (e.g. 512x512)": "Voeg afbeelding formaat toe (Bijv. 512x512)", "Enter language codes": "Voeg taal codes toe", - "Enter Model ID": "", + "Enter Model ID": "Voer Model ID in", "Enter model tag (e.g. {{modelTag}})": "Voeg model tag toe (Bijv. {{modelTag}})", "Enter Number of Steps (e.g. 50)": "Voeg aantal stappen toe (Bijv. 50)", - "Enter Sampler (e.g. Euler a)": "", - "Enter Scheduler (e.g. Karras)": "", + "Enter Sampler (e.g. Euler a)": "Voer Sampler in (bv. Euler a)", + "Enter Scheduler (e.g. Karras)": "Voer Scheduler in (bv. Karras)", "Enter Score": "Voeg score toe", - "Enter SearchApi API Key": "", - "Enter SearchApi Engine": "", + "Enter SearchApi API Key": "voer SearchApi API-sleutel in", + "Enter SearchApi Engine": "Voer SearchApi-Engine in", "Enter Searxng Query URL": "Voer de URL van de Searxng-query in", "Enter Serper API Key": "Voer de Serper API-sleutel in", - "Enter Serply API Key": "", + "Enter Serply API Key": "Voer Serply API-sleutel in", "Enter Serpstack API Key": "Voer de Serpstack API-sleutel in", "Enter stop sequence": "Zet stop sequentie", - "Enter system prompt": "", - "Enter Tavily API Key": "", - "Enter Tika Server URL": "", + "Enter system prompt": "Voer systeem prompt in", + "Enter Tavily API Key": "Voer Tavily API-sleutel in", + "Enter Tika Server URL": "Voer Tika Server URL in", "Enter Top K": "Voeg Top K toe", - "Enter URL (e.g. http://127.0.0.1:7860/)": "Zet URL (Bijv. http://127.0.0.1:7860/)", - "Enter URL (e.g. http://localhost:11434)": "Zet URL (Bijv. http://localhost:11434)", + "Enter URL (e.g. http://127.0.0.1:7860/)": "Voer URL in (Bijv. http://127.0.0.1:7860/)", + "Enter URL (e.g. http://localhost:11434)": "Voer URL in (Bijv. http://localhost:11434)", "Enter Your Email": "Voer je Email in", "Enter Your Full Name": "Voer je Volledige Naam in", - "Enter your message": "", + "Enter your message": "Voer je bericht in", "Enter Your Password": "Voer je Wachtwoord in", "Enter Your Role": "Voer je Rol in", "Error": "Fout", - "ERROR": "", - "Evaluations": "", - "Exclude": "", + "ERROR": "ERROR", + "Evaluations": "Beoordelingen", + "Exclude": "Sluit uit", "Experimental": "Experimenteel", "Export": "Exporteren", "Export All Chats (All Users)": "Exporteer Alle Chats (Alle Gebruikers)", - "Export chat (.json)": "", + "Export chat (.json)": "Exporteer chat (.json)", "Export Chats": "Exporteer Chats", - "Export Config to JSON File": "", - "Export Functions": "", - "Export LiteLLM config.yaml": "", + "Export Config to JSON File": "Exporteer configuratie naar JSON bestand", + "Export Functions": "Exporteer functies", + "Export LiteLLM config.yaml": "Exporteer LiteLLM config.yaml", "Export Models": "Modellen exporteren", "Export Prompts": "Exporteer Prompts", - "Export Tools": "", - "External Models": "", - "Failed to add file.": "", + "Export Tools": "Exporteer gereedschappen", + "External Models": "Externe modules", + "Failed to add file.": "Het is niet gelukt om het bestand toe te voegen.", "Failed to create API Key.": "Kan API Key niet aanmaken.", "Failed to read clipboard contents": "Kan klembord inhoud niet lezen", - "Failed to update settings": "", - "Failed to upload file.": "", - "February": "Februarij", - "Feedback History": "", + "Failed to update settings": "Instellingen konden niet worden bijgewerkt.", + "Failed to upload file.": "Bestand kon niet worden geüpload.", + "February": "Februari", + "Feedback History": "Feedback geschiedenis", "Feel free to add specific details": "Voeg specifieke details toe", - "File": "", - "File added successfully.": "", - "File content updated successfully.": "", + "File": "Bestand", + "File added successfully.": "Bestand succesvol toegevoegd.", + "File content updated successfully.": "Bestandsinhoud succesvol bijgewerkt.", "File Mode": "Bestandsmodus", "File not found.": "Bestand niet gevonden.", - "File removed successfully.": "", - "File size should not exceed {{maxSize}} MB.": "", - "Files": "", - "Filter is now globally disabled": "", - "Filter is now globally enabled": "", - "Filters": "", + "File removed successfully.": "Bestand succesvol verwijderd.", + "File size should not exceed {{maxSize}} MB.": "Bestandsgrootte mag niet groter zijn dan {{maxSize}} MB.", + "Files": "Bestanden", + "Filter is now globally disabled": "Filter is nu globaal uitgeschakeld", + "Filter is now globally enabled": "Filter is nu globaal ingeschakeld", + "Filters": "Filters", "Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Vingerafdruk spoofing gedetecteerd: kan initialen niet gebruiken als avatar. Standaardprofielafbeelding wordt gebruikt.", "Fluidly stream large external response chunks": "Stream vloeiend grote externe responsbrokken", "Focus chat input": "Focus chat input", - "Folder deleted successfully": "", - "Folder name cannot be empty": "", - "Folder name cannot be empty.": "", - "Folder name updated successfully": "", + "Folder deleted successfully": "Map succesvol verwijderd", + "Folder name cannot be empty": "Mapnaam kan niet leeg zijn", + "Folder name cannot be empty.": "Mapnaam kan niet leeg zijn", + "Folder name updated successfully": "Mapnaam succesvol aangepast", "Followed instructions perfectly": "Volgde instructies perfect", - "Form": "", - "Format your variables using brackets like this:": "", - "Frequency Penalty": "Frequentie Straf", - "Function": "", - "Function created successfully": "", - "Function deleted successfully": "", - "Function Description (e.g. A filter to remove profanity from text)": "", - "Function ID (e.g. my_filter)": "", - "Function is now globally disabled": "", - "Function is now globally enabled": "", - "Function Name (e.g. My Filter)": "", - "Function updated successfully": "", - "Functions": "", - "Functions allow arbitrary code execution": "", - "Functions allow arbitrary code execution.": "", - "Functions imported successfully": "", + "Form": "Formulier", + "Format your variables using brackets like this:": "Formateer je variabelen met haken zoals dit:", + "Frequency Penalty": "Frequentiestraf", + "Function": "Functie", + "Function created successfully": "Functie succesvol aangemaakt", + "Function deleted successfully": "Functie succesvol verwijderd", + "Function Description (e.g. A filter to remove profanity from text)": "Functiebeschrijving (bv. Een filter om grof taalgebruik uit tekst te verwijderen)", + "Function ID (e.g. my_filter)": "Functie ID (bv. mijn_filter)", + "Function is now globally disabled": "Functie is nu globaal uitgeschakeld", + "Function is now globally enabled": "Functie is nu globaal ingeschakeld", + "Function Name (e.g. My Filter)": "Functienaam (bv. Mijn Filter)", + "Function updated successfully": "Functienaam succesvol aangepast", + "Functions": "Functies", + "Functions allow arbitrary code execution": "Functies staan willekeurige code-uitvoering toe", + "Functions allow arbitrary code execution.": "Functies staan willekeurige code-uitvoering toe", + "Functions imported successfully": "Functies succesvol geïmporteerd", "General": "Algemeen", "General Settings": "Algemene Instellingen", - "Generate Image": "", + "Generate Image": "Genereer afbeelding", "Generating search query": "Zoekopdracht genereren", "Generation Info": "Generatie Info", - "Get up and running with": "", - "Global": "", - "Good Response": "Goede Antwoord", + "Get up and running with": "Aan de slag met", + "Global": "Globaal", + "Good Response": "Goed Antwoord", "Google PSE API Key": "Google PSE API-sleutel", "Google PSE Engine Id": "Google PSE-engine-ID", "h:mm a": "h:mm a", - "Haptic Feedback": "", + "Haptic Feedback": "Haptische feedback", "has no conversations.": "heeft geen gesprekken.", "Hello, {{name}}": "Hallo, {{name}}", "Help": "Help", - "Help us create the best community leaderboard by sharing your feedback history!": "", + "Help us create the best community leaderboard by sharing your feedback history!": "Help ons het beste community leaderboard te maken door je feedbackgeschiedenis te delen!", "Hide": "Verberg", - "Hide Model": "", + "Hide Model": "Verberg model", "How can I help you today?": "Hoe kan ik je vandaag helpen?", "Hybrid Search": "Hybride Zoeken", - "I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "", - "ID": "", + "I acknowledge that I have read and I understand the implications of my action. I am aware of the risks associated with executing arbitrary code and I have verified the trustworthiness of the source.": "Ik bevestig dat ik de implicaties van mijn actie heb gelezen en begrepen. Ik ben me bewust van de risico's die gepaard gaan met het uitvoeren van willekeurige code en ik heb de betrouwbaarheid van de bron gecontroleerd.", + "ID": "ID", "Image Generation (Experimental)": "Afbeelding Generatie (Experimenteel)", "Image Generation Engine": "Afbeelding Generatie Engine", "Image Settings": "Afbeelding Instellingen", "Images": "Afbeeldingen", "Import Chats": "Importeer Chats", - "Import Config from JSON File": "", - "Import Functions": "", + "Import Config from JSON File": "Importeer configuratie vanuit JSON-bestand", + "Import Functions": "Importeer Functies", "Import Models": "Modellen importeren", "Import Prompts": "Importeer Prompts", - "Import Tools": "", - "Include": "", - "Include `--api-auth` flag when running stable-diffusion-webui": "", + "Import Tools": "Importeer Gereedschappen", + "Include": "Voeg toe", + "Include `--api-auth` flag when running stable-diffusion-webui": "Voeg '--api-auth` toe bij het uitvoeren van stable-diffusion-webui", "Include `--api` flag when running stable-diffusion-webui": "Voeg `--api` vlag toe bij het uitvoeren van stable-diffusion-webui", "Info": "Info", "Input commands": "Voer commando's in", "Install from Github URL": "Installeren vanaf Github-URL", - "Instant Auto-Send After Voice Transcription": "", + "Instant Auto-Send After Voice Transcription": "Direct automatisch verzenden na spraaktranscriptie", "Interface": "Interface", - "Invalid file format.": "", + "Invalid file format.": "Ongeldig bestandsformaat", "Invalid Tag": "Ongeldige Tag", "January": "Januari", "join our Discord for help.": "join onze Discord voor hulp.", @@ -395,128 +395,129 @@ "JWT Token": "JWT Token", "Keep Alive": "Houd Actief", "Keyboard shortcuts": "Toetsenbord snelkoppelingen", - "Knowledge": "", - "Knowledge created successfully.": "", - "Knowledge deleted successfully.": "", - "Knowledge reset successfully.": "", - "Knowledge updated successfully": "", - "Landing Page Mode": "", + "Knowledge": "Kennis", + "Knowledge created successfully.": "Kennis succesvol aangemaakt", + "Knowledge deleted successfully.": "Kennis succesvol verwijderd", + "Knowledge reset successfully.": "Kennis succesvol gereset", + "Knowledge updated successfully": "Kennis succesvol bijgewerkt", + "Landing Page Mode": "Landingspaginamodus", "Language": "Taal", - "large language models, locally.": "", + "large language models, locally.": "taalmodellen, lokaal.", "Last Active": "Laatst Actief", - "Last Modified": "", - "Leaderboard": "", - "Leave empty for unlimited": "", - "Leave empty to include all models or select specific models": "", - "Leave empty to use the default prompt, or enter a custom prompt": "", + "Last Modified": "Laatst aangepast", + "Leaderboard": "Klassement", + "Leave empty for unlimited": "Laat leeg voor ongelimiteerd", + "Leave empty to include all models or select specific models": "Laat leeg om alle modellen mee te nemen, of selecteer specifieke modellen", + "Leave empty to use the default prompt, or enter a custom prompt": "Laat leeg om de standaard prompt te gebruiken, of selecteer een aangepaste prompt", "Light": "Licht", - "Listening...": "", + "Listening...": "Aan het luisteren...", "LLMs can make mistakes. Verify important information.": "LLMs kunnen fouten maken. Verifieer belangrijke informatie.", - "Local Models": "", - "Lost": "", + "Local Models": "Lokale modellen", + "Lost": "Verloren", "LTR": "LTR", "Made by OpenWebUI Community": "Gemaakt door OpenWebUI Community", "Make sure to enclose them with": "Zorg ervoor dat je ze omringt met", - "Make sure to export a workflow.json file as API format from ComfyUI.": "", - "Manage": "", - "Manage Arena Models": "", + "Make sure to export a workflow.json file as API format from ComfyUI.": "Zorg ervoor dat je een workflow.json-bestand als API-formaat exporteert vanuit ComfyUI.", + "Manage": "Beheren", + "Manage Arena Models": "Beheer Arenamodellen", "Manage Models": "Beheer Modellen", "Manage Ollama Models": "Beheer Ollama Modellen", "Manage Pipelines": "Pijplijnen beheren", "March": "Maart", "Max Tokens (num_predict)": "Max Tokens (num_predict)", - "Max Upload Count": "", - "Max Upload Size": "", + "Max Upload Count": "Maximale Uploadhoeveelheid", + "Max Upload Size": "Maximale Uploadgrootte", "Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximaal 3 modellen kunnen tegelijkertijd worden gedownload. Probeer het later opnieuw.", "May": "Mei", "Memories accessible by LLMs will be shown here.": "Geheugen toegankelijk voor LLMs wordt hier getoond.", "Memory": "Geheugen", - "Memory added successfully": "", - "Memory cleared successfully": "", - "Memory deleted successfully": "", - "Memory updated successfully": "", - "Merge Responses": "", - "Message rating should be enabled to use this feature": "", - "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Berichten die u verzendt nadat u uw link hebt gemaakt, worden niet gedeeld. Gebruikers met de URL kunnen de gedeelde chat bekijken.", - "Min P": "", + "Memory added successfully": "Geheugen succesvol toegevoegd", + "Memory cleared successfully": "Geheugen succesvol vrijgemaakt", + "Memory deleted successfully": "Geheugen succesvol verwijderd", + "Memory updated successfully": "Geheugen succesvol bijgewerkt", + "Merge Responses": "Voeg antwoorden samen", + "Message rating should be enabled to use this feature": "Berichtbeoordeling moet ingeschakeld zijn om deze functie te gebruiken", + "Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Berichten die je verzendt nadat je jouw link hebt gemaakt, worden niet gedeeld. Gebruikers met de URL kunnen de gedeelde chat bekijken.", + "Min P": "Min P", "Minimum Score": "Minimale Score", "Mirostat": "Mirostat", "Mirostat Eta": "Mirostat Eta", "Mirostat Tau": "Mirostat Tau", "MMMM DD, YYYY": "MMMM DD, YYYY", "MMMM DD, YYYY HH:mm": "MMMM DD, YYYY HH:mm", - "MMMM DD, YYYY hh:mm:ss A": "", - "Model": "", + "MMMM DD, YYYY hh:mm:ss A": "MMMM DD, YYYY hh:mm:ss A", + "Model": "Model", "Model '{{modelName}}' has been successfully downloaded.": "Model '{{modelName}}' is succesvol gedownload.", "Model '{{modelTag}}' is already in queue for downloading.": "Model '{{modelTag}}' staat al in de wachtrij voor downloaden.", "Model {{modelId}} not found": "Model {{modelId}} niet gevonden", "Model {{modelName}} is not vision capable": "Model {{modelName}} is niet geschikt voor visie", "Model {{name}} is now {{status}}": "Model {{name}} is nu {{status}}", - "Model {{name}} is now at the top": "", - "Model accepts image inputs": "", - "Model created successfully!": "", + "Model {{name}} is now at the top": "Model {{name}} staat nu bovenaan", + "Model accepts image inputs": "Model accepteerd afbeeldingsinvoer", + "Model created successfully!": "Model succesvol gecreëerd", "Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filesystem path gedetecteerd. Model shortname is vereist voor update, kan niet doorgaan.", "Model ID": "Model-ID", - "Model Name": "", + "Model Name": "Model naam", "Model not selected": "Model niet geselecteerd", "Model Params": "Model Params", - "Model updated successfully": "", + "Model updated successfully": "Model succesvol bijgewerkt", "Model Whitelisting": "Model Whitelisting", "Model(s) Whitelisted": "Model(len) zijn ge-whitelist", "Modelfile Content": "Modelfile Inhoud", "Models": "Modellen", - "more": "", + "more": "Meer", "More": "Meer", - "Move to Top": "", + "Move to Top": "Verplaats naar boven", "Name": "Naam", "Name your model": "Geef uw model een naam", "New Chat": "Nieuwe Chat", - "New folder": "", + "New folder": "Nieuwe map", "New Password": "Nieuw Wachtwoord", - "No content found": "", - "No content to speak": "", - "No distance available": "", - "No feedbacks found": "", - "No file selected": "", - "No files found.": "", - "No HTML, CSS, or JavaScript content found.": "", - "No knowledge found": "", - "No models found": "", + "No content found": "Geen content gevonden", + "No content to speak": "Geen inhoud om over te spreken", + "No distance available": "Geen afstand beschikbaar", + "No feedbacks found": "Geen feedback gevonden", + "No file selected": "Geen bestand geselecteerd", + "No files found.": "Geen bestanden gevonden", + "No HTML, CSS, or JavaScript content found.": "Geen HTML, CSS, of JavaScript inhoud gevonden", + "No knowledge found": "Geen kennis gevonden", + "No models found": "Geen modellen gevonden", "No results found": "Geen resultaten gevonden", "No search query generated": "Geen zoekopdracht gegenereerd", "No source available": "Geen bron beschikbaar", - "No valves to update": "", + "No valves to update": "Geen kleppen om bij te werken", "None": "Geen", - "Not factually correct": "Feitelijk niet juist", - "Not helpful": "", + "Not factually correct": "Niet feitelijk juist", + "Not helpful": "Niet nuttig", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Opmerking: Als u een minimumscore instelt, levert de zoekopdracht alleen documenten op met een score groter dan of gelijk aan de minimumscore.", + "Notes": "Aantekeningen", "Notifications": "Desktop Notificaties", "November": "November", - "num_gpu (Ollama)": "", + "num_gpu (Ollama)": "num_gpu (Ollama)", "num_thread (Ollama)": "num_thread (Ollama)", - "OAuth ID": "", + "OAuth ID": "OAuth ID", "October": "Oktober", "Off": "Uit", - "Okay, Let's Go!": "Okay, Laten we gaan!", + "Okay, Let's Go!": "Oké, Laten we gaan!", "OLED Dark": "OLED Donker", "Ollama": "Ollama", "Ollama API": "Ollama API", "Ollama API disabled": "Ollama API uitgeschakeld", - "Ollama API is disabled": "", + "Ollama API is disabled": "Ollama API is uitgeschakeld", "Ollama Version": "Ollama Versie", "On": "Aan", "Only": "Alleen", "Only alphanumeric characters and hyphens are allowed in the command string.": "Alleen alfanumerieke karakters en streepjes zijn toegestaan in de commando string.", - "Only collections can be edited, create a new knowledge base to edit/add documents.": "", - "Oops! Looks like the URL is invalid. Please double-check and try again.": "Oops! Het lijkt erop dat de URL ongeldig is. Controleer het nogmaals en probeer opnieuw.", - "Oops! There are files still uploading. Please wait for the upload to complete.": "", - "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.": "Oops! Je gebruikt een niet-ondersteunde methode (alleen frontend). Serveer de WebUI vanuit de backend.", - "Open file": "", - "Open in full screen": "", + "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", + "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.", + "Oops! There are files still uploading. Please wait for the upload to complete.": "Oeps! Er zijn nog bestanden aan het uploaden. Wacht tot het uploaden voltooid is.", + "Oops! There was an error in the previous response.": "Oeps! Er was een fout in de vorige reactie.", + "Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Oeps! Je gebruikt een niet-ondersteunde methode (alleen frontend). Serveer de WebUI vanuit de backend.", + "Open file": "Open bestand", + "Open in full screen": "Open in volledig scherm", "Open new chat": "Open nieuwe chat", - "Open WebUI uses faster-whisper internally.": "", - "Open WebUI version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "", + "Open WebUI uses faster-whisper internally.": "Open WebUI gebruikt faster-whisper intern", + "Open WebUI version (v{{OPEN_WEBUI_VERSION}}) is lower than required version (v{{REQUIRED_VERSION}})": "Open WebUI versie (v{{OPEN_WEBUI_VERSION}}) is kleiner dan de benodigde versie (v{{REQUIRED_VERSION}})", "OpenAI": "OpenAI", "OpenAI API": "OpenAI API", "OpenAI API Config": "OpenAI API Config", @@ -524,36 +525,36 @@ "OpenAI URL/Key required.": "OpenAI URL/Sleutel vereist.", "or": "of", "Other": "Andere", - "OUTPUT": "", - "Output format": "", - "Overview": "", - "page": "", + "OUTPUT": "UITVOER", + "Output format": "Uitvoerformaat", + "Overview": "Overzicht", + "page": "Pagina", "Password": "Wachtwoord", "PDF document (.pdf)": "PDF document (.pdf)", "PDF Extract Images (OCR)": "PDF Extract Afbeeldingen (OCR)", "pending": "wachtend", - "Permission denied when accessing media devices": "", - "Permission denied when accessing microphone": "", + "Permission denied when accessing media devices": "Toegang geweigerd bij het toegang krijgen tot media-apparaten", + "Permission denied when accessing microphone": "Toegang geweigerd bij het toegang krijgen tot de microfoon", "Permission denied when accessing microphone: {{error}}": "Toestemming geweigerd bij toegang tot microfoon: {{error}}", "Personalization": "Personalisatie", - "Pin": "", - "Pinned": "", - "Pipeline deleted successfully": "", - "Pipeline downloaded successfully": "", + "Pin": "Speld", + "Pinned": "Vastgezet", + "Pipeline deleted successfully": "Pijpleiding succesvol verwijderd", + "Pipeline downloaded successfully": "Pijpleiding succesvol gedownload", "Pipelines": "Pijpleidingen", - "Pipelines Not Detected": "", + "Pipelines Not Detected": "Pijpleiding niet gedetecteerd", "Pipelines Valves": "Pijpleidingen Kleppen", "Plain text (.txt)": "Platte tekst (.txt)", "Playground": "Speeltuin", - "Please carefully review the following warnings:": "", - "Please enter a prompt": "", - "Please fill in all fields.": "", - "Please select a reason": "", + "Please carefully review the following warnings:": "Beoordeel de volgende waarschuwingen nauwkeurig:", + "Please enter a prompt": "Voer een prompt in", + "Please fill in all fields.": "Voer alle velden in", + "Please select a reason": "Voer een reden in", "Positive attitude": "Positieve positie", "Previous 30 days": "Vorige 30 dagen", "Previous 7 days": "Vorige 7 dagen", "Profile Image": "Profielafbeelding", - "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (bijvoorbeeld: vertel me een leuke gebeurtenis over het Romeinse eeuw)", + "Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (bv. Vertel me een leuke gebeurtenis over het Romeinse Rijk)", "Prompt Content": "Prompt Inhoud", "Prompt suggestions": "Prompt suggesties", "Prompts": "Prompts", @@ -561,106 +562,107 @@ "Pull a model from Ollama.com": "Haal een model van Ollama.com", "Query Params": "Query Params", "RAG Template": "RAG Template", - "Rating": "", - "Re-rank models by topic similarity": "", + "Rating": "Beoordeling", + "Re-rank models by topic similarity": "Herrangschik modellen op basis van onderwerpsovereenkomst", "Read Aloud": "Voorlezen", "Record voice": "Neem stem op", "Redirecting you to OpenWebUI Community": "Je wordt doorgestuurd naar OpenWebUI Community", - "Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "", - "References from": "", + "Refer to yourself as \"User\" (e.g., \"User is learning Spanish\")": "Refereer naar jezelf als \"user\" (bv. \"User is Spaans aan het leren\"", + "References from": "Referenties van", "Refused when it shouldn't have": "Geweigerd terwijl het niet had moeten", "Regenerate": "Regenereren", "Release Notes": "Release Notes", - "Relevance": "", + "Relevance": "Relevantie", "Remove": "Verwijderen", "Remove Model": "Verwijder Model", - "Rename": "Hervatten", + "Rename": "Hernoemen", "Repeat Last N": "Herhaal Laatste N", "Request Mode": "Request Modus", "Reranking Model": "Reranking Model", "Reranking model disabled": "Reranking model uitgeschakeld", "Reranking model set to \"{{reranking_model}}\"": "Reranking model ingesteld op \"{{reranking_model}}\"", - "Reset": "", - "Reset Upload Directory": "", - "Reset Vector Storage/Knowledge": "", + "Reset": "Herstellen", + "Reset Upload Directory": "Herstel Uploadmap", + "Reset Vector Storage/Knowledge": "Herstel Vectoropslag/-kennis", "Response AutoCopy to Clipboard": "Antwoord Automatisch Kopiëren naar Klembord", - "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", - "Response splitting": "", - "Result": "", - "RK": "", + "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Antwoordmeldingen kunnen niet worden geactiveerd omdat de rechten voor de website zijn geweigerd. Ga naar de instellingen van uw browser om de benodigde toegang te verlenen.", + "Response splitting": "Antwoord splitsing", + "Result": "Resultaat", + "Rich Text Input for Chat": "Rijke tekstinvoer voor chatten", + "RK": "RK", "Role": "Rol", "Rosé Pine": "Rosé Pine", "Rosé Pine Dawn": "Rosé Pine Dawn", "RTL": "RTL", - "Run": "", - "Run Llama 2, Code Llama, and other models. Customize and create your own.": "", - "Running": "", + "Run": "Uitvoeren", + "Run Llama 2, Code Llama, and other models. Customize and create your own.": "Voer Llama 2, Code Llama en andere modellen uit. Pas aan en creëer je eigen.", + "Running": "Aan het uitvoeren", "Save": "Opslaan", "Save & Create": "Opslaan & Creëren", "Save & Update": "Opslaan & Bijwerken", - "Save As Copy": "", - "Save Tag": "", - "Saved": "", + "Save As Copy": "Bewaar als kopie", + "Save Tag": "Bewaar Tag", + "Saved": "Opgeslagen", "Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "Chat logs direct opslaan in de opslag van je browser wordt niet langer ondersteund. Neem even de tijd om je chat logs te downloaden en te verwijderen door op de knop hieronder te klikken. Maak je geen zorgen, je kunt je chat logs eenvoudig opnieuw importeren naar de backend via", - "Scroll to bottom when switching between branches": "", + "Scroll to bottom when switching between branches": "Scroll naar onderen bij het wisselen tussen takken", "Search": "Zoeken", "Search a model": "Zoek een model", "Search Chats": "Chats zoeken", - "Search Collection": "", - "search for tags": "", - "Search Functions": "", - "Search Knowledge": "", + "Search Collection": "Zoek naar verzamelingen", + "search for tags": "Zoek naar tags", + "Search Functions": "Zoek naar functie", + "Search Knowledge": "Zoek naar Kennis", "Search Models": "Modellen zoeken", "Search Prompts": "Zoek Prompts", - "Search Query Generation Prompt": "", + "Search Query Generation Prompt": "Zoekopdracht promptgeneratie", "Search Result Count": "Aantal zoekresultaten", - "Search Tools": "", - "SearchApi API Key": "", - "SearchApi Engine": "", + "Search Tools": "Zoek gereedschappen", + "SearchApi API Key": "SearchApi API-sleutel", + "SearchApi Engine": "SearchApi Engine", "Searched {{count}} sites_one": "Gezocht op {{count}} sites_one", "Searched {{count}} sites_other": "Gezocht op {{count}} sites_other", - "Searching \"{{searchQuery}}\"": "", - "Searching Knowledge for \"{{searchQuery}}\"": "", + "Searching \"{{searchQuery}}\"": "\"{{searchQuery}}\" aan het zoeken.", + "Searching Knowledge for \"{{searchQuery}}\"": "Zoek kennis bij \"{{searchQuery}}\"", "Searxng Query URL": "Searxng Query URL", "See readme.md for instructions": "Zie readme.md voor instructies", "See what's new": "Zie wat er nieuw is", "Seed": "Seed", "Select a base model": "Selecteer een basismodel", - "Select a engine": "", - "Select a file to view or drag and drop a file to upload": "", - "Select a function": "", + "Select a engine": "Selecteer een engine", + "Select a file to view or drag and drop a file to upload": "Selecteer een bestand om te bekijken, of sleep een bestand om het te uploaden", + "Select a function": "Selecteer een functie", "Select a model": "Selecteer een model", "Select a pipeline": "Selecteer een pijplijn", "Select a pipeline url": "Selecteer een pijplijn-URL", - "Select a tool": "", + "Select a tool": "Selecteer een tool", "Select an Ollama instance": "Selecteer een Ollama instantie", - "Select Engine": "", - "Select Knowledge": "", + "Select Engine": "Selecteer Engine", + "Select Knowledge": "Selecteer Kennis", "Select model": "Selecteer een model", - "Select only one model to call": "", + "Select only one model to call": "Selecteer maar één model om aan te roepen", "Selected model(s) do not support image inputs": "Geselecteerde modellen ondersteunen geen beeldinvoer", - "Semantic distance to query": "", + "Semantic distance to query": "Semantische afstand tot query", "Send": "Verzenden", "Send a Message": "Stuur een Bericht", "Send message": "Stuur bericht", - "Sends `stream_options: { include_usage: true }` in the request.\nSupported providers will return token usage information in the response when set.": "", + "Sends `stream_options: { include_usage: true }` in the request.\nSupported providers will return token usage information in the response when set.": "Stuurt `stream_options: { include_usage: true }` in het verzoek. \nOndersteunde providers zullen informatie over tokengebruik in het antwoord terugsturen als dit aan staat.", "September": "September", "Serper API Key": "Serper API-sleutel", - "Serply API Key": "", + "Serply API Key": "Serply API-sleutel", "Serpstack API Key": "Serpstack API-sleutel", "Server connection verified": "Server verbinding geverifieerd", "Set as default": "Stel in als standaard", - "Set CFG Scale": "", + "Set CFG Scale": "Stel CFG-schaal in", "Set Default Model": "Stel Standaard Model in", "Set embedding model (e.g. {{model}})": "Stel embedding model in (bv. {{model}})", "Set Image Size": "Stel Afbeelding Grootte in", "Set reranking model (e.g. {{model}})": "Stel reranking model in (bv. {{model}})", - "Set Sampler": "", - "Set Scheduler": "", + "Set Sampler": "Stel Sampler in", + "Set Scheduler": "Stel planner in", "Set Steps": "Stel Stappen in", "Set Task Model": "Taakmodel instellen", "Set Voice": "Stel Stem in", - "Set whisper model": "", + "Set whisper model": "Stel Whisper model in", "Settings": "Instellingen", "Settings saved successfully!": "Instellingen succesvol opgeslagen!", "Share": "Deel Chat", @@ -668,68 +670,68 @@ "Share to OpenWebUI Community": "Deel naar OpenWebUI Community", "short-summary": "korte-samenvatting", "Show": "Toon", - "Show Admin Details in Account Pending Overlay": "", - "Show Model": "", + "Show Admin Details in Account Pending Overlay": "Admin-details weergeven in overlay in afwachting van account", + "Show Model": "Laat model zien", "Show shortcuts": "Toon snelkoppelingen", - "Show your support!": "", + "Show your support!": "Toon je steun", "Showcased creativity": "Tooncase creativiteit", "Sign in": "Inloggen", - "Sign in to {{WEBUI_NAME}}": "", + "Sign in to {{WEBUI_NAME}}": "Log in bij {{WEBUI_NAME}}", "Sign Out": "Uitloggen", "Sign up": "Registreren", - "Sign up to {{WEBUI_NAME}}": "", - "Signing in to {{WEBUI_NAME}}": "", + "Sign up to {{WEBUI_NAME}}": "Meld je aan bij {{WEBUI_NAME}}", + "Signing in to {{WEBUI_NAME}}": "Aan het inloggen bij {{WEBUI_NAME}}", "Source": "Bron", - "Speech Playback Speed": "", + "Speech Playback Speed": "Afspeelsnelheid spraak", "Speech recognition error: {{error}}": "Spraakherkenning fout: {{error}}", "Speech-to-Text Engine": "Spraak-naar-tekst Engine", - "Stop": "", + "Stop": "Stop", "Stop Sequence": "Stop Sequentie", - "Stream Chat Response": "", - "STT Model": "", + "Stream Chat Response": "Stream chat antwoord", + "STT Model": "STT Model", "STT Settings": "STT Instellingen", "Subtitle (e.g. about the Roman Empire)": "Ondertitel (bijv. over de Romeinse Empire)", "Success": "Succes", "Successfully updated.": "Succesvol bijgewerkt.", "Suggested": "Suggestie", - "Support": "", - "Support this plugin:": "", - "Sync directory": "", + "Support": "Ondersteuning", + "Support this plugin:": "ondersteun deze plugin", + "Sync directory": "Synchroniseer map", "System": "Systeem", - "System Instructions": "", + "System Instructions": "Systeem instructies", "System Prompt": "Systeem Prompt", "Tags": "Tags", - "Tags Generation Prompt": "", - "Tap to interrupt": "", - "Tavily API Key": "", + "Tags Generation Prompt": "Prompt voor taggeneratie", + "Tap to interrupt": "Tik om te onderbreken", + "Tavily API Key": "Tavily API-sleutel", "Tell us more:": "Vertel ons meer:", "Temperature": "Temperatuur", "Template": "Template", - "Temporary Chat": "", - "Text Splitter": "", + "Temporary Chat": "Tijdelijke chat", + "Text Splitter": "Tekst splitser", "Text-to-Speech Engine": "Tekst-naar-Spraak Engine", "Tfs Z": "Tfs Z", "Thanks for your feedback!": "Bedankt voor uw feedback!", - "The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "", - "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "", - "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "", - "The maximum file size in MB. If the file size exceeds this limit, the file will not be uploaded.": "", - "The maximum number of files that can be used at once in chat. If the number of files exceeds this limit, the files will not be uploaded.": "", + "The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "De ontwikkelaars achter deze plugin zijn gepassioneerde vrijwilligers uit de gemeenschap. Als je deze plugin nuttig vindt, overweeg dan om bij te dragen aan de ontwikkeling ervan.", + "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Het beoordelingsklassement is gebaseerd op het Elo-classificatiesysteem en wordt in realtime bijgewerkt.", + "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Het leaderboard is momenteel in bèta en we kunnen de ratingberekeningen aanpassen naarmate we het algoritme verfijnen.", + "The maximum file size in MB. If the file size exceeds this limit, the file will not be uploaded.": "De maximale bestandsgrootte in MB. Als het bestand groter is dan deze limiet, wordt het bestand niet geüpload.", + "The maximum number of files that can be used at once in chat. If the number of files exceeds this limit, the files will not be uploaded.": "Het maximum aantal bestanden dat in één keer kan worden gebruikt in de chat. Als het aantal bestanden deze limiet overschrijdt, worden de bestanden niet geüpload.", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "Het score moet een waarde zijn tussen 0.0 (0%) en 1.0 (100%).", "Theme": "Thema", - "Thinking...": "", - "This action cannot be undone. Do you wish to continue?": "", + "Thinking...": "Aan het denken...", + "This action cannot be undone. Do you wish to continue?": "Deze actie kan niet ongedaan worden gemaakt. Wilt u doorgaan?", "This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Dit zorgt ervoor dat je waardevolle gesprekken veilig worden opgeslagen in je backend database. Dank je wel!", - "This is an experimental feature, it may not function as expected and is subject to change at any time.": "", - "This option will delete all existing files in the collection and replace them with newly uploaded files.": "", - "This response was generated by \"{{model}}\"": "", - "This will delete": "", - "This will delete {{NAME}} and all its contents.": "", - "This will reset the knowledge base and sync all files. Do you wish to continue?": "", + "This is an experimental feature, it may not function as expected and is subject to change at any time.": "Dit is een experimentele functie, het kan functioneren zoals verwacht en kan op elk moment veranderen.", + "This option will delete all existing files in the collection and replace them with newly uploaded files.": "Deze optie verwijdert alle bestaande bestanden in de collectie en vervangt ze door nieuw geüploade bestanden.", + "This response was generated by \"{{model}}\"": "Dit antwoord is gegenereerd door \"{{model}}\"", + "This will delete": "Dit zal verwijderen", + "This will delete {{NAME}} and all its contents.": "Dit zal {{NAME}} verwijderen en al zijn inhoud.", + "This will reset the knowledge base and sync all files. Do you wish to continue?": "Dit zal de kennisdatabase resetten en alle bestanden synchroniseren. Wilt u doorgaan?", "Thorough explanation": "Gevorderde uitleg", - "Tika": "", - "Tika Server URL required.": "", - "Tiktoken": "", + "Tika": "Tika", + "Tika Server URL required.": "Tika Server-URL vereist", + "Tiktoken": "Tiktoken", "Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Tip: Werk meerdere variabele slots achtereenvolgens bij door op de tab-toets te drukken in de chat input na elke vervanging.", "Title": "Titel", "Title (e.g. Tell me a fun fact)": "Titel (bv. Vertel me een leuke gebeurtenis)", @@ -738,86 +740,86 @@ "Title Generation Prompt": "Titel Generatie Prompt", "To access the available model names for downloading,": "Om de beschikbare modelnamen voor downloaden te openen,", "To access the GGUF models available for downloading,": "Om toegang te krijgen tot de GGUF modellen die beschikbaar zijn voor downloaden,", - "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "", - "To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "", + "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "Om toegang te krijgen tot de WebUI, neem contact op met de administrator. Beheerders kunnen de gebruikersstatussen beheren vanuit het Beheerderspaneel.", + "To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "Om hier een kennisbron bij te voegen, voeg ze eerst aan de \"Kennis\" werkplaats toe.", "to chat input.": "naar chat input.", - "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "", - "To select actions here, add them to the \"Functions\" workspace first.": "", - "To select filters here, add them to the \"Functions\" workspace first.": "", - "To select toolkits here, add them to the \"Tools\" workspace first.": "", - "Toast notifications for new updates": "", + "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "Om je privacy te beschermen, worden alleen beoordelingen, model-ID's, tags en metadata van je feedback gedeeld - je chatlogs blijven privé en worden niet opgenomen.", + "To select actions here, add them to the \"Functions\" workspace first.": "Om hier acties te selecteren, voeg ze eerst aan de \"Functies\" Werkplaats toe.", + "To select filters here, add them to the \"Functions\" workspace first.": "Om hier filters te selecteren, voeg ze eerst aan de \"Functies\" Werkplaats toe.", + "To select toolkits here, add them to the \"Tools\" workspace first.": "Om hier gereedschapssets te selecteren, voeg ze eerst aan de \"Gereedschappen\" Werkplaats toe.", + "Toast notifications for new updates": "Toast notificatie voor nieuwe updates", "Today": "Vandaag", "Toggle settings": "Wissel instellingen", "Toggle sidebar": "Wissel sidebar", - "Token": "", - "Tokens To Keep On Context Refresh (num_keep)": "", - "Too verbose": "", - "Tool": "", - "Tool created successfully": "", - "Tool deleted successfully": "", - "Tool imported successfully": "", - "Tool updated successfully": "", - "Toolkit Description (e.g. A toolkit for performing various operations)": "", - "Toolkit ID (e.g. my_toolkit)": "", - "Toolkit Name (e.g. My ToolKit)": "", - "Tools": "", - "Tools are a function calling system with arbitrary code execution": "", - "Tools have a function calling system that allows arbitrary code execution": "", - "Tools have a function calling system that allows arbitrary code execution.": "", + "Token": "Token", + "Tokens To Keep On Context Refresh (num_keep)": "Te bewaren tokens bij contextverversing (num_keep)", + "Too verbose": "Te langdradig", + "Tool": "Gereedschap", + "Tool created successfully": "Gereedschap succesvol aangemaakt", + "Tool deleted successfully": "Gereedschap succesvol verwijderd", + "Tool imported successfully": "Gereedschap succesvol geïmporteerd", + "Tool updated successfully": "Gereedschap succesvol bijgewerkt", + "Toolkit Description (e.g. A toolkit for performing various operations)": "Gereedschapsset Beschrijving (bv. Een gereedschapsset om verschillende acties uit te voeren)", + "Toolkit ID (e.g. my_toolkit)": "Gereedschapsset ID (bv. mijn_gereedschapsset)", + "Toolkit Name (e.g. My ToolKit)": "Gereedschapsset Naam (bv. Mijn Gereedschapsset)", + "Tools": "Gereedschappen", + "Tools are a function calling system with arbitrary code execution": "Gereedschappen zijn een systeem voor het aanroepen van functies met willekeurige code-uitvoering", + "Tools have a function calling system that allows arbitrary code execution": "Gereedschappen hebben een systeem voor het aanroepen van functies waarmee willekeurige code kan worden uitgevoerd", + "Tools have a function calling system that allows arbitrary code execution.": "Gereedschappen hebben een systeem voor het aanroepen van functies waarmee willekeurige code kan worden uitgevoerd", "Top K": "Top K", "Top P": "Top P", "Trouble accessing Ollama?": "Problemen met toegang tot Ollama?", - "TTS Model": "", + "TTS Model": "TTS Model", "TTS Settings": "TTS instellingen", - "TTS Voice": "", + "TTS Voice": "TTS Stem", "Type": "Type", "Type Hugging Face Resolve (Download) URL": "Type Hugging Face Resolve (Download) URL", "Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! Er was een probleem met verbinden met {{provider}}.", - "UI": "", - "Unpin": "", - "Untagged": "", - "Update": "", - "Update and Copy Link": "Update en Kopieer Link", - "Update for the latest features and improvements.": "", + "UI": "UI", + "Unpin": "Losmaken", + "Untagged": "Ongemarkeerd", + "Update": "Bijwerken", + "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", - "Updated": "", - "Updated at": "", - "Updated At": "", - "Upload": "", + "Updated": "Bijgewerkt", + "Updated at": "Bijgewerkt om", + "Updated At": "Bijgewerkt om", + "Upload": "Uploaden", "Upload a GGUF model": "Upload een GGUF model", - "Upload directory": "", - "Upload files": "", + "Upload directory": "Upload map", + "Upload files": "Bestanden uploaden", "Upload Files": "Bestanden uploaden", - "Upload Pipeline": "", + "Upload Pipeline": "Upload Pijpleiding", "Upload Progress": "Upload Voortgang", "URL Mode": "URL Modus", - "Use '#' in the prompt input to load and include your knowledge.": "", + "Use '#' in the prompt input to load and include your knowledge.": "Gebruik '#' in de promptinvoer om je kennis te laden en op te nemen.", "Use Gravatar": "Gebruik Gravatar", "Use Initials": "Gebruik Initials", "use_mlock (Ollama)": "use_mlock (Ollama)", "use_mmap (Ollama)": "use_mmap (Ollama)", "user": "user", - "User": "", - "User location successfully retrieved.": "", + "User": "User", + "User location successfully retrieved.": "Gebruikerslocatie succesvol opgehaald", "User Permissions": "Gebruikers Rechten", "Users": "Gebruikers", - "Using the default arena model with all models. Click the plus button to add custom models.": "", + "Using the default arena model with all models. Click the plus button to add custom models.": "Het standaard arena-model gebruiken met alle modellen. Klik op de plusknop om aangepaste modellen toe te voegen.", "Utilize": "Utilize", "Valid time units:": "Geldige tijdseenheden:", - "Valves": "", - "Valves updated": "", - "Valves updated successfully": "", + "Valves": "Kleppen", + "Valves updated": "Kleppen bijgewerkt", + "Valves updated successfully": "Kleppen succesvol bijgewerkt", "variable": "variabele", "variable to have them replaced with clipboard content.": "variabele om ze te laten vervangen door klembord inhoud.", "Version": "Versie", - "Version {{selectedVersion}} of {{totalVersions}}": "", - "Voice": "", - "Voice Input": "", + "Version {{selectedVersion}} of {{totalVersions}}": "Versie {{selectedVersion}} van {{totalVersions}}", + "Voice": "Stem", + "Voice Input": "Steminvoer", "Warning": "Waarschuwing", - "Warning:": "", + "Warning:": "Waarschuwing", "Warning: If you update or change your embedding model, you will need to re-import all documents.": "Warning: Als je de embedding model bijwerkt of wijzigt, moet je alle documenten opnieuw importeren.", "Web": "Web", - "Web API": "", + "Web API": "Web-API", "Web Loader Settings": "Web Loader instellingen", "Web Search": "Zoeken op het web", "Web Search Engine": "Zoekmachine op het web", @@ -825,25 +827,25 @@ "WebUI Settings": "WebUI Instellingen", "WebUI will make requests to": "WebUI zal verzoeken doen naar", "What’s New in": "Wat is nieuw in", - "Whisper (Local)": "", - "Widescreen Mode": "", - "Won": "", + "Whisper (Local)": "Whisper (Lokaal)", + "Widescreen Mode": "Breedschermmodus", + "Won": "Gewonnen", "Workspace": "Werkruimte", "Write a prompt suggestion (e.g. Who are you?)": "Schrijf een prompt suggestie (bijv. Wie ben je?)", "Write a summary in 50 words that summarizes [topic or keyword].": "Schrijf een samenvatting in 50 woorden die [onderwerp of trefwoord] samenvat.", - "Write something...": "", + "Write something...": "Schrijf iets...", "Yesterday": "gisteren", - "You": "U", - "You can only chat with a maximum of {{maxCount}} file(s) at a time.": "", - "You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "", + "You": "Jij", + "You can only chat with a maximum of {{maxCount}} file(s) at a time.": "Je kunt slechts met maximaal {{maxCount}} bestand(en) tegelijk chatten", + "You can personalize your interactions with LLMs by adding memories through the 'Manage' button below, making them more helpful and tailored to you.": "Je kunt je interacties met LLM's personaliseren door herinneringen toe te voegen via de 'Beheer'-knop hieronder, waardoor ze nuttiger en op maat gemaakt voor jou worden.", "You cannot clone a base model": "U kunt een basismodel niet klonen", - "You cannot upload an empty file.": "", + "You cannot upload an empty file.": "Je kunt een leeg bestand niet uploaden.", "You have no archived conversations.": "U heeft geen gearchiveerde gesprekken.", "You have shared this chat": "U heeft dit gesprek gedeeld", "You're a helpful assistant.": "Jij bent een behulpzame assistent.", "You're now logged in.": "Je bent nu ingelogd.", - "Your account status is currently pending activation.": "", - "Your entire contribution will go directly to the plugin developer; Open WebUI does not take any percentage. However, the chosen funding platform might have its own fees.": "", + "Your account status is currently pending activation.": "Je accountstatus wacht nu op activatie", + "Your entire contribution will go directly to the plugin developer; Open WebUI does not take any percentage. However, the chosen funding platform might have its own fees.": "Je volledige bijdrage gaat direct naar de ontwikkelaar van de plugin; Open WebUI neemt hier geen deel van. Het gekozen financieringsplatform kan echter wel zijn eigen kosten hebben.", "Youtube": "Youtube", "Youtube Loader Settings": "Youtube-laderinstellingen" } diff --git a/src/lib/i18n/locales/pa-IN/translation.json b/src/lib/i18n/locales/pa-IN/translation.json index e51a9d9e4bf859a7d6810cb0e1e36460c7b60b25..a102dabc638ca65e6833309b00a04cce6cee45e9 100644 --- a/src/lib/i18n/locales/pa-IN/translation.json +++ b/src/lib/i18n/locales/pa-IN/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "ਤੱਥਕ ਰੂਪ ਵਿੱਚ ਸਹੀ ਨਹੀਂ", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ਨੋਟ: ਜੇ ਤੁਸੀਂ ਘੱਟੋ-ਘੱਟ ਸਕੋਰ ਸੈੱਟ ਕਰਦੇ ਹੋ, ਤਾਂ ਖੋਜ ਸਿਰਫ਼ ਉਹੀ ਡਾਕੂਮੈਂਟ ਵਾਪਸ ਕਰੇਗੀ ਜਿਨ੍ਹਾਂ ਦਾ ਸਕੋਰ ਘੱਟੋ-ਘੱਟ ਸਕੋਰ ਦੇ ਬਰਾਬਰ ਜਾਂ ਵੱਧ ਹੋਵੇ।", + "Notes": "", "Notifications": "ਸੂਚਨਾਵਾਂ", "November": "ਨਵੰਬਰ", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "ਭੂਮਿਕਾ", "Rosé Pine": "ਰੋਜ਼ ਪਾਈਨ", diff --git a/src/lib/i18n/locales/pl-PL/translation.json b/src/lib/i18n/locales/pl-PL/translation.json index adfc0fb621ca2467a93162be4a5979c7a9e973a0..d402d02878320af27d26adcf23a87dc1e90e7687 100644 --- a/src/lib/i18n/locales/pl-PL/translation.json +++ b/src/lib/i18n/locales/pl-PL/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Nie zgodne z faktami", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Uwaga: Jeśli ustawisz minimalny wynik, szukanie zwróci jedynie dokumenty z wynikiem większym lub równym minimalnemu.", + "Notes": "", "Notifications": "Powiadomienia", "November": "Listopad", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rola", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json index 148215bfc013af58477cead13d48491ae44c957b..f2216d8928ad4c64536f96f0258ee62432c4d841 100644 --- a/src/lib/i18n/locales/pt-BR/translation.json +++ b/src/lib/i18n/locales/pt-BR/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Não está factualmente correto", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Se você definir uma pontuação mínima, a pesquisa retornará apenas documentos com pontuação igual ou superior à pontuação mínima.", + "Notes": "", "Notifications": "Notificações", "November": "Novembro", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Notificações de resposta não podem ser ativadas pois as permissões do site foram negadas. Por favor, visite as configurações do seu navegador para conceder o acesso necessário.", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Função", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/pt-PT/translation.json b/src/lib/i18n/locales/pt-PT/translation.json index b069f42b4ddb114bc5dd4d99db568fc5b00306f0..8bf8670de65e1f0a8d3dd572a02cf9bdc7652dd2 100644 --- a/src/lib/i18n/locales/pt-PT/translation.json +++ b/src/lib/i18n/locales/pt-PT/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Não é correto em termos factuais", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Se você definir uma pontuação mínima, a pesquisa só retornará documentos com uma pontuação maior ou igual à pontuação mínima.", + "Notes": "", "Notifications": "Notificações da Área de Trabalho", "November": "Novembro", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Função", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/ro-RO/translation.json b/src/lib/i18n/locales/ro-RO/translation.json index af239841e1b132916257ce89735f78af746f4610..5146f12707c96f64ef785a96983eed43aec99a49 100644 --- a/src/lib/i18n/locales/ro-RO/translation.json +++ b/src/lib/i18n/locales/ro-RO/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Nu este corect din punct de vedere factual", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Notă: Dacă setați un scor minim, căutarea va returna doar documente cu un scor mai mare sau egal cu scorul minim.", + "Notes": "", "Notifications": "Notificări", "November": "Noiembrie", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Notificările de răspuns nu pot fi activate deoarece permisiunile site-ului au fost refuzate. Vă rugăm să vizitați setările browserului pentru a acorda accesul necesar.", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rol", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/ru-RU/translation.json b/src/lib/i18n/locales/ru-RU/translation.json index 8aff25f60fe0dce6a60b29a936f8200c092eb1da..5949efdb386d629fcb5526bc465c9ca62b83e8b5 100644 --- a/src/lib/i18n/locales/ru-RU/translation.json +++ b/src/lib/i18n/locales/ru-RU/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Не соответствует действительности", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Обратите внимание: Если вы установите минимальный балл, поиск будет возвращать только документы с баллом больше или равным минимальному баллу.", + "Notes": "", "Notifications": "Уведомления", "November": "Ноябрь", "num_gpu (Ollama)": "num_gpu (Ollama)", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Уведомления об ответах не могут быть активированы, поскольку доступ к веб-сайту был заблокирован. Пожалуйста, перейдите к настройкам своего браузера, чтобы предоставить необходимый доступ.", "Response splitting": "Разделение ответов", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Роль", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/sr-RS/translation.json b/src/lib/i18n/locales/sr-RS/translation.json index a25b6d50db006b8c39d4692f0348adf321311d6e..a4133eaacb09cde70ae0a56fcdfcd235bc6c63d7 100644 --- a/src/lib/i18n/locales/sr-RS/translation.json +++ b/src/lib/i18n/locales/sr-RS/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Није чињенично тачно", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Напомена: ако подесите најмањи резултат, претрага ће вратити само документе са резултатом већим или једнаким најмањем резултату.", + "Notes": "", "Notifications": "Обавештења", "November": "Новембар", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Улога", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/sv-SE/translation.json b/src/lib/i18n/locales/sv-SE/translation.json index 494dc77ba3b64c5d0ddc789d026966da9e0ddf3b..916f3003b7f86a0c694656191dc9dca5cf81d0de 100644 --- a/src/lib/i18n/locales/sv-SE/translation.json +++ b/src/lib/i18n/locales/sv-SE/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Inte faktiskt korrekt", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Obs: Om du anger en tröskel kommer sökningen endast att returnera dokument med ett betyg som är större än eller lika med tröskeln.", + "Notes": "", "Notifications": "Notifikationer", "November": "november", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Roll", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/th-TH/translation.json b/src/lib/i18n/locales/th-TH/translation.json index d372fd596c722e5aab67677e5aab2739bf974192..28684484cab0ea25497fe581d0aa5b49fdbccdc1 100644 --- a/src/lib/i18n/locales/th-TH/translation.json +++ b/src/lib/i18n/locales/th-TH/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "ไม่ถูกต้องตามข้อเท็จจริง", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "หมายเหตุ: หากคุณตั้งค่าคะแนนขั้นต่ำ การค้นหาจะคืนเอกสารที่มีคะแนนมากกว่าหรือเท่ากับคะแนนขั้นต่ำเท่านั้น", + "Notes": "", "Notifications": "การแจ้งเตือน", "November": "พฤศจิกายน", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "ไม่สามารถเปิดการแจ้งเตือนการตอบสนองได้เนื่องจากเว็บไซต์ปฏิเสธ กรุณาเข้าการตั้งค่าเบราว์เซอร์ของคุณเพื่อให้สิทธิ์การเข้าถึงที่จำเป็น", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "บทบาท", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/tk-TW/translation.json b/src/lib/i18n/locales/tk-TW/translation.json index bcc52354271083672025ef0876df6ae3932b2ce0..9718ff4911c12f81614cb6efd0cf20d364340f8b 100644 --- a/src/lib/i18n/locales/tk-TW/translation.json +++ b/src/lib/i18n/locales/tk-TW/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "", + "Notes": "", "Notifications": "", "November": "", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "", "Rosé Pine": "", diff --git a/src/lib/i18n/locales/tr-TR/translation.json b/src/lib/i18n/locales/tr-TR/translation.json index f64961f023b7a8aea0799ed25eda3625bcba016d..5a65ee80588a98ccf3a5b50c80f7906827ecbb9b 100644 --- a/src/lib/i18n/locales/tr-TR/translation.json +++ b/src/lib/i18n/locales/tr-TR/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Gerçeklere göre doğru değil", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Not: Minimum bir skor belirlerseniz, arama yalnızca minimum skora eşit veya daha yüksek bir skora sahip belgeleri getirecektir.", + "Notes": "", "Notifications": "Bildirimler", "November": "Kasım", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Web sitesi izinleri reddedildiğinden yanıt bildirimleri etkinleştirilemiyor. Gerekli erişimi sağlamak için lütfen tarayıcı ayarlarınızı ziyaret edin.", "Response splitting": "Yanıt bölme", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Rol", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/uk-UA/translation.json b/src/lib/i18n/locales/uk-UA/translation.json index 4ba575fcbded6b3d609e3ddfd3fccaffd154b6f7..2c0c6c958250e1a61ea1cf2b6ffae87ab8e11e6d 100644 --- a/src/lib/i18n/locales/uk-UA/translation.json +++ b/src/lib/i18n/locales/uk-UA/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Не відповідає дійсності", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Примітка: Якщо ви встановите мінімальну кількість балів, пошук поверне лише документи з кількістю балів, більшою або рівною мінімальній кількості балів.", + "Notes": "", "Notifications": "Сповіщення", "November": "Листопад", "num_gpu (Ollama)": "num_gpu (Ollama)", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Сповіщення про відповіді не можуть бути активовані, оскільки вам було відмовлено в доступі до веб-сайту. Будь ласка, відвідайте налаштування вашого браузера, щоб надати необхідний доступ.", "Response splitting": "Розбиття відповіді", "Result": "Результат", + "Rich Text Input for Chat": "", "RK": "RK", "Role": "Роль", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/vi-VN/translation.json b/src/lib/i18n/locales/vi-VN/translation.json index 4d7c0d816c4a2d41049dd49b6e086b79df7f552d..bfacce66757925534223964c609d2df4b4f6f7b0 100644 --- a/src/lib/i18n/locales/vi-VN/translation.json +++ b/src/lib/i18n/locales/vi-VN/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "Không chính xác so với thực tế", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Lưu ý: Nếu bạn đặt điểm (Score) tối thiểu thì tìm kiếm sẽ chỉ trả về những tài liệu có điểm lớn hơn hoặc bằng điểm tối thiểu.", + "Notes": "", "Notifications": "Thông báo trên máy tính (Notification)", "November": "Tháng 11", "num_gpu (Ollama)": "", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "Không thể kích hoạt thông báo vì trang web không cấp quyền. Vui lòng truy cập cài đặt trình duyệt của bạn để cấp quyền cần thiết.", "Response splitting": "", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "Vai trò", "Rosé Pine": "Rosé Pine", diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json index 6c18100fdd27a6f72dc4d77307b66f2d12a2a2fe..a08d60c6fc60ed045f5639fd157d23d768cb4e35 100644 --- a/src/lib/i18n/locales/zh-CN/translation.json +++ b/src/lib/i18n/locales/zh-CN/translation.json @@ -287,7 +287,7 @@ "Error": "错误", "ERROR": "错误", "Evaluations": "竞技场评估", - "Exclude": "", + "Exclude": "排除", "Experimental": "实验性", "Export": "导出", "Export All Chats (All Users)": "导出所有用户对话", @@ -358,7 +358,7 @@ "has no conversations.": "没有对话。", "Hello, {{name}}": "您好,{{name}}", "Help": "帮助", - "Help us create the best community leaderboard by sharing your feedback history!": "", + "Help us create the best community leaderboard by sharing your feedback history!": "分享您的反馈历史记录,共建最佳模型社区排行榜!", "Hide": "隐藏", "Hide Model": "隐藏", "How can I help you today?": "有什么我能帮您的吗?", @@ -375,7 +375,7 @@ "Import Models": "导入模型", "Import Prompts": "导入提示词", "Import Tools": "导入工具", - "Include": "", + "Include": "包括", "Include `--api-auth` flag when running stable-diffusion-webui": "运行 stable-diffusion-webui 时包含 `--api-auth` 标志", "Include `--api` flag when running stable-diffusion-webui": "运行 stable-diffusion-webui 时包含 `--api` 标志", "Info": "信息", @@ -488,8 +488,9 @@ "No valves to update": "没有需要更新的值", "None": "无", "Not factually correct": "事实并非如此", - "Not helpful": "", + "Not helpful": "无帮助", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "注意:如果设置了最低分数,搜索只会返回分数大于或等于最低分数的文档。", + "Notes": "笔记", "Notifications": "桌面通知", "November": "十一月", "num_gpu (Ollama)": "num_gpu (Ollama)", @@ -562,7 +563,7 @@ "Query Params": "查询参数", "RAG Template": "RAG 提示词模板", "Rating": "评价", - "Re-rank models by topic similarity": "", + "Re-rank models by topic similarity": "根据主题相似性对模型重新排序", "Read Aloud": "朗读", "Record voice": "录音", "Redirecting you to OpenWebUI Community": "正在将您重定向到 OpenWebUI 社区", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "无法激活回复时发送通知。请检查浏览器设置,并授予必要的访问权限。", "Response splitting": "拆分回复", "Result": "结果", + "Rich Text Input for Chat": "对话富文本输入", "RK": "排名", "Role": "权限组", "Rosé Pine": "Rosé Pine", @@ -710,8 +712,8 @@ "Tfs Z": "Tfs Z", "Thanks for your feedback!": "感谢您的反馈!", "The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "本插件的背后开发者是社区中热情的志愿者。如果此插件有帮助到您,烦请考虑一下为它的开发做出贡献。", - "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "", - "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "", + "The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "排行榜基于 Elo 评级系统并实时更新。", + "The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "排行榜目前处于 Beta 测试阶段,我们可能会在完善算法后调整评分计算方法。", "The maximum file size in MB. If the file size exceeds this limit, the file will not be uploaded.": "最大文件大小(MB)。如果文件大小超过此限制,则无法上传该文件。", "The maximum number of files that can be used at once in chat. If the number of files exceeds this limit, the files will not be uploaded.": "在单次对话中可以使用的最大文件数。如果文件数超过此限制,则文件不会上传。", "The score should be a value between 0.0 (0%) and 1.0 (100%).": "分值应介于 0.0(0%)和 1.0(100%)之间。", @@ -740,7 +742,7 @@ "To access the WebUI, please reach out to the administrator. Admins can manage user statuses from the Admin Panel.": "请联系管理员以访问。管理员可以在后台管理面板中管理用户状态。", "To attach knowledge base here, add them to the \"Knowledge\" workspace first.": "要在这里附加知识库,请先将其添加到工作空间中的“知识库”。", "to chat input.": "到对话输入。", - "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "", + "To protect your privacy, only ratings, model IDs, tags, and metadata are shared from your feedback—your chat logs remain private and are not included.": "为了保护您的隐私,只有评分、模型ID、标签和元数据会从您的反馈中分享——您的聊天记录将保持私密,不会被包含在内。", "To select actions here, add them to the \"Functions\" workspace first.": "要在这里选择自动化,请先将其添加到工作空间中的“函数”。", "To select filters here, add them to the \"Functions\" workspace first.": "要在这里选择过滤器,请先将其添加到工作空间中的“函数”。", "To select toolkits here, add them to the \"Tools\" workspace first.": "要在这里选择工具包,请先将其添加到工作空间中的“工具”。", @@ -750,7 +752,7 @@ "Toggle sidebar": "切换侧边栏", "Token": "Token", "Tokens To Keep On Context Refresh (num_keep)": "在语境刷新时需保留的 Tokens", - "Too verbose": "", + "Too verbose": "过于冗长", "Tool": "工具", "Tool created successfully": "工具创建成功", "Tool deleted successfully": "工具删除成功", diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json index a78bdc3870912ba8176b3d50ede074afff31ec1e..1cf9574be5936dea9d93b2dfe6ee111f7a538839 100644 --- a/src/lib/i18n/locales/zh-TW/translation.json +++ b/src/lib/i18n/locales/zh-TW/translation.json @@ -490,6 +490,7 @@ "Not factually correct": "與事實不符", "Not helpful": "", "Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "注意:如果您設定了最低分數,則搜尋只會回傳分數大於或等於最低分數的文件。", + "Notes": "", "Notifications": "通知", "November": "11 月", "num_gpu (Ollama)": "num_gpu (Ollama)", @@ -587,6 +588,7 @@ "Response notifications cannot be activated as the website permissions have been denied. Please visit your browser settings to grant the necessary access.": "無法啟用回應通知,因為網站權限已遭拒。請前往瀏覽器設定以授予必要存取權限。", "Response splitting": "回應分割", "Result": "", + "Rich Text Input for Chat": "", "RK": "", "Role": "角色", "Rosé Pine": "玫瑰松", diff --git a/src/routes/(app)/+layout.svelte b/src/routes/(app)/+layout.svelte index 83b6e492b82e0a54281c6d912c2639c11d2340f6..df9fc02e35a331eb516d8ce411d58a7213f708cb 100644 --- a/src/routes/(app)/+layout.svelte +++ b/src/routes/(app)/+layout.svelte @@ -190,7 +190,7 @@ } }); - if ($user.role === 'admin') { + if ($user.role === 'admin' && ($settings?.showChangelog ?? true)) { showChangelog.set($settings?.version !== $config.version); } diff --git a/src/routes/(app)/playground/+layout.svelte b/src/routes/(app)/playground/+layout.svelte index 2fc81f8e9220c7149266237871e7dfe3387a4236..1f66807ef13b1f7bd298fdea20656a81f4851024 100644 --- a/src/routes/(app)/playground/+layout.svelte +++ b/src/routes/(app)/playground/+layout.svelte @@ -51,6 +51,15 @@ href="/playground">{$i18n.t('Chat')} + {$i18n.t('Notes')} +