diff --git a/backend/open_webui/retrieval/loaders/mistral.py b/backend/open_webui/retrieval/loaders/mistral.py
index 2f0e2b8bb..67641d050 100644
--- a/backend/open_webui/retrieval/loaders/mistral.py
+++ b/backend/open_webui/retrieval/loaders/mistral.py
@@ -25,12 +25,12 @@ class MistralLoader:
BASE_API_URL = "https://api.mistral.ai/v1"
def __init__(
- self,
- api_key: str,
+ self,
+ api_key: str,
file_path: str,
timeout: int = 300, # 5 minutes default
max_retries: int = 3,
- enable_debug_logging: bool = False
+ enable_debug_logging: bool = False,
):
"""
Initializes the loader with enhanced features.
@@ -52,14 +52,14 @@ class MistralLoader:
self.timeout = timeout
self.max_retries = max_retries
self.debug = enable_debug_logging
-
+
# Pre-compute file info for performance
self.file_name = os.path.basename(file_path)
self.file_size = os.path.getsize(file_path)
-
+
self.headers = {
"Authorization": f"Bearer {self.api_key}",
- "User-Agent": "OpenWebUI-MistralLoader/2.0"
+ "User-Agent": "OpenWebUI-MistralLoader/2.0",
}
def _debug_log(self, message: str, *args) -> None:
@@ -85,21 +85,25 @@ class MistralLoader:
log.error(f"JSON decode error: {json_err} - Response: {response.text}")
raise # Re-raise after logging
- async def _handle_response_async(self, response: aiohttp.ClientResponse) -> Dict[str, Any]:
+ async def _handle_response_async(
+ self, response: aiohttp.ClientResponse
+ ) -> Dict[str, Any]:
"""Async version of response handling with better error info."""
try:
response.raise_for_status()
-
+
# Check content type
- content_type = response.headers.get('content-type', '')
- if 'application/json' not in content_type:
+ content_type = response.headers.get("content-type", "")
+ if "application/json" not in content_type:
if response.status == 204:
return {}
text = await response.text()
- raise ValueError(f"Unexpected content type: {content_type}, body: {text[:200]}...")
-
+ raise ValueError(
+ f"Unexpected content type: {content_type}, body: {text[:200]}..."
+ )
+
return await response.json()
-
+
except aiohttp.ClientResponseError as e:
error_text = await response.text() if response else "No response"
log.error(f"HTTP {e.status}: {e.message} - Response: {error_text[:500]}")
@@ -119,9 +123,11 @@ class MistralLoader:
except (requests.exceptions.RequestException, Exception) as e:
if attempt == self.max_retries - 1:
raise
-
- wait_time = (2 ** attempt) + 0.5
- log.warning(f"Request failed (attempt {attempt + 1}/{self.max_retries}): {e}. Retrying in {wait_time}s...")
+
+ wait_time = (2**attempt) + 0.5
+ log.warning(
+ f"Request failed (attempt {attempt + 1}/{self.max_retries}): {e}. Retrying in {wait_time}s..."
+ )
time.sleep(wait_time)
async def _retry_request_async(self, request_func, *args, **kwargs):
@@ -132,9 +138,11 @@ class MistralLoader:
except (aiohttp.ClientError, asyncio.TimeoutError) as e:
if attempt == self.max_retries - 1:
raise
-
- wait_time = (2 ** attempt) + 0.5
- log.warning(f"Request failed (attempt {attempt + 1}/{self.max_retries}): {e}. Retrying in {wait_time}s...")
+
+ wait_time = (2**attempt) + 0.5
+ log.warning(
+ f"Request failed (attempt {attempt + 1}/{self.max_retries}): {e}. Retrying in {wait_time}s..."
+ )
await asyncio.sleep(wait_time)
def _upload_file(self) -> str:
@@ -149,11 +157,11 @@ class MistralLoader:
data = {"purpose": "ocr"}
response = requests.post(
- url,
- headers=self.headers,
- files=files,
+ url,
+ headers=self.headers,
+ files=files,
data=data,
- timeout=self.timeout
+ timeout=self.timeout,
)
return self._handle_response(response)
@@ -172,39 +180,45 @@ class MistralLoader:
async def _upload_file_async(self, session: aiohttp.ClientSession) -> str:
"""Async file upload with streaming for better memory efficiency."""
url = f"{self.BASE_API_URL}/files"
-
+
async def upload_request():
# Create multipart writer for streaming upload
- writer = aiohttp.MultipartWriter('form-data')
-
+ writer = aiohttp.MultipartWriter("form-data")
+
# Add purpose field
- purpose_part = writer.append('ocr')
- purpose_part.set_content_disposition('form-data', name='purpose')
-
+ purpose_part = writer.append("ocr")
+ purpose_part.set_content_disposition("form-data", name="purpose")
+
# Add file part with streaming
- file_part = writer.append_payload(aiohttp.streams.FilePayload(
- self.file_path,
- filename=self.file_name,
- content_type='application/pdf'
- ))
- file_part.set_content_disposition('form-data', name='file', filename=self.file_name)
-
- self._debug_log(f"Uploading file: {self.file_name} ({self.file_size:,} bytes)")
-
+ file_part = writer.append_payload(
+ aiohttp.streams.FilePayload(
+ self.file_path,
+ filename=self.file_name,
+ content_type="application/pdf",
+ )
+ )
+ file_part.set_content_disposition(
+ "form-data", name="file", filename=self.file_name
+ )
+
+ self._debug_log(
+ f"Uploading file: {self.file_name} ({self.file_size:,} bytes)"
+ )
+
async with session.post(
- url,
- data=writer,
+ url,
+ data=writer,
headers=self.headers,
- timeout=aiohttp.ClientTimeout(total=self.timeout)
+ timeout=aiohttp.ClientTimeout(total=self.timeout),
) as response:
return await self._handle_response_async(response)
-
+
response_data = await self._retry_request_async(upload_request)
-
+
file_id = response_data.get("id")
if not file_id:
raise ValueError("File ID not found in upload response.")
-
+
log.info(f"File uploaded successfully. File ID: {file_id}")
return file_id
@@ -217,10 +231,7 @@ class MistralLoader:
def url_request():
response = requests.get(
- url,
- headers=signed_url_headers,
- params=params,
- timeout=self.timeout
+ url, headers=signed_url_headers, params=params, timeout=self.timeout
)
return self._handle_response(response)
@@ -235,32 +246,31 @@ class MistralLoader:
log.error(f"Failed to get signed URL: {e}")
raise
- async def _get_signed_url_async(self, session: aiohttp.ClientSession, file_id: str) -> str:
+ async def _get_signed_url_async(
+ self, session: aiohttp.ClientSession, file_id: str
+ ) -> str:
"""Async signed URL retrieval."""
url = f"{self.BASE_API_URL}/files/{file_id}/url"
params = {"expiry": 1}
-
- headers = {
- **self.headers,
- "Accept": "application/json"
- }
-
+
+ headers = {**self.headers, "Accept": "application/json"}
+
async def url_request():
self._debug_log(f"Getting signed URL for file ID: {file_id}")
async with session.get(
- url,
- headers=headers,
+ url,
+ headers=headers,
params=params,
- timeout=aiohttp.ClientTimeout(total=self.timeout)
+ timeout=aiohttp.ClientTimeout(total=self.timeout),
) as response:
return await self._handle_response_async(response)
-
+
response_data = await self._retry_request_async(url_request)
-
+
signed_url = response_data.get("url")
if not signed_url:
raise ValueError("Signed URL not found in response.")
-
+
self._debug_log("Signed URL received successfully")
return signed_url
@@ -284,10 +294,7 @@ class MistralLoader:
def ocr_request():
response = requests.post(
- url,
- headers=ocr_headers,
- json=payload,
- timeout=self.timeout
+ url, headers=ocr_headers, json=payload, timeout=self.timeout
)
return self._handle_response(response)
@@ -300,16 +307,18 @@ class MistralLoader:
log.error(f"Failed during OCR processing: {e}")
raise
- async def _process_ocr_async(self, session: aiohttp.ClientSession, signed_url: str) -> Dict[str, Any]:
+ async def _process_ocr_async(
+ self, session: aiohttp.ClientSession, signed_url: str
+ ) -> Dict[str, Any]:
"""Async OCR processing with timing metrics."""
url = f"{self.BASE_API_URL}/ocr"
-
+
headers = {
**self.headers,
"Content-Type": "application/json",
"Accept": "application/json",
}
-
+
payload = {
"model": "mistral-ocr-latest",
"document": {
@@ -318,24 +327,24 @@ class MistralLoader:
},
"include_image_base64": False,
}
-
+
async def ocr_request():
log.info("Starting OCR processing via Mistral API")
start_time = time.time()
-
+
async with session.post(
- url,
- json=payload,
+ url,
+ json=payload,
headers=headers,
- timeout=aiohttp.ClientTimeout(total=self.timeout)
+ timeout=aiohttp.ClientTimeout(total=self.timeout),
) as response:
ocr_response = await self._handle_response_async(response)
-
+
processing_time = time.time() - start_time
log.info(f"OCR processing completed in {processing_time:.2f}s")
-
+
return ocr_response
-
+
return await self._retry_request_async(ocr_request)
def _delete_file(self, file_id: str) -> None:
@@ -351,21 +360,26 @@ class MistralLoader:
# Log error but don't necessarily halt execution if deletion fails
log.error(f"Failed to delete file ID {file_id}: {e}")
- async def _delete_file_async(self, session: aiohttp.ClientSession, file_id: str) -> None:
+ async def _delete_file_async(
+ self, session: aiohttp.ClientSession, file_id: str
+ ) -> None:
"""Async file deletion with error tolerance."""
try:
+
async def delete_request():
self._debug_log(f"Deleting file ID: {file_id}")
async with session.delete(
- url=f"{self.BASE_API_URL}/files/{file_id}",
+ url=f"{self.BASE_API_URL}/files/{file_id}",
headers=self.headers,
- timeout=aiohttp.ClientTimeout(total=30) # Shorter timeout for cleanup
+ timeout=aiohttp.ClientTimeout(
+ total=30
+ ), # Shorter timeout for cleanup
) as response:
return await self._handle_response_async(response)
-
+
await self._retry_request_async(delete_request)
self._debug_log(f"File {file_id} deleted successfully")
-
+
except Exception as e:
# Don't fail the entire process if cleanup fails
log.warning(f"Failed to delete file ID {file_id}: {e}")
@@ -379,13 +393,13 @@ class MistralLoader:
ttl_dns_cache=300, # DNS cache TTL
use_dns_cache=True,
keepalive_timeout=30,
- enable_cleanup_closed=True
+ enable_cleanup_closed=True,
)
-
+
async with aiohttp.ClientSession(
connector=connector,
timeout=aiohttp.ClientTimeout(total=self.timeout),
- headers={"User-Agent": "OpenWebUI-MistralLoader/2.0"}
+ headers={"User-Agent": "OpenWebUI-MistralLoader/2.0"},
) as session:
yield session
@@ -394,31 +408,40 @@ class MistralLoader:
pages_data = ocr_response.get("pages")
if not pages_data:
log.warning("No pages found in OCR response.")
- return [Document(page_content="No text content found", metadata={"error": "no_pages"})]
+ return [
+ Document(
+ page_content="No text content found", metadata={"error": "no_pages"}
+ )
+ ]
documents = []
total_pages = len(pages_data)
skipped_pages = 0
-
+
for page_data in pages_data:
page_content = page_data.get("markdown")
page_index = page_data.get("index") # API uses 0-based index
if page_content is not None and page_index is not None:
# Clean up content efficiently
- cleaned_content = page_content.strip() if isinstance(page_content, str) else str(page_content)
-
+ cleaned_content = (
+ page_content.strip()
+ if isinstance(page_content, str)
+ else str(page_content)
+ )
+
if cleaned_content: # Only add non-empty pages
documents.append(
Document(
page_content=cleaned_content,
metadata={
"page": page_index, # 0-based index from API
- "page_label": page_index + 1, # 1-based label for convenience
+ "page_label": page_index
+ + 1, # 1-based label for convenience
"total_pages": total_pages,
"file_name": self.file_name,
"file_size": self.file_size,
- "processing_engine": "mistral-ocr"
+ "processing_engine": "mistral-ocr",
},
)
)
@@ -427,18 +450,24 @@ class MistralLoader:
self._debug_log(f"Skipping empty page {page_index}")
else:
skipped_pages += 1
- self._debug_log(f"Skipping page due to missing 'markdown' or 'index'. Data: {page_data}")
+ self._debug_log(
+ f"Skipping page due to missing 'markdown' or 'index'. Data: {page_data}"
+ )
if skipped_pages > 0:
- log.info(f"Processed {len(documents)} pages, skipped {skipped_pages} empty/invalid pages")
+ log.info(
+ f"Processed {len(documents)} pages, skipped {skipped_pages} empty/invalid pages"
+ )
if not documents:
# Case where pages existed but none had valid markdown/index
- log.warning("OCR response contained pages, but none had valid content/index.")
+ log.warning(
+ "OCR response contained pages, but none had valid content/index."
+ )
return [
Document(
page_content="No valid text content found in document",
- metadata={"error": "no_valid_pages", "total_pages": total_pages}
+ metadata={"error": "no_valid_pages", "total_pages": total_pages},
)
]
@@ -454,7 +483,7 @@ class MistralLoader:
"""
file_id = None
start_time = time.time()
-
+
try:
# 1. Upload file
file_id = self._upload_file()
@@ -467,20 +496,29 @@ class MistralLoader:
# 4. Process results
documents = self._process_results(ocr_response)
-
+
total_time = time.time() - start_time
- log.info(f"Sync OCR workflow completed in {total_time:.2f}s, produced {len(documents)} documents")
-
+ log.info(
+ f"Sync OCR workflow completed in {total_time:.2f}s, produced {len(documents)} documents"
+ )
+
return documents
except Exception as e:
total_time = time.time() - start_time
- log.error(f"An error occurred during the loading process after {total_time:.2f}s: {e}")
+ log.error(
+ f"An error occurred during the loading process after {total_time:.2f}s: {e}"
+ )
# Return an error document on failure
- return [Document(
- page_content=f"Error during processing: {e}",
- metadata={"error": "processing_failed", "file_name": self.file_name}
- )]
+ return [
+ Document(
+ page_content=f"Error during processing: {e}",
+ metadata={
+ "error": "processing_failed",
+ "file_name": self.file_name,
+ },
+ )
+ ]
finally:
# 5. Delete file (attempt even if prior steps failed after upload)
if file_id:
@@ -488,18 +526,20 @@ class MistralLoader:
self._delete_file(file_id)
except Exception as del_e:
# Log deletion error, but don't overwrite original error if one occurred
- log.error(f"Cleanup error: Could not delete file ID {file_id}. Reason: {del_e}")
+ log.error(
+ f"Cleanup error: Could not delete file ID {file_id}. Reason: {del_e}"
+ )
async def load_async(self) -> List[Document]:
"""
Asynchronous OCR workflow execution with optimized performance.
-
+
Returns:
A list of Document objects, one for each page processed.
"""
file_id = None
start_time = time.time()
-
+
try:
async with self._get_session() as session:
# 1. Upload file with streaming
@@ -513,19 +553,26 @@ class MistralLoader:
# 4. Process results
documents = self._process_results(ocr_response)
-
+
total_time = time.time() - start_time
- log.info(f"Async OCR workflow completed in {total_time:.2f}s, produced {len(documents)} documents")
-
+ log.info(
+ f"Async OCR workflow completed in {total_time:.2f}s, produced {len(documents)} documents"
+ )
+
return documents
except Exception as e:
total_time = time.time() - start_time
log.error(f"Async OCR workflow failed after {total_time:.2f}s: {e}")
- return [Document(
- page_content=f"Error during OCR processing: {e}",
- metadata={"error": "processing_failed", "file_name": self.file_name}
- )]
+ return [
+ Document(
+ page_content=f"Error during OCR processing: {e}",
+ metadata={
+ "error": "processing_failed",
+ "file_name": self.file_name,
+ },
+ )
+ ]
finally:
# 5. Cleanup - always attempt file deletion
if file_id:
@@ -536,40 +583,51 @@ class MistralLoader:
log.error(f"Cleanup failed for file ID {file_id}: {cleanup_error}")
@staticmethod
- async def load_multiple_async(loaders: List['MistralLoader']) -> List[List[Document]]:
+ async def load_multiple_async(
+ loaders: List["MistralLoader"],
+ ) -> List[List[Document]]:
"""
Process multiple files concurrently for maximum performance.
-
+
Args:
loaders: List of MistralLoader instances
-
+
Returns:
List of document lists, one for each loader
"""
if not loaders:
return []
-
+
log.info(f"Starting concurrent processing of {len(loaders)} files")
start_time = time.time()
-
+
# Process all files concurrently
tasks = [loader.load_async() for loader in loaders]
results = await asyncio.gather(*tasks, return_exceptions=True)
-
+
# Handle any exceptions in results
processed_results = []
for i, result in enumerate(results):
if isinstance(result, Exception):
log.error(f"File {i} failed: {result}")
- processed_results.append([Document(
- page_content=f"Error processing file: {result}",
- metadata={"error": "batch_processing_failed", "file_index": i}
- )])
+ processed_results.append(
+ [
+ Document(
+ page_content=f"Error processing file: {result}",
+ metadata={
+ "error": "batch_processing_failed",
+ "file_index": i,
+ },
+ )
+ ]
+ )
else:
processed_results.append(result)
-
+
total_time = time.time() - start_time
total_docs = sum(len(docs) for docs in processed_results)
- log.info(f"Batch processing completed in {total_time:.2f}s, produced {total_docs} total documents")
-
+ log.info(
+ f"Batch processing completed in {total_time:.2f}s, produced {total_docs} total documents"
+ )
+
return processed_results
diff --git a/backend/open_webui/utils/middleware.py b/backend/open_webui/utils/middleware.py
index 16ce553e6..6b629c12d 100644
--- a/backend/open_webui/utils/middleware.py
+++ b/backend/open_webui/utils/middleware.py
@@ -252,7 +252,12 @@ async def chat_completion_tools_handler(
"name": (f"TOOL:{tool_name}"),
},
"document": [tool_result],
- "metadata": [{"source": (f"TOOL:{tool_name}"), "parameters": tool_function_params}],
+ "metadata": [
+ {
+ "source": (f"TOOL:{tool_name}"),
+ "parameters": tool_function_params,
+ }
+ ],
}
)
else:
diff --git a/src/lib/components/chat/Messages/CitationsModal.svelte b/src/lib/components/chat/Messages/CitationsModal.svelte
index ed1fb95cd..48d77b0b7 100644
--- a/src/lib/components/chat/Messages/CitationsModal.svelte
+++ b/src/lib/components/chat/Messages/CitationsModal.svelte
@@ -121,7 +121,12 @@
{$i18n.t('Parameters')}
- {JSON.stringify(document.metadata.parameters, null, 2)}
+ {JSON.stringify(
+ document.metadata.parameters,
+ null,
+ 2
+ )}
{/if}
{#if showRelevance}
diff --git a/src/lib/i18n/locales/ar-BH/translation.json b/src/lib/i18n/locales/ar-BH/translation.json
index 1fc0f8a58..313548984 100644
--- a/src/lib/i18n/locales/ar-BH/translation.json
+++ b/src/lib/i18n/locales/ar-BH/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "الباسورد",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF ملف (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/ar/translation.json b/src/lib/i18n/locales/ar/translation.json
index a8bf1df4e..98942d6f7 100644
--- a/src/lib/i18n/locales/ar/translation.json
+++ b/src/lib/i18n/locales/ar/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "مثال: 60",
"e.g. A filter to remove profanity from text": "مثال: مرشح لإزالة الألفاظ النابية من النص",
+ "e.g. en": "",
"e.g. My Filter": "مثال: مرشحي",
"e.g. My Tools": "مثال: أدواتي",
"e.g. my_filter": "مثال: my_filter",
@@ -889,6 +890,7 @@
"Output format": "تنسيق الإخراج",
"Overview": "نظرة عامة",
"page": "صفحة",
+ "Parameters": "",
"Password": "الباسورد",
"Paste Large Text as File": "الصق نصًا كبيرًا كملف",
"PDF document (.pdf)": "PDF ملف (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "يحدد حجم الدفعة عدد طلبات النصوص التي تتم معالجتها معًا. الحجم الأكبر يمكن أن يزيد الأداء والسرعة، ولكنه يحتاج أيضًا إلى ذاكرة أكبر.",
"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.": "قائمة التقييم تعتمد على نظام Elo ويتم تحديثها في الوقت الفعلي.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "السمة LDAP التي تتوافق مع البريد الإلكتروني الذي يستخدمه المستخدمون لتسجيل الدخول.",
"The LDAP attribute that maps to the username that users use to sign in.": "السمة LDAP التي تتوافق مع اسم المستخدم الذي يستخدمه المستخدمون لتسجيل الدخول.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "لوحة المتصدرين حالياً في وضع تجريبي، وقد نقوم بتعديل حسابات التصنيف أثناء تحسين الخوارزمية.",
diff --git a/src/lib/i18n/locales/bg-BG/translation.json b/src/lib/i18n/locales/bg-BG/translation.json
index beaaff609..b02bcb72c 100644
--- a/src/lib/i18n/locales/bg-BG/translation.json
+++ b/src/lib/i18n/locales/bg-BG/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "напр. Филтър за премахване на нецензурни думи от текста",
+ "e.g. en": "",
"e.g. My Filter": "напр. Моят филтър",
"e.g. My Tools": "напр. Моите инструменти",
"e.g. my_filter": "напр. моят_филтър",
@@ -889,6 +890,7 @@
"Output format": "Изходен формат",
"Overview": "Преглед",
"page": "страница",
+ "Parameters": "",
"Password": "Парола",
"Paste Large Text as File": "Поставете голям текст като файл",
"PDF document (.pdf)": "PDF документ (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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.": "Класацията за оценка се базира на рейтинговата система Elo и се обновява в реално време.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "LDAP атрибутът, който съответства на имейла, който потребителите използват за вписване.",
"The LDAP attribute that maps to the username that users use to sign in.": "LDAP атрибутът, който съответства на потребителското име, което потребителите използват за вписване.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Класацията в момента е в бета версия и може да коригираме изчисленията на рейтинга, докато усъвършенстваме алгоритъма.",
diff --git a/src/lib/i18n/locales/bn-BD/translation.json b/src/lib/i18n/locales/bn-BD/translation.json
index 9b679e53f..cb17797a2 100644
--- a/src/lib/i18n/locales/bn-BD/translation.json
+++ b/src/lib/i18n/locales/bn-BD/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "পাসওয়ার্ড",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF ডকুমেন্ট (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/bo-TB/translation.json b/src/lib/i18n/locales/bo-TB/translation.json
index b6248455a..285907783 100644
--- a/src/lib/i18n/locales/bo-TB/translation.json
+++ b/src/lib/i18n/locales/bo-TB/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "དཔེར་ན། \"json\" ཡང་ན་ JSON གི་ schema",
"e.g. 60": "དཔེར་ན། ༦༠",
"e.g. A filter to remove profanity from text": "དཔེར་ན། ཡིག་རྐྱང་ནས་ཚིག་རྩུབ་འདོར་བྱེད་ཀྱི་འཚག་མ།",
+ "e.g. en": "",
"e.g. My Filter": "དཔེར་ན། ངའི་འཚག་མ།",
"e.g. My Tools": "དཔེར་ན། ངའི་ལག་ཆ།",
"e.g. my_filter": "དཔེར་ན། my_filter",
@@ -889,6 +890,7 @@
"Output format": "ཐོན་འབྲས་ཀྱི་བཀོད་པ།",
"Overview": "སྤྱི་མཐོང་།",
"page": "ཤོག་ངོས།",
+ "Parameters": "",
"Password": "གསང་གྲངས།",
"Paste Large Text as File": "ཡིག་རྐྱང་ཆེན་པོ་ཡིག་ཆ་ལྟར་སྦྱོར་བ།",
"PDF document (.pdf)": "PDF ཡིག་ཆ། (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "ཚན་ཆུང་གི་ཆེ་ཆུང་གིས་ཡིག་རྐྱང་རེ་ཞུ་ག་ཚོད་མཉམ་དུ་ཐེངས་གཅིག་ལ་སྒྲུབ་དགོས་གཏན་འཁེལ་བྱེད། ཚན་ཆུང་ཆེ་བ་ཡིས་དཔེ་དབྱིབས་ཀྱི་ལས་ཆོད་དང་མྱུར་ཚད་མང་དུ་གཏོང་ཐུབ། འོན་ཀྱང་དེས་དྲན་ཤེས་མང་བ་དགོས།",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "plugin འདིའི་རྒྱབ་ཀྱི་གསར་སྤེལ་བ་དག་ནི་སྤྱི་ཚོགས་ནས་ཡིན་པའི་སེམས་ཤུགས་ཅན་གྱི་དང་བླངས་པ་ཡིན། གལ་ཏེ་ཁྱེད་ཀྱིས་ plugin འདི་ཕན་ཐོགས་ཡོད་པ་མཐོང་ན། དེའི་གསར་སྤེལ་ལ་ཞལ་འདེབས་གནང་བར་བསམ་ཞིབ་གནང་རོགས།",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "གདེང་འཇོག་འགྲན་རེས་རེའུ་མིག་དེ་ Elo སྐར་མ་སྤྲོད་པའི་མ་ལག་ལ་གཞི་བཅོལ་ཡོད། དེ་མིན་དུས་ཐོག་ཏུ་གསར་སྒྱུར་བྱེད་ཀྱི་ཡོད།",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "བེད་སྤྱོད་མཁན་ཚོས་ནང་འཛུལ་བྱེད་སྐབས་བེད་སྤྱོད་གཏོང་བའི་ཡིག་ཟམ་ལ་སྦྲེལ་བའི་ LDAP ཁྱད་ཆོས།",
"The LDAP attribute that maps to the username that users use to sign in.": "བེད་སྤྱོད་མཁན་ཚོས་ནང་འཛུལ་བྱེད་སྐབས་བེད་སྤྱོད་གཏོང་བའི་བེད་སྤྱོད་མིང་ལ་སྦྲེལ་བའི་ LDAP ཁྱད་ཆོས།",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "འགྲན་རེས་རེའུ་མིག་དེ་ད་ལྟ་ Beta པར་གཞི་ཡིན། ང་ཚོས་ཨང་རྩིས་དེ་ཞིབ་ཚགས་སུ་གཏོང་སྐབས་སྐར་མའི་རྩིས་རྒྱག་ལེགས་སྒྲིག་བྱེད་སྲིད།",
diff --git a/src/lib/i18n/locales/ca-ES/translation.json b/src/lib/i18n/locales/ca-ES/translation.json
index 9d9c9f33f..c7541dbbc 100644
--- a/src/lib/i18n/locales/ca-ES/translation.json
+++ b/src/lib/i18n/locales/ca-ES/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "p. ex. \"json\" o un esquema JSON",
"e.g. 60": "p. ex. 60",
"e.g. A filter to remove profanity from text": "p. ex. Un filtre per eliminar paraules malsonants del text",
+ "e.g. en": "",
"e.g. My Filter": "p. ex. El meu filtre",
"e.g. My Tools": "p. ex. Les meves eines",
"e.g. my_filter": "p. ex. els_meus_filtres",
@@ -889,6 +890,7 @@
"Output format": "Format de sortida",
"Overview": "Vista general",
"page": "pàgina",
+ "Parameters": "",
"Password": "Contrasenya",
"Paste Large Text as File": "Enganxa un text llarg com a fitxer",
"PDF document (.pdf)": "Document PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "La mida del lot determina quantes sol·licituds de text es processen alhora. Una mida de lot més gran pot augmentar el rendiment i la velocitat del model, però també requereix més memòria.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Els desenvolupadors d'aquest complement són voluntaris apassionats de la comunitat. Si trobeu útil aquest complement, considereu contribuir al seu desenvolupament.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "La classificació d'avaluació es basa en el sistema de qualificació Elo i s'actualitza en temps real.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "L'atribut LDAP que s'associa al correu que els usuaris utilitzen per iniciar la sessió.",
"The LDAP attribute that maps to the username that users use to sign in.": "L'atribut LDAP que mapeja el nom d'usuari amb l'usuari que vol iniciar sessió",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "La classificació està actualment en versió beta i és possible que s'ajustin els càlculs de la puntuació a mesura que es perfeccioni l'algorisme.",
diff --git a/src/lib/i18n/locales/ceb-PH/translation.json b/src/lib/i18n/locales/ceb-PH/translation.json
index a93358d1d..b2337fd18 100644
--- a/src/lib/i18n/locales/ceb-PH/translation.json
+++ b/src/lib/i18n/locales/ceb-PH/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Password",
"Paste Large Text as File": "",
"PDF document (.pdf)": "",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/cs-CZ/translation.json b/src/lib/i18n/locales/cs-CZ/translation.json
index 991708566..4aa181f92 100644
--- a/src/lib/i18n/locales/cs-CZ/translation.json
+++ b/src/lib/i18n/locales/cs-CZ/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "Formát výstupu",
"Overview": "Přehled",
"page": "stránka",
+ "Parameters": "",
"Password": "Heslo",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF dokument (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Vývojáři stojící za tímto pluginem jsou zapálení dobrovolníci z komunity. Pokud považujete tento plugin za užitečný, zvažte příspěvek k jeho vývoji.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Hodnotící žebříček je založen na systému hodnocení Elo a je aktualizován v reálném čase.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Žebříček je v současné době v beta verzi a můžeme upravit výpočty hodnocení, jak budeme zdokonalovat algoritmus.",
diff --git a/src/lib/i18n/locales/da-DK/translation.json b/src/lib/i18n/locales/da-DK/translation.json
index 1e50c0215..60dc2620f 100644
--- a/src/lib/i18n/locales/da-DK/translation.json
+++ b/src/lib/i18n/locales/da-DK/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "f.eks. \"json\" eller en JSON schema",
"e.g. 60": "f.eks. 60",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "Outputformat",
"Overview": "Oversigt",
"page": "side",
+ "Parameters": "",
"Password": "Adgangskode",
"Paste Large Text as File": "Indsæt store tekster som fil",
"PDF document (.pdf)": "PDF-dokument (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Udviklerne bag dette plugin er passionerede frivillige fra fællesskabet. Hvis du finder dette plugin nyttigt, kan du overveje at bidrage til dets udvikling.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/de-DE/translation.json b/src/lib/i18n/locales/de-DE/translation.json
index 3ecea28e0..a31823e70 100644
--- a/src/lib/i18n/locales/de-DE/translation.json
+++ b/src/lib/i18n/locales/de-DE/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "z. B. \"json\" oder ein JSON-Schema",
"e.g. 60": "z. B. 60",
"e.g. A filter to remove profanity from text": "z. B. Ein Filter, um Schimpfwörter aus Text zu entfernen",
+ "e.g. en": "",
"e.g. My Filter": "z. B. Mein Filter",
"e.g. My Tools": "z. B. Meine Werkzeuge",
"e.g. my_filter": "z. B. mein_filter",
@@ -889,6 +890,7 @@
"Output format": "Ausgabeformat",
"Overview": "Übersicht",
"page": "Seite",
+ "Parameters": "",
"Password": "Passwort",
"Paste Large Text as File": "Großen Text als Datei einfügen",
"PDF document (.pdf)": "PDF-Dokument (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Die Entwickler hinter diesem Plugin sind leidenschaftliche Freiwillige aus der Community. Wenn Sie dieses Plugin hilfreich finden, erwägen Sie bitte, zu seiner Entwicklung beizutragen.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Die Bewertungs-Bestenliste basiert auf dem Elo-Bewertungssystem und wird in Echtzeit aktualisiert.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "Das LDAP-Attribut, das der Mail zugeordnet ist, die Benutzer zum Anmelden verwenden.",
"The LDAP attribute that maps to the username that users use to sign in.": "Das LDAP-Attribut, das dem Benutzernamen zugeordnet ist, den Benutzer zum Anmelden verwenden.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Die Bestenliste befindet sich derzeit in der Beta-Phase, und es ist möglich, dass wir die Bewertungsberechnungen anpassen, während wir den Algorithmus verfeinern.",
diff --git a/src/lib/i18n/locales/dg-DG/translation.json b/src/lib/i18n/locales/dg-DG/translation.json
index 6eb4408c6..1bfb81a6a 100644
--- a/src/lib/i18n/locales/dg-DG/translation.json
+++ b/src/lib/i18n/locales/dg-DG/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Barkword",
"Paste Large Text as File": "",
"PDF document (.pdf)": "",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/el-GR/translation.json b/src/lib/i18n/locales/el-GR/translation.json
index 7683cbe43..f1c7157bd 100644
--- a/src/lib/i18n/locales/el-GR/translation.json
+++ b/src/lib/i18n/locales/el-GR/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "π.χ. Ένα φίλτρο για να αφαιρέσετε βρισιές από το κείμενο",
+ "e.g. en": "",
"e.g. My Filter": "π.χ. Το Φίλτρου Μου",
"e.g. My Tools": "π.χ. Τα Εργαλεία Μου",
"e.g. my_filter": "π.χ. my_filter",
@@ -889,6 +890,7 @@
"Output format": "Μορφή εξόδου",
"Overview": "Επισκόπηση",
"page": "σελίδα",
+ "Parameters": "",
"Password": "Κωδικός",
"Paste Large Text as File": "Επικόλληση Μεγάλου Κειμένου ως Αρχείο",
"PDF document (.pdf)": "Έγγραφο PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Οι προγραμματιστές πίσω από αυτό το plugin είναι παθιασμένοι εθελοντές από την κοινότητα. Αν βρείτε αυτό το plugin χρήσιμο, παρακαλώ σκεφτείτε να συνεισφέρετε στην ανάπτυξή του.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Η κατάταξη αξιολόγησης βασίζεται στο σύστημα βαθμολόγησης Elo και ενημερώνεται σε πραγματικό χρόνο.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "Το χαρακτηριστικό LDAP που αντιστοιχεί στο όνομα χρήστη που χρησιμοποιούν οι χρήστες για να συνδεθούν.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Η κατάταξη είναι αυτή τη στιγμή σε beta, και ενδέχεται να προσαρμόσουμε τους υπολογισμούς βαθμολογίας καθώς βελτιώνουμε τον αλγόριθμο.",
diff --git a/src/lib/i18n/locales/en-GB/translation.json b/src/lib/i18n/locales/en-GB/translation.json
index 0cae1e54c..df367d5c8 100644
--- a/src/lib/i18n/locales/en-GB/translation.json
+++ b/src/lib/i18n/locales/en-GB/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "",
"Paste Large Text as File": "",
"PDF document (.pdf)": "",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/en-US/translation.json b/src/lib/i18n/locales/en-US/translation.json
index 0cae1e54c..df367d5c8 100644
--- a/src/lib/i18n/locales/en-US/translation.json
+++ b/src/lib/i18n/locales/en-US/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "",
"Paste Large Text as File": "",
"PDF document (.pdf)": "",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/es-ES/translation.json b/src/lib/i18n/locales/es-ES/translation.json
index f449676a2..ac6bed0cd 100644
--- a/src/lib/i18n/locales/es-ES/translation.json
+++ b/src/lib/i18n/locales/es-ES/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "p.ej. \"json\" o un esquema JSON",
"e.g. 60": "p.ej. 60",
"e.g. A filter to remove profanity from text": "p.ej. Un filtro para eliminar malas palabras del texto",
+ "e.g. en": "",
"e.g. My Filter": "p.ej. Mi Filtro",
"e.g. My Tools": "p.ej. Mis Herramientas",
"e.g. my_filter": "p.ej. mi_filtro",
@@ -889,6 +890,7 @@
"Output format": "Formato de salida",
"Overview": "Vista General",
"page": "página",
+ "Parameters": "",
"Password": "Contraseña",
"Paste Large Text as File": "Pegar el Texto Largo como Archivo",
"PDF document (.pdf)": "Documento PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "El tamaño de lote determina cuántas solicitudes de texto se procesan juntas de una vez. Un tamaño de lote más alto puede aumentar el rendimiento y la velocidad del modelo, pero también requiere más memoria.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Quienes desarollaron este complemento son apasionados voluntarios/as de la comunidad. Si este complemento te es útil, por favor considera contribuir a su desarrollo.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "La tabla clasificatoria de evaluación se basa en el sistema de clasificación Elo y se actualiza en tiempo real.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "El atributo LDAP que mapea el correo que los usuarios utilizan para iniciar sesión.",
"The LDAP attribute that maps to the username that users use to sign in.": "El atributo LDAP que mapea el nombre de usuario que los usuarios utilizan para iniciar sesión.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "La tabla clasificatoria está actualmente en beta, por lo que los cálculos de clasificación pueden reajustarse a medida que se refina el algoritmo.",
diff --git a/src/lib/i18n/locales/et-EE/translation.json b/src/lib/i18n/locales/et-EE/translation.json
index 23103a5da..b68a49c57 100644
--- a/src/lib/i18n/locales/et-EE/translation.json
+++ b/src/lib/i18n/locales/et-EE/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "nt 60",
"e.g. A filter to remove profanity from text": "nt filter, mis eemaldab tekstist roppused",
+ "e.g. en": "",
"e.g. My Filter": "nt Minu Filter",
"e.g. My Tools": "nt Minu Tööriistad",
"e.g. my_filter": "nt minu_filter",
@@ -889,6 +890,7 @@
"Output format": "Väljundformaat",
"Overview": "Ülevaade",
"page": "leht",
+ "Parameters": "",
"Password": "Parool",
"Paste Large Text as File": "Kleebi suur tekst failina",
"PDF document (.pdf)": "PDF dokument (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "Partii suurus määrab, mitu tekstipäringut töödeldakse korraga. Suurem partii suurus võib suurendada mudeli jõudlust ja kiirust, kuid see nõuab ka rohkem mälu.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Selle pistikprogrammi taga olevad arendajad on kogukonna pühendunud vabatahtlikud. Kui leiate, et see pistikprogramm on kasulik, palun kaaluge selle arendamise toetamist.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Hindamise edetabel põhineb Elo hindamissüsteemil ja seda uuendatakse reaalajas.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "LDAP atribuut, mis kaardistab e-posti, mida kasutajad kasutavad sisselogimiseks.",
"The LDAP attribute that maps to the username that users use to sign in.": "LDAP atribuut, mis kaardistab kasutajanime, mida kasutajad kasutavad sisselogimiseks.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Edetabel on praegu beetaversioonina ja me võime kohandada hindamisarvutusi algoritmi täiustamisel.",
diff --git a/src/lib/i18n/locales/eu-ES/translation.json b/src/lib/i18n/locales/eu-ES/translation.json
index 923bdd0f0..47b409748 100644
--- a/src/lib/i18n/locales/eu-ES/translation.json
+++ b/src/lib/i18n/locales/eu-ES/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "adib. Testutik lizunkeriak kentzeko iragazki bat",
+ "e.g. en": "",
"e.g. My Filter": "adib. Nire Iragazkia",
"e.g. My Tools": "adib. Nire Tresnak",
"e.g. my_filter": "adib. nire_iragazkia",
@@ -889,6 +890,7 @@
"Output format": "Irteera formatua",
"Overview": "Ikuspegi orokorra",
"page": "orria",
+ "Parameters": "",
"Password": "Pasahitza",
"Paste Large Text as File": "Itsatsi testu luzea fitxategi gisa",
"PDF document (.pdf)": "PDF dokumentua (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Plugin honen atzean dauden garatzaileak komunitateko boluntario sutsuak dira. Plugin hau baliagarria iruditzen bazaizu, mesedez kontuan hartu bere garapenean laguntzea.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Ebaluazio sailkapena Elo sailkapen sisteman oinarritzen da eta denbora errealean eguneratzen da.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "Erabiltzaileek saioa hasteko erabiltzen duten erabiltzaile-izenarekin mapeatzen den LDAP atributua.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Sailkapena beta fasean dago, eta balorazioen kalkuluak doitu ditzakegu algoritmoa fintzen dugun heinean.",
diff --git a/src/lib/i18n/locales/fa-IR/translation.json b/src/lib/i18n/locales/fa-IR/translation.json
index f8e4a14a6..afc0fd95d 100644
--- a/src/lib/i18n/locales/fa-IR/translation.json
+++ b/src/lib/i18n/locales/fa-IR/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "مثلا \"json\" یا یک طرح JSON",
"e.g. 60": "مثلا 60",
"e.g. A filter to remove profanity from text": "مثلا فیلتری برای حذف ناسزا از متن",
+ "e.g. en": "",
"e.g. My Filter": "مثلا فیلتر من",
"e.g. My Tools": "مثلا ابزارهای من",
"e.g. my_filter": "مثلا my_filter",
@@ -889,6 +890,7 @@
"Output format": "قالب خروجی",
"Overview": "نمای کلی",
"page": "صفحه",
+ "Parameters": "",
"Password": "رمز عبور",
"Paste Large Text as File": "چسباندن متن بزرگ به عنوان فایل",
"PDF document (.pdf)": "PDF سند (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "اندازه دسته تعیین می\u200cکند که چند درخواست متنی همزمان پردازش می\u200cشوند. اندازه دسته بزرگتر می\u200cتواند عملکرد و سرعت مدل را افزایش دهد، اما به حافظه بیشتری نیاز دارد.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "توسعه\u200cدهندگان این افزونه داوطلبان مشتاق از جامعه هستند. اگر این افزونه را مفید می\u200cدانید، لطفاً در توسعه آن مشارکت کنید.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "تابلوی امتیازات ارزیابی بر اساس سیستم رتبه\u200cبندی Elo است و در زمان واقعی به\u200cروز می\u200cشود.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "ویژگی LDAP که به ایمیلی که کاربران برای ورود استفاده می\u200cکنند نگاشت می\u200cشود.",
"The LDAP attribute that maps to the username that users use to sign in.": "ویژگی LDAP که به نام کاربری که کاربران برای ورود استفاده می\u200cکنند نگاشت می\u200cشود.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "تابلوی امتیازات در حال حاضر در نسخه بتا است و ممکن است محاسبات رتبه\u200cبندی را با بهبود الگوریتم تنظیم کنیم.",
diff --git a/src/lib/i18n/locales/fi-FI/translation.json b/src/lib/i18n/locales/fi-FI/translation.json
index b7d111337..2c5a5e1c0 100644
--- a/src/lib/i18n/locales/fi-FI/translation.json
+++ b/src/lib/i18n/locales/fi-FI/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "esim. \"json\" tai JSON kaava",
"e.g. 60": "esim. 60",
"e.g. A filter to remove profanity from text": "esim. suodatin, joka poistaa kirosanoja tekstistä",
+ "e.g. en": "",
"e.g. My Filter": "esim. Oma suodatin",
"e.g. My Tools": "esim. Omat työkalut",
"e.g. my_filter": "esim. oma_suodatin",
@@ -889,6 +890,7 @@
"Output format": "Tulosteen muoto",
"Overview": "Yleiskatsaus",
"page": "sivu",
+ "Parameters": "",
"Password": "Salasana",
"Paste Large Text as File": "Liitä suuri teksti tiedostona",
"PDF document (.pdf)": "PDF-asiakirja (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "Eräkoko määrittää, kuinka monta tekstipyyntöä käsitellään kerralla. Suurempi eräkoko voi parantaa mallin suorituskykyä ja nopeutta, mutta se vaatii myös enemmän muistia.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Tämän lisäosan takana olevat kehittäjät ovat intohimoisia vapaaehtoisyhteisöstä. Jos koet tämän lisäosan hyödylliseksi, harkitse sen kehittämisen tukemista.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Arviointitulosluettelo perustuu Elo-luokitusjärjestelmään ja päivittyy reaaliajassa.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "LDAP-määrite, joka yhdistää käyttäjien kirjautumiseen käyttämään sähköpostiin.",
"The LDAP attribute that maps to the username that users use to sign in.": "LDAP-määrite, joka vastaa käyttäjien kirjautumiskäyttäjänimeä.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Tulosluettelo on tällä hetkellä beta-vaiheessa, ja voimme säätää pisteytyksen laskentaa hienostaessamme algoritmia.",
diff --git a/src/lib/i18n/locales/fr-CA/translation.json b/src/lib/i18n/locales/fr-CA/translation.json
index 10dad9566..35ebb41d7 100644
--- a/src/lib/i18n/locales/fr-CA/translation.json
+++ b/src/lib/i18n/locales/fr-CA/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Mot de passe",
"Paste Large Text as File": "",
"PDF document (.pdf)": "Document au format PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/fr-FR/translation.json b/src/lib/i18n/locales/fr-FR/translation.json
index 1f03406c8..35ccaa647 100644
--- a/src/lib/i18n/locales/fr-FR/translation.json
+++ b/src/lib/i18n/locales/fr-FR/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "par ex. \"json\" ou un schéma JSON",
"e.g. 60": "par ex. 60",
"e.g. A filter to remove profanity from text": "par ex. un filtre pour retirer les vulgarités du texte",
+ "e.g. en": "",
"e.g. My Filter": "par ex. Mon Filtre",
"e.g. My Tools": "par ex. Mes Outils",
"e.g. my_filter": "par ex. mon_filtre",
@@ -889,6 +890,7 @@
"Output format": "Format de sortie",
"Overview": "Aperçu",
"page": "page",
+ "Parameters": "",
"Password": "Mot de passe",
"Paste Large Text as File": "Coller un texte volumineux comme fichier",
"PDF document (.pdf)": "Document au format PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "La taille du lot détermine combien de requêtes texte sont traitées simultanément. Une taille plus grande améliore les performances mais consomme plus de mémoire.",
"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.": "Le classement d'évaluation est basé sur le système de notation Elo et est mis à jour en temps réel.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "L'attribut LDAP qui correspond à l'adresse e-mail que les utilisateurs utilisent pour se connecter.",
"The LDAP attribute that maps to the username that users use to sign in.": "L'attribut LDAP qui correspond au nom d'utilisateur que les utilisateurs utilisent pour se connecter.",
"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.",
diff --git a/src/lib/i18n/locales/he-IL/translation.json b/src/lib/i18n/locales/he-IL/translation.json
index 209076c04..51b9cb50c 100644
--- a/src/lib/i18n/locales/he-IL/translation.json
+++ b/src/lib/i18n/locales/he-IL/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "סיסמה",
"Paste Large Text as File": "",
"PDF document (.pdf)": "מסמך PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/hi-IN/translation.json b/src/lib/i18n/locales/hi-IN/translation.json
index 7a924b55a..4ccb6af4e 100644
--- a/src/lib/i18n/locales/hi-IN/translation.json
+++ b/src/lib/i18n/locales/hi-IN/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "पासवर्ड",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF दस्तावेज़ (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/hr-HR/translation.json b/src/lib/i18n/locales/hr-HR/translation.json
index 7d8314f42..be9a6c228 100644
--- a/src/lib/i18n/locales/hr-HR/translation.json
+++ b/src/lib/i18n/locales/hr-HR/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Lozinka",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF dokument (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/hu-HU/translation.json b/src/lib/i18n/locales/hu-HU/translation.json
index 8884f2be0..a10c39361 100644
--- a/src/lib/i18n/locales/hu-HU/translation.json
+++ b/src/lib/i18n/locales/hu-HU/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "pl. \"json\" vagy egy JSON séma",
"e.g. 60": "pl. 60",
"e.g. A filter to remove profanity from text": "pl. Egy szűrő a trágárság eltávolítására a szövegből",
+ "e.g. en": "",
"e.g. My Filter": "pl. Az én szűrőm",
"e.g. My Tools": "pl. Az én eszközeim",
"e.g. my_filter": "pl. az_en_szűrőm",
@@ -889,6 +890,7 @@
"Output format": "Kimeneti formátum",
"Overview": "Áttekintés",
"page": "oldal",
+ "Parameters": "",
"Password": "Jelszó",
"Paste Large Text as File": "Nagy szöveg beillesztése fájlként",
"PDF document (.pdf)": "PDF dokumentum (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "A köteg méret meghatározza, hány szöveges kérést dolgoz fel egyszerre. Magasabb köteg méret növelheti a modell teljesítményét és sebességét, de több memóriát is igényel.",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "Az LDAP attribútum, amely a felhasználók bejelentkezéshez használt emailjéhez kapcsolódik.",
"The LDAP attribute that maps to the username that users use to sign in.": "Az LDAP attribútum, amely a felhasználók bejelentkezéshez használt felhasználónevéhez kapcsolódik.",
"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.",
diff --git a/src/lib/i18n/locales/id-ID/translation.json b/src/lib/i18n/locales/id-ID/translation.json
index 1d03ec0f7..8198bdc83 100644
--- a/src/lib/i18n/locales/id-ID/translation.json
+++ b/src/lib/i18n/locales/id-ID/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Kata sandi",
"Paste Large Text as File": "",
"PDF document (.pdf)": "Dokumen PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/ie-GA/translation.json b/src/lib/i18n/locales/ie-GA/translation.json
index 510a777f1..40913d5ff 100644
--- a/src/lib/i18n/locales/ie-GA/translation.json
+++ b/src/lib/i18n/locales/ie-GA/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "m.sh. \"json\" nó scéimre JSON",
"e.g. 60": "m.sh. 60",
"e.g. A filter to remove profanity from text": "m.h. Scagaire chun profanity a bhaint as téacs",
+ "e.g. en": "",
"e.g. My Filter": "m.sh. Mo Scagaire",
"e.g. My Tools": "m.sh. Mo Uirlisí",
"e.g. my_filter": "m.sh. mo_scagaire",
@@ -889,6 +890,7 @@
"Output format": "Formáid aschuir",
"Overview": "Forbhreathnú",
"page": "leathanach",
+ "Parameters": "",
"Password": "Pasfhocal",
"Paste Large Text as File": "Greamaigh Téacs Mór mar Chomhad",
"PDF document (.pdf)": "Doiciméad PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "Cinneann méid an bhaisc cé mhéad iarratas téacs a phróiseáiltear le chéile ag an am céanna. Is féidir le méid baisc níos airde feidhmíocht agus luas an mhúnla a mhéadú, ach éilíonn sé níos mó cuimhne freisin.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Is deonacha paiseanta ón bpobal iad na forbróirí taobh thiar den bhreiseán seo. Má aimsíonn an breiseán seo cabhrach leat, smaoinigh ar rannchuidiú lena fhorbairt.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Tá an clár ceannairí meastóireachta bunaithe ar chóras rátála Elo agus déantar é a nuashonrú i bhfíor-am.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "An tréith LDAP a mhapálann don ríomhphost a úsáideann úsáideoirí chun síniú isteach.",
"The LDAP attribute that maps to the username that users use to sign in.": "An tréith LDAP a mhapálann don ainm úsáideora a úsáideann úsáideoirí chun síniú isteach.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Tá an clár ceannairí i béite faoi láthair, agus d'fhéadfaimis na ríomhanna rátála a choigeartú de réir mar a dhéanfaimid an t-algartam a bheachtú.",
diff --git a/src/lib/i18n/locales/it-IT/translation.json b/src/lib/i18n/locales/it-IT/translation.json
index 504b633b5..253f4ddda 100644
--- a/src/lib/i18n/locales/it-IT/translation.json
+++ b/src/lib/i18n/locales/it-IT/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "ad esempio \"json\" o uno schema JSON",
"e.g. 60": "ad esempio 60",
"e.g. A filter to remove profanity from text": "ad esempio un filtro per rimuovere le parolacce dal testo",
+ "e.g. en": "",
"e.g. My Filter": "ad esempio il Mio Filtro",
"e.g. My Tools": "ad esempio i Miei Tool",
"e.g. my_filter": "ad esempio il mio_filtro",
@@ -889,6 +890,7 @@
"Output format": "Formato di output",
"Overview": "Panoramica",
"page": "pagina",
+ "Parameters": "",
"Password": "Password",
"Paste Large Text as File": "Incolla Testo Grande come File",
"PDF document (.pdf)": "Documento PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "La dimensione del batch determina quanti richieste di testo vengono elaborate insieme in una sola volta. Una dimensione del batch più alta può aumentare le prestazioni e la velocità del modello, ma richiede anche più memoria.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Gli sviluppatori dietro questo plugin sono volontari appassionati della comunità. Se trovi utile questo plugin, ti preghiamo di considerare di contribuire al suo sviluppo.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "La classifica di valutazione è basata sul sistema di rating Elo ed è aggiornata in tempo reale.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "L'attributo LDAP che mappa alla mail che gli utenti usano per accedere.",
"The LDAP attribute that maps to the username that users use to sign in.": "L'attributo LDAP che mappa al nome utente che gli utenti usano per accedere.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "La classifica è attualmente in beta e potremmo regolare i calcoli dei punteggi mentre perfezioniamo l'algoritmo.",
diff --git a/src/lib/i18n/locales/ja-JP/translation.json b/src/lib/i18n/locales/ja-JP/translation.json
index 2e26ad1e2..6234eaa40 100644
--- a/src/lib/i18n/locales/ja-JP/translation.json
+++ b/src/lib/i18n/locales/ja-JP/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "出力形式",
"Overview": "概要",
"page": "ページ",
+ "Parameters": "",
"Password": "パスワード",
"Paste Large Text as File": "大きなテキストをファイルとして貼り付ける",
"PDF document (.pdf)": "PDF ドキュメント (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "バッチサイズは一度に処理されるテキストリクエストの数を決定します。バッチサイズを高くすると、モデルのパフォーマンスと速度が向上しますが、メモリの使用量も増加します。",
"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.": "評価リーダーボードはElo評価システムに基づいており、実時間で更新されています。",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "ユーザーがサインインに使用するメールのLDAP属性。",
"The LDAP attribute that maps to the username that users use to sign in.": "ユーザーがサインインに使用するユーザー名のLDAP属性。",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "リーダーボードは現在ベータ版であり、アルゴリズムを改善する際に評価計算を調整する場合があります。",
diff --git a/src/lib/i18n/locales/ka-GE/translation.json b/src/lib/i18n/locales/ka-GE/translation.json
index 6e897fb64..3fe199af1 100644
--- a/src/lib/i18n/locales/ka-GE/translation.json
+++ b/src/lib/i18n/locales/ka-GE/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "მაგ: 60",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "მაგ: ჩემი ფილტრი",
"e.g. My Tools": "მაგ: ჩემი ხელსაწყოები",
"e.g. my_filter": "მაგ: ჩემი_ფილტრი",
@@ -889,6 +890,7 @@
"Output format": "გამოტანის ფორმატი",
"Overview": "მიმოხილვა",
"page": "პანელი",
+ "Parameters": "",
"Password": "პაროლი",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF დოკუმენტი (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/ko-KR/translation.json b/src/lib/i18n/locales/ko-KR/translation.json
index d0338310f..3bc64251f 100644
--- a/src/lib/i18n/locales/ko-KR/translation.json
+++ b/src/lib/i18n/locales/ko-KR/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "예: \\\"json\\\" 또는 JSON 스키마",
"e.g. 60": "예: 60",
"e.g. A filter to remove profanity from text": "예: 텍스트에서 비속어를 제거하는 필터",
+ "e.g. en": "",
"e.g. My Filter": "예: 내 필터",
"e.g. My Tools": "예: 내 도구",
"e.g. my_filter": "예: my_filter",
@@ -889,6 +890,7 @@
"Output format": "출력 형식",
"Overview": "개요",
"page": "페이지",
+ "Parameters": "",
"Password": "비밀번호",
"Paste Large Text as File": "큰 텍스트를 파일로 붙여넣기",
"PDF document (.pdf)": "PDF 문서(.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "배치 크기에 따라 한 번에 처리되는 텍스트 요청의 수가 결정됩니다. 배치 크기가 크면 모델의 성능과 속도가 향상될 수 있지만 더 많은 메모리가 필요하기도 합니다.",
"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.": "평가 리더보드는 Elo 평가 시스템을 기반으로 하고 실시간으로 업데이트됩니다",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "사용자가 로그인하는 데 사용하는 메일에 매핑되는 LDAP 속성입니다.",
"The LDAP attribute that maps to the username that users use to sign in.": "사용자가 로그인할 때 사용하는 사용자 이름에 매핑되는 LDAP 속성입니다.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "리더보드는 현재 베타 버전이며, 알고리즘 개선에 따라 평가 방식이 변경될 수 있습니다.",
diff --git a/src/lib/i18n/locales/lt-LT/translation.json b/src/lib/i18n/locales/lt-LT/translation.json
index 9f0b60815..9ab06b94e 100644
--- a/src/lib/i18n/locales/lt-LT/translation.json
+++ b/src/lib/i18n/locales/lt-LT/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Slaptažodis",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF dokumentas (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Šis modulis kuriamas savanorių. Palaikykite jų darbus finansiškai arba prisidėdami kodu.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/ms-MY/translation.json b/src/lib/i18n/locales/ms-MY/translation.json
index acb7cad43..8b2735cd8 100644
--- a/src/lib/i18n/locales/ms-MY/translation.json
+++ b/src/lib/i18n/locales/ms-MY/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Kata Laluan",
"Paste Large Text as File": "",
"PDF document (.pdf)": "Dokumen PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Pembangun di sebalik 'plugin' ini adalah sukarelawan yang bersemangat daripada komuniti. Jika anda mendapati 'plugin' ini membantu, sila pertimbangkan untuk menyumbang kepada pembangunannya.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/nb-NO/translation.json b/src/lib/i18n/locales/nb-NO/translation.json
index f2698d016..9ce14c62f 100644
--- a/src/lib/i18n/locales/nb-NO/translation.json
+++ b/src/lib/i18n/locales/nb-NO/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "f.eks. 60",
"e.g. A filter to remove profanity from text": "f.eks. et filter for å fjerne banning fra tekst",
+ "e.g. en": "",
"e.g. My Filter": "f.eks. Mitt filter",
"e.g. My Tools": "f.eks. Mine verktøy",
"e.g. my_filter": "f.eks. mitt_filter",
@@ -889,6 +890,7 @@
"Output format": "Format på utdata",
"Overview": "Oversikt",
"page": "side",
+ "Parameters": "",
"Password": "Passord",
"Paste Large Text as File": "Lim inn mye tekst som fil",
"PDF document (.pdf)": "PDF-dokument (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Utviklerne bak denne utvidelsen er lidenskapelige frivillige fra fellesskapet. Hvis du finner denne utvidelsen nyttig, vennligst vurder å bidra til utviklingen.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Ledertavlens over evalueringer er basert på Elo-rangeringssystemet, og oppdateres i sanntid.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "LDAP-attributtet som tilsvarer e-posten som brukerne bruker for å logge på.",
"The LDAP attribute that maps to the username that users use to sign in.": "LDAP-attributtet som tilsvarer brukernavnet som brukerne bruker for å logge på.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Ledertavlen er for øyeblikket i betaversjon, og vi kommer kanskje til å justere beregningene etter hvert som vi forbedrer algoritmen.",
diff --git a/src/lib/i18n/locales/nl-NL/translation.json b/src/lib/i18n/locales/nl-NL/translation.json
index 0e1d06eba..c22d90a42 100644
--- a/src/lib/i18n/locales/nl-NL/translation.json
+++ b/src/lib/i18n/locales/nl-NL/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "bijv. \"json\" of een JSON-schema",
"e.g. 60": "bijv. 60",
"e.g. A filter to remove profanity from text": "bijv. Een filter om gevloek uit tekst te verwijderen",
+ "e.g. en": "",
"e.g. My Filter": "bijv. Mijn filter",
"e.g. My Tools": "bijv. Mijn gereedschappen",
"e.g. my_filter": "bijv. mijn_filter",
@@ -889,6 +890,7 @@
"Output format": "Uitvoerformaat",
"Overview": "Overzicht",
"page": "pagina",
+ "Parameters": "",
"Password": "Wachtwoord",
"Paste Large Text as File": "Plak grote tekst als bestand",
"PDF document (.pdf)": "PDF document (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "De batchgrootte bepaalt hoeveel tekstverzoeken tegelijk worden verwerkt. Een hogere batchgrootte kan de prestaties en snelheid van het model verhogen, maar vereist ook meer geheugen.",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "Het LDAP-attribuut dat verwijst naar de e-mail waarmee gebruikers zich aanmelden.",
"The LDAP attribute that maps to the username that users use to sign in.": "Het LDAP-attribuut dat verwijst naar de gebruikersnaam die gebruikers gebruiken om in te loggen.",
"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.",
diff --git a/src/lib/i18n/locales/pa-IN/translation.json b/src/lib/i18n/locales/pa-IN/translation.json
index b963d2d77..79fb95d0e 100644
--- a/src/lib/i18n/locales/pa-IN/translation.json
+++ b/src/lib/i18n/locales/pa-IN/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "ਪਾਸਵਰਡ",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF ਡਾਕੂਮੈਂਟ (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/pl-PL/translation.json b/src/lib/i18n/locales/pl-PL/translation.json
index 8cd28593c..e7c5197d2 100644
--- a/src/lib/i18n/locales/pl-PL/translation.json
+++ b/src/lib/i18n/locales/pl-PL/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "np. Filtr do usuwania wulgaryzmów z tekstu",
+ "e.g. en": "",
"e.g. My Filter": "np. Mój filtr",
"e.g. My Tools": "np. Moje narzędzia",
"e.g. my_filter": "np. moj_filtr",
@@ -889,6 +890,7 @@
"Output format": "Format wyjściowy",
"Overview": "Przegląd",
"page": "strona",
+ "Parameters": "",
"Password": "Hasło",
"Paste Large Text as File": "Wklej duży tekst jako plik",
"PDF document (.pdf)": "Dokument PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Twórcy tego wtyczki to entuzjaści, którzy działają jako wolontariusze ze społeczności. Jeśli uważasz, że ta wtyczka jest pomocna, rozważ wsparcie jej rozwoju.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Tablica wyników oceny opiera się na systemie rankingu Elo i jest aktualizowana w czasie rzeczywistym.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "Atrybut LDAP, który mapuje się na adres e-mail używany przez użytkowników do logowania.",
"The LDAP attribute that maps to the username that users use to sign in.": "Atrybut LDAP, który mapuje się na nazwę użytkownika, którą użytkownicy używają do logowania.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Tablica wyników jest w wersji beta, więc w miarę udoskonalania algorytmu możemy jeszcze modyfikować sposób obliczania ocen.",
diff --git a/src/lib/i18n/locales/pt-BR/translation.json b/src/lib/i18n/locales/pt-BR/translation.json
index 8baf35ee3..52022e7af 100644
--- a/src/lib/i18n/locales/pt-BR/translation.json
+++ b/src/lib/i18n/locales/pt-BR/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "Exemplo: Um filtro para remover palavrões do texto",
+ "e.g. en": "",
"e.g. My Filter": "Exemplo: Meu Filtro",
"e.g. My Tools": "Exemplo: Minhas Ferramentas",
"e.g. my_filter": "Exemplo: my_filter",
@@ -889,6 +890,7 @@
"Output format": "Formato de saída",
"Overview": "Visão Geral",
"page": "página",
+ "Parameters": "",
"Password": "Senha",
"Paste Large Text as File": "Cole Textos Longos como Arquivo",
"PDF document (.pdf)": "Documento PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Os desenvolvedores por trás deste plugin são voluntários apaixonados da comunidade. Se você achar este plugin útil, considere contribuir para o seu desenvolvimento.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "A evolução do ranking de avaliação é baseada no sistema Elo e será atualizada em tempo real.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "O atributo LDAP que mapeia para o nome de usuário que os usuários usam para fazer login.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "O ranking atual está em beta, e podemos ajustar as contas de avaliação como refinamos o algoritmo.",
diff --git a/src/lib/i18n/locales/pt-PT/translation.json b/src/lib/i18n/locales/pt-PT/translation.json
index e87bad854..91b00ec34 100644
--- a/src/lib/i18n/locales/pt-PT/translation.json
+++ b/src/lib/i18n/locales/pt-PT/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Senha",
"Paste Large Text as File": "",
"PDF document (.pdf)": "Documento PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/ro-RO/translation.json b/src/lib/i18n/locales/ro-RO/translation.json
index 04b55b641..53665304f 100644
--- a/src/lib/i18n/locales/ro-RO/translation.json
+++ b/src/lib/i18n/locales/ro-RO/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "Formatul de ieșire",
"Overview": "Privire de ansamblu",
"page": "pagina",
+ "Parameters": "",
"Password": "Parolă",
"Paste Large Text as File": "",
"PDF document (.pdf)": "Document PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Dezvoltatorii din spatele acestui plugin sunt voluntari pasionați din comunitate. Dacă considerați acest plugin util, vă rugăm să luați în considerare contribuția la dezvoltarea sa.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Clasamentul de evaluare se bazează pe sistemul de rating Elo și este actualizat în timp real.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Clasamentul este în prezent în versiune beta și este posibil să ajustăm calculul evaluărilor pe măsură ce rafinăm algoritmul.",
diff --git a/src/lib/i18n/locales/ru-RU/translation.json b/src/lib/i18n/locales/ru-RU/translation.json
index 61ad2c824..5e8ffbcb9 100644
--- a/src/lib/i18n/locales/ru-RU/translation.json
+++ b/src/lib/i18n/locales/ru-RU/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "например, \"json\" или схему JSON",
"e.g. 60": "например, 60",
"e.g. A filter to remove profanity from text": "например, фильтр для удаления ненормативной лексики из текста",
+ "e.g. en": "",
"e.g. My Filter": "например, мой фильтр",
"e.g. My Tools": "например, мой инструмент",
"e.g. my_filter": "например, мой_фильтр",
@@ -889,6 +890,7 @@
"Output format": "Формат вывода",
"Overview": "Обзор",
"page": "страница",
+ "Parameters": "",
"Password": "Пароль",
"Paste Large Text as File": "Вставить большой текст как файл",
"PDF document (.pdf)": "PDF-документ (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "Размер пакета определяет, сколько текстовых запросов обрабатывается одновременно. Больший размер пакета может повысить производительность и быстродействие модели, но также требует больше памяти.",
"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.": "Таблица лидеров оценки основана на рейтинговой системе Elo и обновляется в режиме реального времени.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "Атрибут LDAP, который сопоставляется с почтой, используемой пользователями для входа в систему.",
"The LDAP attribute that maps to the username that users use to sign in.": "Атрибут LDAP, который сопоставляется с именем пользователя, используемым пользователями для входа в систему.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "В настоящее время таблица лидеров находится в стадии бета-тестирования, и мы можем скорректировать расчеты рейтинга по мере доработки алгоритма.",
diff --git a/src/lib/i18n/locales/sk-SK/translation.json b/src/lib/i18n/locales/sk-SK/translation.json
index e562be7b1..552f31507 100644
--- a/src/lib/i18n/locales/sk-SK/translation.json
+++ b/src/lib/i18n/locales/sk-SK/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "Formát výstupu",
"Overview": "Prehľad",
"page": "stránka",
+ "Parameters": "",
"Password": "Heslo",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF dokument (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Vývojári stojaci za týmto pluginom sú zapálení dobrovoľníci z komunity. Ak považujete tento plugin za užitočný, zvážte príspevok na jeho vývoj.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Hodnotiaca tabuľka je založená na systéme hodnotenia Elo a aktualizuje sa v reálnom čase.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Hodnotiaca tabuľka je momentálne v beta verzii a môžeme upraviť výpočty hodnotenia, ako budeme zdokonaľovať algoritmus.",
diff --git a/src/lib/i18n/locales/sr-RS/translation.json b/src/lib/i18n/locales/sr-RS/translation.json
index 3b39a14d1..2af2a8399 100644
--- a/src/lib/i18n/locales/sr-RS/translation.json
+++ b/src/lib/i18n/locales/sr-RS/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "Формат излаза",
"Overview": "Преглед",
"page": "страница",
+ "Parameters": "",
"Password": "Лозинка",
"Paste Large Text as File": "Убаци велики текст као датотеку",
"PDF document (.pdf)": "PDF документ (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/sv-SE/translation.json b/src/lib/i18n/locales/sv-SE/translation.json
index c630447b2..7989fa602 100644
--- a/src/lib/i18n/locales/sv-SE/translation.json
+++ b/src/lib/i18n/locales/sv-SE/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "Lösenord",
"Paste Large Text as File": "",
"PDF document (.pdf)": "PDF-dokument (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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.": "Utvärderingens topplista är baserad på Elo-betygssystemet och uppdateras i realtid",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/th-TH/translation.json b/src/lib/i18n/locales/th-TH/translation.json
index 7f13c2b3e..9d3df4229 100644
--- a/src/lib/i18n/locales/th-TH/translation.json
+++ b/src/lib/i18n/locales/th-TH/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "รหัสผ่าน",
"Paste Large Text as File": "",
"PDF document (.pdf)": "เอกสาร PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/tk-TW/translation.json b/src/lib/i18n/locales/tk-TW/translation.json
index 70902637d..835e024c1 100644
--- a/src/lib/i18n/locales/tk-TW/translation.json
+++ b/src/lib/i18n/locales/tk-TW/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "",
"Overview": "",
"page": "",
+ "Parameters": "",
"Password": "",
"Paste Large Text as File": "",
"PDF document (.pdf)": "",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/tr-TR/translation.json b/src/lib/i18n/locales/tr-TR/translation.json
index e00c65c04..37a4b0b13 100644
--- a/src/lib/i18n/locales/tr-TR/translation.json
+++ b/src/lib/i18n/locales/tr-TR/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "örn. \"json\" veya JSON şablonu",
"e.g. 60": "örn. 60",
"e.g. A filter to remove profanity from text": "örn. Metinden küfürleri kaldırmak için bir filtre",
+ "e.g. en": "",
"e.g. My Filter": "örn. Benim Filtrem",
"e.g. My Tools": "örn. Benim Araçlarım",
"e.g. my_filter": "örn. benim_filtrem",
@@ -889,6 +890,7 @@
"Output format": "Çıktı formatı",
"Overview": "Genel Bakış",
"page": "sayfa",
+ "Parameters": "",
"Password": "Parola",
"Paste Large Text as File": "Büyük Metni Dosya Olarak Yapıştır",
"PDF document (.pdf)": "PDF belgesi (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Bu eklentinin arkasındaki geliştiriciler topluluktan tutkulu gönüllülerdir. Bu eklentinin yararlı olduğunu düşünüyorsanız, gelişimine katkıda bulunmayı düşünün.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "",
diff --git a/src/lib/i18n/locales/uk-UA/translation.json b/src/lib/i18n/locales/uk-UA/translation.json
index 5eebeb7b0..40c63189c 100644
--- a/src/lib/i18n/locales/uk-UA/translation.json
+++ b/src/lib/i18n/locales/uk-UA/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "напр., \"json\" або схема JSON",
"e.g. 60": "напр. 60",
"e.g. A filter to remove profanity from text": "напр., фільтр для видалення нецензурної лексики з тексту",
+ "e.g. en": "",
"e.g. My Filter": "напр., Мій фільтр",
"e.g. My Tools": "напр., Мої інструменти",
"e.g. my_filter": "напр., my_filter",
@@ -889,6 +890,7 @@
"Output format": "Формат відповіді",
"Overview": "Огляд",
"page": "сторінка",
+ "Parameters": "",
"Password": "Пароль",
"Paste Large Text as File": "Вставити великий текст як файл",
"PDF document (.pdf)": "PDF документ (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "Розмір пакету визначає, скільки текстових запитів обробляється одночасно. Більший розмір пакету може підвищити продуктивність і швидкість моделі, але також вимагає більше пам'яті.",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "LDAP-атрибут, який відповідає за пошту, яку користувачі використовують для входу.",
"The LDAP attribute that maps to the username that users use to sign in.": "LDAP-атрибут, який відповідає за ім'я користувача, яке використовують користувачі для входу.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Таблиця лідерів наразі в бета-версії, і ми можемо коригувати розрахунки рейтингів у міру вдосконалення алгоритму.",
diff --git a/src/lib/i18n/locales/ur-PK/translation.json b/src/lib/i18n/locales/ur-PK/translation.json
index 651f03864..956e24f75 100644
--- a/src/lib/i18n/locales/ur-PK/translation.json
+++ b/src/lib/i18n/locales/ur-PK/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "",
"e.g. 60": "",
"e.g. A filter to remove profanity from text": "",
+ "e.g. en": "",
"e.g. My Filter": "",
"e.g. My Tools": "",
"e.g. my_filter": "",
@@ -889,6 +890,7 @@
"Output format": "آؤٹ پٹ فارمیٹ",
"Overview": "جائزہ",
"page": "صفحہ",
+ "Parameters": "",
"Password": "پاس ورڈ",
"Paste Large Text as File": "",
"PDF document (.pdf)": "پی ڈی ایف دستاویز (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "",
"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 language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "",
"The LDAP attribute that maps to the username that users use to sign in.": "",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "لیڈر بورڈ اس وقت بیٹا مرحلے میں ہے، اور جیسے جیسے ہم الگورتھم کو بہتر بنائیں گے ہم ریٹنگ کیلکولیشن کو ایڈجسٹ کرسکتے ہیں",
diff --git a/src/lib/i18n/locales/vi-VN/translation.json b/src/lib/i18n/locales/vi-VN/translation.json
index 53c652d82..89ddc3123 100644
--- a/src/lib/i18n/locales/vi-VN/translation.json
+++ b/src/lib/i18n/locales/vi-VN/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "ví dụ: \"json\" hoặc một lược đồ JSON",
"e.g. 60": "vd: 60",
"e.g. A filter to remove profanity from text": "vd: Bộ lọc để loại bỏ từ ngữ tục tĩu khỏi văn bản",
+ "e.g. en": "",
"e.g. My Filter": "vd: Bộ lọc của tôi",
"e.g. My Tools": "vd: Công cụ của tôi",
"e.g. my_filter": "vd: bo_loc_cua_toi",
@@ -889,6 +890,7 @@
"Output format": "Định dạng đầu ra",
"Overview": "Tổng quan",
"page": "trang",
+ "Parameters": "",
"Password": "Mật khẩu",
"Paste Large Text as File": "Dán Văn bản Lớn dưới dạng Tệp",
"PDF document (.pdf)": "Tập tin PDF (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "Kích thước lô xác định có bao nhiêu yêu cầu văn bản được xử lý cùng một lúc. Kích thước lô cao hơn có thể tăng hiệu suất và tốc độ của mô hình, nhưng nó cũng đòi hỏi nhiều bộ nhớ hơn.",
"The developers behind this plugin are passionate volunteers from the community. If you find this plugin helpful, please consider contributing to its development.": "Các nhà phát triển đằng sau plugin này là những tình nguyện viên nhiệt huyết của cộng đồng. Nếu bạn thấy plugin này hữu ích, vui lòng cân nhắc đóng góp cho sự phát triển của nó.",
"The evaluation leaderboard is based on the Elo rating system and is updated in real-time.": "Bảng xếp hạng đánh giá dựa trên hệ thống xếp hạng Elo và được cập nhật theo thời gian thực.",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "Thuộc tính LDAP ánh xạ tới mail mà người dùng sử dụng để đăng nhập.",
"The LDAP attribute that maps to the username that users use to sign in.": "Thuộc tính LDAP ánh xạ tới tên người dùng mà người dùng sử dụng để đăng nhập.",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "Bảng xếp hạng hiện đang trong giai đoạn beta và chúng tôi có thể điều chỉnh các tính toán xếp hạng khi chúng tôi tinh chỉnh thuật toán.",
diff --git a/src/lib/i18n/locales/zh-CN/translation.json b/src/lib/i18n/locales/zh-CN/translation.json
index e60c64973..f83297428 100644
--- a/src/lib/i18n/locales/zh-CN/translation.json
+++ b/src/lib/i18n/locales/zh-CN/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "例如:\"json\" 或一个 JSON schema",
"e.g. 60": "例如:'60'",
"e.g. A filter to remove profanity from text": "例如:一个用于过滤文本中不当内容的过滤器",
+ "e.g. en": "",
"e.g. My Filter": "例如:我的过滤器",
"e.g. My Tools": "例如:我的工具",
"e.g. my_filter": "例如:my_filter",
@@ -889,6 +890,7 @@
"Output format": "输出格式",
"Overview": "概述",
"page": "页",
+ "Parameters": "",
"Password": "密码",
"Paste Large Text as File": "粘贴大文本为文件",
"PDF document (.pdf)": "PDF 文档 (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "批处理大小决定了一次可以处理多少个文本请求。更高的批处理大小可以提高模型的性能和速度,但也需要更多内存。",
"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.": "排行榜基于 Elo 评级系统并实时更新。",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "映射到用户登录时使用的邮箱的 LDAP 属性。",
"The LDAP attribute that maps to the username that users use to sign in.": "映射到用户登录时使用的用户名的 LDAP 属性。",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "排行榜目前处于 Beta 测试阶段,我们可能会在完善算法后调整评分计算方法。",
diff --git a/src/lib/i18n/locales/zh-TW/translation.json b/src/lib/i18n/locales/zh-TW/translation.json
index 2356b0558..57cbccd23 100644
--- a/src/lib/i18n/locales/zh-TW/translation.json
+++ b/src/lib/i18n/locales/zh-TW/translation.json
@@ -374,6 +374,7 @@
"e.g. \"json\" or a JSON schema": "範例:\"json\" 或一個 JSON schema",
"e.g. 60": "例如:60",
"e.g. A filter to remove profanity from text": "例如:用來移除不雅詞彙的過濾器",
+ "e.g. en": "",
"e.g. My Filter": "例如:我的篩選器",
"e.g. My Tools": "例如:我的工具",
"e.g. my_filter": "例如:my_filter",
@@ -889,6 +890,7 @@
"Output format": "輸出格式",
"Overview": "概覽",
"page": "頁面",
+ "Parameters": "",
"Password": "密碼",
"Paste Large Text as File": "將大型文字以檔案貼上",
"PDF document (.pdf)": "PDF 檔案 (.pdf)",
@@ -1140,6 +1142,7 @@
"The batch size determines how many text requests are processed together at once. A higher batch size can increase the performance and speed of the model, but it also requires more memory.": "批次大小決定一次處理多少文字請求。較高的批次大小可以提高模型的效能和速度,但也需要更多記憶體。",
"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.": "評估排行榜基於 Elo 評分系統,並即時更新。",
+ "The language of the input audio. Supplying the input language in ISO-639-1 (e.g. en) format will improve accuracy and latency. Leave blank to automatically detect the language.": "",
"The LDAP attribute that maps to the mail that users use to sign in.": "對映到使用者用於登入的使用者郵箱的 LDAP 屬性。",
"The LDAP attribute that maps to the username that users use to sign in.": "對映到使用者用於登入的使用者名稱的 LDAP 屬性。",
"The leaderboard is currently in beta, and we may adjust the rating calculations as we refine the algorithm.": "排行榜目前處於測試階段,我們可能會在改進演算法時調整評分計算方式。",