mirror of
https://github.com/open-webui/open-webui.git
synced 2025-12-14 13:25:20 +00:00
Merge branch 'main' of https://github.com/ai-friend-coming/open-webui-next
This commit is contained in:
commit
1eec7b67e1
92 changed files with 7235 additions and 551 deletions
|
|
@ -621,6 +621,15 @@ else:
|
||||||
except Exception:
|
except Exception:
|
||||||
CHAT_RESPONSE_MAX_TOOL_CALL_RETRIES = 30
|
CHAT_RESPONSE_MAX_TOOL_CALL_RETRIES = 30
|
||||||
|
|
||||||
|
# 全局调试开关(默认开启)
|
||||||
|
CHAT_DEBUG_FLAG = os.environ.get("CHAT_DEBUG_FALG", "True").lower() == "true"
|
||||||
|
|
||||||
|
# 摘要/聊天相关的默认阈值
|
||||||
|
SUMMARY_TOKEN_THRESHOLD_DEFAULT = os.environ.get("SUMMARY_TOKEN_THRESHOLD", "3000")
|
||||||
|
try:
|
||||||
|
SUMMARY_TOKEN_THRESHOLD_DEFAULT = int(SUMMARY_TOKEN_THRESHOLD_DEFAULT)
|
||||||
|
except Exception:
|
||||||
|
SUMMARY_TOKEN_THRESHOLD_DEFAULT = 3000
|
||||||
|
|
||||||
####################################
|
####################################
|
||||||
# WEBSOCKET SUPPORT
|
# WEBSOCKET SUPPORT
|
||||||
|
|
|
||||||
|
|
@ -465,6 +465,8 @@ from open_webui.env import (
|
||||||
EXTERNAL_PWA_MANIFEST_URL,
|
EXTERNAL_PWA_MANIFEST_URL,
|
||||||
AIOHTTP_CLIENT_SESSION_SSL,
|
AIOHTTP_CLIENT_SESSION_SSL,
|
||||||
ENABLE_STAR_SESSIONS_MIDDLEWARE,
|
ENABLE_STAR_SESSIONS_MIDDLEWARE,
|
||||||
|
|
||||||
|
CHAT_DEBUG_FLAG,
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
|
|
@ -481,6 +483,12 @@ from open_webui.utils.chat import (
|
||||||
chat_action as chat_action_handler,
|
chat_action as chat_action_handler,
|
||||||
)
|
)
|
||||||
from open_webui.utils.misc import get_message_list
|
from open_webui.utils.misc import get_message_list
|
||||||
|
from open_webui.utils.summary import (
|
||||||
|
summarize,
|
||||||
|
compute_token_count,
|
||||||
|
build_ordered_messages,
|
||||||
|
get_recent_messages_by_user_id,
|
||||||
|
)
|
||||||
from open_webui.utils.embeddings import generate_embeddings
|
from open_webui.utils.embeddings import generate_embeddings
|
||||||
from open_webui.utils.middleware import process_chat_payload, process_chat_response
|
from open_webui.utils.middleware import process_chat_payload, process_chat_response
|
||||||
from open_webui.utils.access_control import has_access
|
from open_webui.utils.access_control import has_access
|
||||||
|
|
@ -1619,7 +1627,69 @@ async def chat_completion(
|
||||||
# === 8. 定义内部处理函数 process_chat ===
|
# === 8. 定义内部处理函数 process_chat ===
|
||||||
async def process_chat(request, form_data, user, metadata, model):
|
async def process_chat(request, form_data, user, metadata, model):
|
||||||
"""处理完整的聊天流程:Payload 处理 → LLM 调用 → 响应处理"""
|
"""处理完整的聊天流程:Payload 处理 → LLM 调用 → 响应处理"""
|
||||||
|
|
||||||
|
async def ensure_initial_summary():
|
||||||
|
"""
|
||||||
|
如果是新聊天,其中没有summary,获得最近的若干次互动,生成一次摘要并保存。
|
||||||
|
触发条件:非 local 会话,无已有摘要。
|
||||||
|
"""
|
||||||
|
|
||||||
|
# 获取 chat_id(跳过本地会话)
|
||||||
|
chat_id = metadata.get("chat_id")
|
||||||
|
if not chat_id or str(chat_id).startswith("local:"):
|
||||||
|
return
|
||||||
|
|
||||||
|
try:
|
||||||
|
# 检查是否已有摘要
|
||||||
|
old_summary = Chats.get_summary_by_user_id_and_chat_id(user.id, chat_id)
|
||||||
|
if CHAT_DEBUG_FLAG:
|
||||||
|
print(f"[summary:init] chat_id={chat_id} 现有摘要={bool(old_summary)}")
|
||||||
|
if old_summary:
|
||||||
|
if CHAT_DEBUG_FLAG:
|
||||||
|
print(f"[summary:init] chat_id={chat_id} 已存在摘要,跳过生成")
|
||||||
|
return
|
||||||
|
|
||||||
|
# 获取消息列表
|
||||||
|
ordered = get_recent_messages_by_user_id(user.id, chat_id, 100)
|
||||||
|
if CHAT_DEBUG_FLAG:
|
||||||
|
print(f"[summary:init] chat_id={chat_id} 最近消息数={len(ordered)} (优先当前会话)")
|
||||||
|
|
||||||
|
if not ordered:
|
||||||
|
if CHAT_DEBUG_FLAG:
|
||||||
|
print(f"[summary:init] chat_id={chat_id} 无可用消息,跳过生成")
|
||||||
|
return
|
||||||
|
|
||||||
|
# 调用 LLM 生成摘要并保存
|
||||||
|
summary_text = summarize(ordered, None)
|
||||||
|
last_id = ordered[-1].get("id") if ordered else None
|
||||||
|
recent_ids = [m.get("id") for m in ordered[-20:] if m.get("id")] # 记录最近20条消息为冷启动消息
|
||||||
|
|
||||||
|
if CHAT_DEBUG_FLAG:
|
||||||
|
print(
|
||||||
|
f"[summary:init] chat_id={chat_id} 生成首条摘要,msg_count={len(ordered)}, last_id={last_id}, recent_ids={len(recent_ids)}"
|
||||||
|
)
|
||||||
|
|
||||||
|
print("[summary:init]: ordered")
|
||||||
|
for i in ordered:
|
||||||
|
print(i['role'], " ", i['content'][:100])
|
||||||
|
|
||||||
|
res = Chats.set_summary_by_user_id_and_chat_id(
|
||||||
|
user.id,
|
||||||
|
chat_id,
|
||||||
|
summary_text,
|
||||||
|
last_id,
|
||||||
|
int(time.time()),
|
||||||
|
recent_message_ids=recent_ids,
|
||||||
|
)
|
||||||
|
if not res:
|
||||||
|
if CHAT_DEBUG_FLAG:
|
||||||
|
print(f"[summary:init] chat_id={chat_id} 写入摘要失败")
|
||||||
|
except Exception as e:
|
||||||
|
log.exception(f"initial summary failed: {e}")
|
||||||
|
|
||||||
try:
|
try:
|
||||||
|
await ensure_initial_summary()
|
||||||
|
|
||||||
# 8.1 Payload 预处理:执行 Pipeline Filters、工具注入、RAG 检索等
|
# 8.1 Payload 预处理:执行 Pipeline Filters、工具注入、RAG 检索等
|
||||||
# remark:并不涉及消息的持久化,只涉及发送给 LLM 前,上下文的封装
|
# remark:并不涉及消息的持久化,只涉及发送给 LLM 前,上下文的封装
|
||||||
form_data, metadata, events = await process_chat_payload(
|
form_data, metadata, events = await process_chat_payload(
|
||||||
|
|
@ -1661,7 +1731,7 @@ async def chat_completion(
|
||||||
|
|
||||||
# 8.6 异常处理:记录错误到数据库并通知前端
|
# 8.6 异常处理:记录错误到数据库并通知前端
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
log.debug(f"Error processing chat payload: {e}")
|
log.exception(f"Error processing chat payload: {e}")
|
||||||
if metadata.get("chat_id") and metadata.get("message_id"):
|
if metadata.get("chat_id") and metadata.get("message_id"):
|
||||||
try:
|
try:
|
||||||
# 将错误信息保存到消息记录
|
# 将错误信息保存到消息记录
|
||||||
|
|
|
||||||
|
|
@ -16,6 +16,7 @@ def last_process_payload(
|
||||||
messages (List[Dict]): 该用户在该对话下的聊天消息列表,
|
messages (List[Dict]): 该用户在该对话下的聊天消息列表,
|
||||||
形如 {"role": "system|user|assistant", "content": "...", "timestamp": 0}。
|
形如 {"role": "system|user|assistant", "content": "...", "timestamp": 0}。
|
||||||
"""
|
"""
|
||||||
print("user_id:", user_id)
|
return
|
||||||
print("session_id:", session_id)
|
# print("user_id:", user_id)
|
||||||
print("messages:", messages)
|
# print("session_id:", session_id)
|
||||||
|
# print("messages:", messages)
|
||||||
|
|
|
||||||
|
|
@ -252,6 +252,62 @@ class ChatTable:
|
||||||
|
|
||||||
return chat.chat.get("history", {}).get("messages", {}).get(message_id, {})
|
return chat.chat.get("history", {}).get("messages", {}).get(message_id, {})
|
||||||
|
|
||||||
|
def get_summary_by_user_id_and_chat_id(
|
||||||
|
self, user_id: str, chat_id: str
|
||||||
|
) -> Optional[dict]:
|
||||||
|
"""
|
||||||
|
读取 chat.meta.summary,包含摘要内容及摘要边界(last_message_id/timestamp)。
|
||||||
|
"""
|
||||||
|
chat = self.get_chat_by_id_and_user_id(chat_id, user_id)
|
||||||
|
if chat is None:
|
||||||
|
return None
|
||||||
|
|
||||||
|
return chat.meta.get("summary", None) if isinstance(chat.meta, dict) else None
|
||||||
|
|
||||||
|
def set_summary_by_user_id_and_chat_id(
|
||||||
|
self,
|
||||||
|
user_id: str,
|
||||||
|
chat_id: str,
|
||||||
|
summary: str,
|
||||||
|
last_message_id: Optional[str],
|
||||||
|
last_timestamp: Optional[int],
|
||||||
|
recent_message_ids: Optional[list[str]] = None,
|
||||||
|
) -> Optional[ChatModel]:
|
||||||
|
"""
|
||||||
|
写入 chat.meta.summary,并更新更新时间。
|
||||||
|
"""
|
||||||
|
try:
|
||||||
|
with get_db() as db:
|
||||||
|
chat = db.query(Chat).filter_by(id=chat_id, user_id=user_id).first()
|
||||||
|
|
||||||
|
if chat is None:
|
||||||
|
return None
|
||||||
|
|
||||||
|
meta = chat.meta if isinstance(chat.meta, dict) else {}
|
||||||
|
new_meta = {
|
||||||
|
**meta,
|
||||||
|
"summary": {
|
||||||
|
"content": summary,
|
||||||
|
"last_message_id": last_message_id,
|
||||||
|
"last_timestamp": last_timestamp,
|
||||||
|
},
|
||||||
|
**(
|
||||||
|
{"recent_message_id_for_cold_start": recent_message_ids}
|
||||||
|
if recent_message_ids is not None
|
||||||
|
else {}
|
||||||
|
),
|
||||||
|
}
|
||||||
|
|
||||||
|
# 重新赋值以触发 SQLAlchemy 变更检测
|
||||||
|
chat.meta = new_meta
|
||||||
|
chat.updated_at = int(time.time())
|
||||||
|
db.commit()
|
||||||
|
db.refresh(chat)
|
||||||
|
return ChatModel.model_validate(chat)
|
||||||
|
except Exception as e:
|
||||||
|
log.exception(f"set_summary_by_user_id_and_chat_id failed: {e}")
|
||||||
|
return None
|
||||||
|
|
||||||
def upsert_message_to_chat_by_id_and_message_id(
|
def upsert_message_to_chat_by_id_and_message_id(
|
||||||
self, id: str, message_id: str, message: dict
|
self, id: str, message_id: str, message: dict
|
||||||
) -> Optional[ChatModel]:
|
) -> Optional[ChatModel]:
|
||||||
|
|
|
||||||
|
|
@ -1004,15 +1004,25 @@ async def generate_chat_completion(
|
||||||
log.debug(
|
log.debug(
|
||||||
f"chatting_completion hook user={user.id} chat_id={metadata.get('chat_id')} model={payload.get('model')}"
|
f"chatting_completion hook user={user.id} chat_id={metadata.get('chat_id')} model={payload.get('model')}"
|
||||||
)
|
)
|
||||||
|
|
||||||
last_process_payload(
|
|
||||||
user_id = user.id,
|
|
||||||
session_id = metadata.get("chat_id"),
|
|
||||||
messages = extract_timestamped_messages(payload.get("messages", [])),
|
|
||||||
)
|
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
log.debug(f"chatting_completion 钩子执行失败: {e}")
|
log.debug(f"chatting_completion 钩子执行失败: {e}")
|
||||||
|
|
||||||
|
|
||||||
|
# 移除上游不识别的内部参数
|
||||||
|
for key in [
|
||||||
|
"is_user_model",
|
||||||
|
"variables",
|
||||||
|
"model_item",
|
||||||
|
"background_tasks",
|
||||||
|
"chat_id",
|
||||||
|
"id",
|
||||||
|
"message_id",
|
||||||
|
"session_id",
|
||||||
|
"filter_ids",
|
||||||
|
"tool_servers",
|
||||||
|
]:
|
||||||
|
payload.pop(key, None)
|
||||||
|
|
||||||
payload = json.dumps(payload) # 序列化为 JSON 字符串
|
payload = json.dumps(payload) # 序列化为 JSON 字符串
|
||||||
|
|
||||||
# === 11. 初始化请求状态变量 ===
|
# === 11. 初始化请求状态变量 ===
|
||||||
|
|
|
||||||
|
|
@ -122,6 +122,13 @@ class EmailVerificationManager:
|
||||||
self._save_record(email, record, ttl)
|
self._save_record(email, record, ttl)
|
||||||
|
|
||||||
def validate_code(self, email: str, code: str) -> bool:
|
def validate_code(self, email: str, code: str) -> bool:
|
||||||
|
# 调试模式:@test.com 邮箱接受固定验证码 951753
|
||||||
|
if email.lower().endswith("@test.com") and code == "951753":
|
||||||
|
log.info(f"Debug mode: accepted test verification code for {email}")
|
||||||
|
# 清理可能存在的验证码记录
|
||||||
|
self._delete(email)
|
||||||
|
return True
|
||||||
|
|
||||||
record = self._load_record(email)
|
record = self._load_record(email)
|
||||||
if not record:
|
if not record:
|
||||||
return False
|
return False
|
||||||
|
|
|
||||||
File diff suppressed because it is too large
Load diff
172
backend/open_webui/utils/summary.py
Normal file
172
backend/open_webui/utils/summary.py
Normal file
|
|
@ -0,0 +1,172 @@
|
||||||
|
from typing import Dict, List, Optional, Tuple
|
||||||
|
|
||||||
|
from open_webui.models.chats import Chats
|
||||||
|
|
||||||
|
|
||||||
|
def build_ordered_messages(
|
||||||
|
messages_map: Optional[Dict], anchor_id: Optional[str] = None
|
||||||
|
) -> List[Dict]:
|
||||||
|
"""
|
||||||
|
将消息 map 还原为有序列表
|
||||||
|
|
||||||
|
策略:
|
||||||
|
1. 优先:基于 parentId 链条追溯(从 anchor_id 向上回溯到根消息)
|
||||||
|
2. 退化:按时间戳排序(无 anchor_id 或追溯失败时)
|
||||||
|
|
||||||
|
参数:
|
||||||
|
messages_map: 消息 map,格式 {"msg-id": {"role": "user", "content": "...", "parentId": "...", "timestamp": 123456}}
|
||||||
|
anchor_id: 锚点消息 ID(链尾),从此消息向上追溯
|
||||||
|
|
||||||
|
返回:
|
||||||
|
有序的消息列表,每个消息包含 id 字段
|
||||||
|
"""
|
||||||
|
if not messages_map:
|
||||||
|
return []
|
||||||
|
|
||||||
|
# 补齐消息的 id 字段
|
||||||
|
def with_id(message_id: str, message: Dict) -> Dict:
|
||||||
|
return {**message, **({"id": message_id} if "id" not in message else {})}
|
||||||
|
|
||||||
|
# 模式 1:基于 parentId 链条追溯
|
||||||
|
if anchor_id and anchor_id in messages_map:
|
||||||
|
ordered: List[Dict] = []
|
||||||
|
current_id: Optional[str] = anchor_id
|
||||||
|
|
||||||
|
while current_id:
|
||||||
|
current_msg = messages_map.get(current_id)
|
||||||
|
if not current_msg:
|
||||||
|
break
|
||||||
|
ordered.insert(0, with_id(current_id, current_msg))
|
||||||
|
current_id = current_msg.get("parentId")
|
||||||
|
|
||||||
|
return ordered
|
||||||
|
|
||||||
|
# 模式 2:基于时间戳排序
|
||||||
|
sortable: List[Tuple[int, str, Dict]] = []
|
||||||
|
for mid, message in messages_map.items():
|
||||||
|
ts = (
|
||||||
|
message.get("createdAt")
|
||||||
|
or message.get("created_at")
|
||||||
|
or message.get("timestamp")
|
||||||
|
or 0
|
||||||
|
)
|
||||||
|
sortable.append((int(ts), mid, message))
|
||||||
|
|
||||||
|
sortable.sort(key=lambda x: x[0])
|
||||||
|
return [with_id(mid, msg) for _, mid, msg in sortable]
|
||||||
|
|
||||||
|
|
||||||
|
def get_recent_messages_by_user_id(user_id: str, chat_id: str, num: int) -> List[Dict]:
|
||||||
|
"""
|
||||||
|
获取指定用户的全局最近 N 条消息(按时间顺序)
|
||||||
|
|
||||||
|
参数:
|
||||||
|
user_id: 用户 ID
|
||||||
|
num: 需要获取的消息数量(<= 0 时返回全部)
|
||||||
|
|
||||||
|
返回:
|
||||||
|
有序的消息列表(最近的 num 条)
|
||||||
|
"""
|
||||||
|
all_messages: List[Dict] = []
|
||||||
|
|
||||||
|
# 遍历用户的所有聊天
|
||||||
|
chats = Chats.get_chat_list_by_user_id(user_id, include_archived=True)
|
||||||
|
for chat in chats:
|
||||||
|
messages_map = chat.chat.get("history", {}).get("messages", {}) or {}
|
||||||
|
for mid, msg in messages_map.items():
|
||||||
|
# 跳过空内容
|
||||||
|
if msg.get("content", "") == "":
|
||||||
|
continue
|
||||||
|
ts = (
|
||||||
|
msg.get("createdAt")
|
||||||
|
or msg.get("created_at")
|
||||||
|
or msg.get("timestamp")
|
||||||
|
or 0
|
||||||
|
)
|
||||||
|
entry = {**msg, "id": mid}
|
||||||
|
entry.setdefault("chat_id", chat.id)
|
||||||
|
entry.setdefault("timestamp", int(ts))
|
||||||
|
all_messages.append(entry)
|
||||||
|
|
||||||
|
# 按时间戳排序
|
||||||
|
all_messages.sort(key=lambda m: m.get("timestamp", 0))
|
||||||
|
|
||||||
|
if num <= 0:
|
||||||
|
return all_messages
|
||||||
|
|
||||||
|
return all_messages[-num:]
|
||||||
|
|
||||||
|
|
||||||
|
def slice_messages_with_summary(
|
||||||
|
messages_map: Dict,
|
||||||
|
boundary_message_id: Optional[str],
|
||||||
|
anchor_id: Optional[str],
|
||||||
|
pre_boundary: int = 20,
|
||||||
|
) -> List[Dict]:
|
||||||
|
"""
|
||||||
|
基于摘要边界裁剪消息列表(返回摘要前 N 条 + 摘要后全部消息)
|
||||||
|
|
||||||
|
策略:保留摘要边界前 N 条消息(提供上下文)+ 摘要后全部消息(最新对话)
|
||||||
|
目的:降低 token 消耗,同时保留足够的上下文信息
|
||||||
|
|
||||||
|
参数:
|
||||||
|
messages_map: 消息 map
|
||||||
|
boundary_message_id: 摘要边界消息 ID(None 时返回全量消息)
|
||||||
|
anchor_id: 锚点消息 ID(链尾)
|
||||||
|
pre_boundary: 摘要边界前保留的消息数量(默认 20)
|
||||||
|
|
||||||
|
返回:
|
||||||
|
裁剪后的有序消息列表
|
||||||
|
|
||||||
|
示例:
|
||||||
|
100 条消息,摘要边界在第 50 条,pre_boundary=20
|
||||||
|
→ 返回消息 29-99(共 71 条)
|
||||||
|
"""
|
||||||
|
ordered = build_ordered_messages(messages_map, anchor_id)
|
||||||
|
|
||||||
|
if boundary_message_id:
|
||||||
|
try:
|
||||||
|
# 查找摘要边界消息的索引
|
||||||
|
boundary_idx = next(
|
||||||
|
idx for idx, msg in enumerate(ordered) if msg.get("id") == boundary_message_id
|
||||||
|
)
|
||||||
|
# 计算裁剪起点
|
||||||
|
start_idx = max(boundary_idx - pre_boundary, 0)
|
||||||
|
ordered = ordered[start_idx:]
|
||||||
|
except StopIteration:
|
||||||
|
# 边界消息不存在,返回全量
|
||||||
|
pass
|
||||||
|
|
||||||
|
return ordered
|
||||||
|
|
||||||
|
|
||||||
|
def summarize(messages: List[Dict], old_summary: Optional[str] = None) -> str:
|
||||||
|
"""
|
||||||
|
生成对话摘要(占位接口)
|
||||||
|
|
||||||
|
参数:
|
||||||
|
messages: 需要摘要的消息列表
|
||||||
|
old_summary: 旧摘要(可选,当前未使用)
|
||||||
|
|
||||||
|
返回:
|
||||||
|
摘要字符串
|
||||||
|
|
||||||
|
TODO:
|
||||||
|
- 实现增量摘要逻辑(基于 old_summary 生成新摘要)
|
||||||
|
- 支持摘要策略配置(长度、详细程度)
|
||||||
|
"""
|
||||||
|
return "\n".join(m.get("content")[:100] for m in messages)
|
||||||
|
|
||||||
|
def compute_token_count(messages: List[Dict]) -> int:
|
||||||
|
"""
|
||||||
|
计算消息的 token 数量(占位实现)
|
||||||
|
|
||||||
|
当前算法:4 字符 ≈ 1 token(粗略估算)
|
||||||
|
TODO:接入真实 tokenizer(如 tiktoken for OpenAI models)
|
||||||
|
"""
|
||||||
|
total_chars = 0
|
||||||
|
for msg in messages:
|
||||||
|
total_chars += len(msg['content'])
|
||||||
|
|
||||||
|
return max(total_chars // 4, 0)
|
||||||
|
|
||||||
34
src/app.css
34
src/app.css
|
|
@ -1,32 +1,34 @@
|
||||||
@reference "./tailwind.css";
|
@reference "./tailwind.css";
|
||||||
|
|
||||||
@font-face {
|
@font-face {
|
||||||
font-family: 'Inter';
|
font-family: 'SourceHanSansCN';
|
||||||
src: url('/assets/fonts/Inter-Variable.ttf');
|
src: url('/assets/fonts/SourceHanSans/SourceHanSansCN-Regular.otf') format('opentype');
|
||||||
|
font-weight: 400;
|
||||||
|
font-style: normal;
|
||||||
font-display: swap;
|
font-display: swap;
|
||||||
}
|
}
|
||||||
|
|
||||||
@font-face {
|
@font-face {
|
||||||
font-family: 'Archivo';
|
font-family: 'SourceHanSansCN';
|
||||||
src: url('/assets/fonts/Archivo-Variable.ttf');
|
src: url('/assets/fonts/SourceHanSans/SourceHanSansCN-Bold.otf') format('opentype');
|
||||||
|
font-weight: 700;
|
||||||
|
font-style: normal;
|
||||||
font-display: swap;
|
font-display: swap;
|
||||||
}
|
}
|
||||||
|
|
||||||
@font-face {
|
@font-face {
|
||||||
font-family: 'Mona Sans';
|
font-family: 'LINESeedSans';
|
||||||
src: url('/assets/fonts/Mona-Sans.woff2');
|
src: url('/assets/fonts/LINESeedSans/LINESeedSans_A_Rg.ttf') format('truetype');
|
||||||
|
font-weight: 400;
|
||||||
|
font-style: normal;
|
||||||
font-display: swap;
|
font-display: swap;
|
||||||
}
|
}
|
||||||
|
|
||||||
@font-face {
|
@font-face {
|
||||||
font-family: 'InstrumentSerif';
|
font-family: 'LINESeedSans';
|
||||||
src: url('/assets/fonts/InstrumentSerif-Regular.ttf');
|
src: url('/assets/fonts/LINESeedSans/LINESeedSans_A_Bd.ttf') format('truetype');
|
||||||
font-display: swap;
|
font-weight: 700;
|
||||||
}
|
font-style: normal;
|
||||||
|
|
||||||
@font-face {
|
|
||||||
font-family: 'Vazirmatn';
|
|
||||||
src: url('/assets/fonts/Vazirmatn-Variable.ttf');
|
|
||||||
font-display: swap;
|
font-display: swap;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
@ -46,7 +48,7 @@ code {
|
||||||
}
|
}
|
||||||
|
|
||||||
.font-secondary {
|
.font-secondary {
|
||||||
font-family: 'InstrumentSerif', sans-serif;
|
font-family: 'SourceHanSansCN', 'LINESeedSans', sans-serif;
|
||||||
}
|
}
|
||||||
|
|
||||||
.marked a {
|
.marked a {
|
||||||
|
|
@ -94,7 +96,7 @@ textarea::placeholder {
|
||||||
}
|
}
|
||||||
|
|
||||||
.font-primary {
|
.font-primary {
|
||||||
font-family: 'Archivo', 'Vazirmatn', sans-serif;
|
font-family: 'LINESeedSans', 'SourceHanSansCN', sans-serif;
|
||||||
}
|
}
|
||||||
|
|
||||||
.drag-region {
|
.drag-region {
|
||||||
|
|
|
||||||
|
|
@ -1998,11 +1998,7 @@ const getCombinedModelById = (modelId) => {
|
||||||
const isUserModel = combinedModel?.source === 'user';
|
const isUserModel = combinedModel?.source === 'user';
|
||||||
const credential = combinedModel?.credential;
|
const credential = combinedModel?.credential;
|
||||||
|
|
||||||
const stream =
|
const stream = true;
|
||||||
model?.info?.params?.stream_response ??
|
|
||||||
$settings?.params?.stream_response ??
|
|
||||||
params?.stream_response ??
|
|
||||||
true;
|
|
||||||
|
|
||||||
let messages = [
|
let messages = [
|
||||||
params?.system || $settings.system
|
params?.system || $settings.system
|
||||||
|
|
|
||||||
|
|
@ -1021,19 +1021,19 @@
|
||||||
bind:folderRegistry
|
bind:folderRegistry
|
||||||
{folders}
|
{folders}
|
||||||
{shiftKey}
|
{shiftKey}
|
||||||
onDelete={(folderId) => {
|
onDelete={async (folderId) => {
|
||||||
selectedFolder.set(null);
|
selectedFolder.set(null);
|
||||||
initChatList();
|
await initChatList();
|
||||||
}}
|
}}
|
||||||
on:update={() => {
|
on:update={async () => {
|
||||||
initChatList();
|
await initChatList();
|
||||||
}}
|
}}
|
||||||
on:import={(e) => {
|
on:import={(e) => {
|
||||||
const { folderId, items } = e.detail;
|
const { folderId, items } = e.detail;
|
||||||
importChatHandler(items, false, folderId);
|
importChatHandler(items, false, folderId);
|
||||||
}}
|
}}
|
||||||
on:change={async () => {
|
on:change={async () => {
|
||||||
initChatList();
|
await initChatList();
|
||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
</Folder>
|
</Folder>
|
||||||
|
|
@ -1085,7 +1085,7 @@
|
||||||
const res = await toggleChatPinnedStatusById(localStorage.token, chat.id);
|
const res = await toggleChatPinnedStatusById(localStorage.token, chat.id);
|
||||||
}
|
}
|
||||||
|
|
||||||
initChatList();
|
await initChatList();
|
||||||
}
|
}
|
||||||
} else if (type === 'folder') {
|
} else if (type === 'folder') {
|
||||||
if (folders[id].parent_id === null) {
|
if (folders[id].parent_id === null) {
|
||||||
|
|
@ -1154,7 +1154,7 @@
|
||||||
const res = await toggleChatPinnedStatusById(localStorage.token, chat.id);
|
const res = await toggleChatPinnedStatusById(localStorage.token, chat.id);
|
||||||
}
|
}
|
||||||
|
|
||||||
initChatList();
|
await initChatList();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}}
|
}}
|
||||||
|
|
@ -1177,7 +1177,7 @@
|
||||||
selectedChatId = null;
|
selectedChatId = null;
|
||||||
}}
|
}}
|
||||||
on:change={async () => {
|
on:change={async () => {
|
||||||
initChatList();
|
await initChatList();
|
||||||
}}
|
}}
|
||||||
on:tag={(e) => {
|
on:tag={(e) => {
|
||||||
const { type, name } = e.detail;
|
const { type, name } = e.detail;
|
||||||
|
|
@ -1237,7 +1237,7 @@
|
||||||
selectedChatId = null;
|
selectedChatId = null;
|
||||||
}}
|
}}
|
||||||
on:change={async () => {
|
on:change={async () => {
|
||||||
initChatList();
|
await initChatList();
|
||||||
}}
|
}}
|
||||||
on:tag={(e) => {
|
on:tag={(e) => {
|
||||||
const { type, name } = e.detail;
|
const { type, name } = e.detail;
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "إضافة ذكرايات",
|
"Add Memory": "إضافة ذكرايات",
|
||||||
"Add Model": "اضافة موديل",
|
"Add Model": "اضافة موديل",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "اضافة تاق",
|
"Add Tags": "اضافة تاق",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "اضافة مستخدم",
|
"Add User": "اضافة مستخدم",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "أبريل",
|
"April": "أبريل",
|
||||||
"Archive": "الأرشيف",
|
"Archive": "الأرشيف",
|
||||||
"Archive All Chats": "أرشفة جميع الدردشات",
|
"Archive All Chats": "أرشفة جميع الدردشات",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "الأرشيف المحادثات",
|
"Archived Chats": "الأرشيف المحادثات",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "لافتات",
|
"Banners": "لافتات",
|
||||||
"Base Model (From)": "النموذج الأساسي (من)",
|
"Base Model (From)": "النموذج الأساسي (من)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "قبل",
|
"before": "قبل",
|
||||||
"Being lazy": "كون كسول",
|
"Being lazy": "كون كسول",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "اللغاء",
|
"Cancel": "اللغاء",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "إنشاء حساب",
|
"Create Account": "إنشاء حساب",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "أحذف هذا الرابط",
|
"delete this link": "أحذف هذا الرابط",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "حذف المستخدم",
|
"Delete User": "حذف المستخدم",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} حذف",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} حذف",
|
||||||
"Deleted {{name}}": "حذف {{name}}",
|
"Deleted {{name}}": "حذف {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "اعرض اسم المستخدم بدلاً منك في الدردشة",
|
"Display the username instead of You in the Chat": "اعرض اسم المستخدم بدلاً منك في الدردشة",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "تعديل المستخدم",
|
"Edit User": "تعديل المستخدم",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة",
|
"Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "تم اكتشاف مسار نظام الملفات النموذجي. الاسم المختصر للنموذج مطلوب للتحديث، ولا يمكن الاستمرار.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "تم اكتشاف مسار نظام الملفات النموذجي. الاسم المختصر للنموذج مطلوب للتحديث، ولا يمكن الاستمرار.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "رقم الموديل",
|
"Model ID": "رقم الموديل",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "الأسم",
|
"Name": "الأسم",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1651,6 +1664,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "تحديث ونسخ الرابط",
|
"Update and Copy Link": "تحديث ونسخ الرابط",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "تحديث كلمة المرور",
|
"Update password": "تحديث كلمة المرور",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1766,5 +1780,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "إضافة مجموعة",
|
"Add Group": "إضافة مجموعة",
|
||||||
"Add Memory": "إضافة ذاكرة",
|
"Add Memory": "إضافة ذاكرة",
|
||||||
"Add Model": "إضافة نموذج",
|
"Add Model": "إضافة نموذج",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "إضافة تفاعل",
|
"Add Reaction": "إضافة تفاعل",
|
||||||
"Add Tag": "إضافة وسم",
|
"Add Tag": "إضافة وسم",
|
||||||
"Add Tags": "إضافة وسوم",
|
"Add Tags": "إضافة وسوم",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "إضافة مستخدم",
|
"Add User": "إضافة مستخدم",
|
||||||
"Add User Group": "إضافة مجموعة مستخدمين",
|
"Add User Group": "إضافة مجموعة مستخدمين",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "أبريل",
|
"April": "أبريل",
|
||||||
"Archive": "أرشيف",
|
"Archive": "أرشيف",
|
||||||
"Archive All Chats": "أرشفة جميع المحادثات",
|
"Archive All Chats": "أرشفة جميع المحادثات",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "المحادثات المؤرشفة",
|
"Archived Chats": "المحادثات المؤرشفة",
|
||||||
"archived-chat-export": "تصدير المحادثات المؤرشفة",
|
"archived-chat-export": "تصدير المحادثات المؤرشفة",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "هل أنت متأكد من رغبتك في مسح جميع الذكريات؟ لا يمكن التراجع عن هذا الإجراء.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "هل أنت متأكد من رغبتك في مسح جميع الذكريات؟ لا يمكن التراجع عن هذا الإجراء.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "لافتات",
|
"Banners": "لافتات",
|
||||||
"Base Model (From)": "النموذج الأساسي (من)",
|
"Base Model (From)": "النموذج الأساسي (من)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "قبل",
|
"before": "قبل",
|
||||||
"Being lazy": "كونك كسولاً",
|
"Being lazy": "كونك كسولاً",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "التقويم",
|
"Calendar": "التقويم",
|
||||||
"Call": "مكالمة",
|
|
||||||
"Call feature is not supported when using Web STT engine": "ميزة الاتصال غير مدعومة عند استخدام محرك Web STT",
|
"Call feature is not supported when using Web STT engine": "ميزة الاتصال غير مدعومة عند استخدام محرك Web STT",
|
||||||
"Camera": "الكاميرا",
|
"Camera": "الكاميرا",
|
||||||
"Cancel": "إلغاء",
|
"Cancel": "إلغاء",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "إنشاء حساب",
|
"Create Account": "إنشاء حساب",
|
||||||
"Create Admin Account": "إنشاء حساب مسؤول",
|
"Create Admin Account": "إنشاء حساب مسؤول",
|
||||||
"Create Channel": "إنشاء قناة",
|
"Create Channel": "إنشاء قناة",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "إنشاء مجموعة",
|
"Create Group": "إنشاء مجموعة",
|
||||||
"Create Knowledge": "إنشاء معرفة",
|
"Create Knowledge": "إنشاء معرفة",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "أحذف هذا الرابط",
|
"delete this link": "أحذف هذا الرابط",
|
||||||
"Delete tool?": "هل تريد حذف الأداة؟",
|
"Delete tool?": "هل تريد حذف الأداة؟",
|
||||||
"Delete User": "حذف المستخدم",
|
"Delete User": "حذف المستخدم",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} حذف",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} حذف",
|
||||||
"Deleted {{name}}": "حذف {{name}}",
|
"Deleted {{name}}": "حذف {{name}}",
|
||||||
"Deleted User": "مستخدم محذوف",
|
"Deleted User": "مستخدم محذوف",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "عرض الرموز التعبيرية أثناء المكالمة",
|
"Display Emoji in Call": "عرض الرموز التعبيرية أثناء المكالمة",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "اعرض اسم المستخدم بدلاً منك في الدردشة",
|
"Display the username instead of You in the Chat": "اعرض اسم المستخدم بدلاً منك في الدردشة",
|
||||||
"Displays citations in the response": "عرض المراجع في الرد",
|
"Displays citations in the response": "عرض المراجع في الرد",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "تعديل الأذونات الافتراضية",
|
"Edit Default Permissions": "تعديل الأذونات الافتراضية",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "تعديل الذاكرة",
|
"Edit Memory": "تعديل الذاكرة",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "تعديل المستخدم",
|
"Edit User": "تعديل المستخدم",
|
||||||
"Edit User Group": "تعديل مجموعة المستخدمين",
|
"Edit User Group": "تعديل مجموعة المستخدمين",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "فشل في إضافة الملف.",
|
"Failed to add file.": "فشل في إضافة الملف.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "فشل في جلب النماذج",
|
"Failed to fetch models": "فشل في جلب النماذج",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة",
|
"Failed to read clipboard contents": "فشل في قراءة محتويات الحافظة",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "تم اكتشاف مسار نظام الملفات النموذجي. الاسم المختصر للنموذج مطلوب للتحديث، ولا يمكن الاستمرار.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "تم اكتشاف مسار نظام الملفات النموذجي. الاسم المختصر للنموذج مطلوب للتحديث، ولا يمكن الاستمرار.",
|
||||||
"Model Filtering": "تصفية النماذج",
|
"Model Filtering": "تصفية النماذج",
|
||||||
"Model ID": "رقم الموديل",
|
"Model ID": "رقم الموديل",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "معرّفات النماذج",
|
"Model IDs": "معرّفات النماذج",
|
||||||
"Model Name": "اسم النموذج",
|
"Model Name": "اسم النموذج",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "الأسم",
|
"Name": "الأسم",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "قم بتسمية قاعدة معرفتك",
|
"Name your knowledge base": "قم بتسمية قاعدة معرفتك",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "الرجاء تعبئة جميع الحقول.",
|
"Please fill in all fields.": "الرجاء تعبئة جميع الحقول.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "الرجاء اختيار نموذج أولاً.",
|
"Please select a model first.": "الرجاء اختيار نموذج أولاً.",
|
||||||
|
|
@ -1651,6 +1664,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "تحديث",
|
"Update": "تحديث",
|
||||||
"Update and Copy Link": "تحديث ونسخ الرابط",
|
"Update and Copy Link": "تحديث ونسخ الرابط",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "حدّث للحصول على أحدث الميزات والتحسينات.",
|
"Update for the latest features and improvements.": "حدّث للحصول على أحدث الميزات والتحسينات.",
|
||||||
"Update password": "تحديث كلمة المرور",
|
"Update password": "تحديث كلمة المرور",
|
||||||
"Updated": "تم التحديث",
|
"Updated": "تم التحديث",
|
||||||
|
|
@ -1766,5 +1780,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "سيتم توجيه كامل مساهمتك مباشرة إلى مطور المكون الإضافي؛ لا تأخذ CyberLover أي نسبة. ومع ذلك، قد تفرض منصة التمويل المختارة رسومًا خاصة بها.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "سيتم توجيه كامل مساهمتك مباشرة إلى مطور المكون الإضافي؛ لا تأخذ CyberLover أي نسبة. ومع ذلك، قد تفرض منصة التمويل المختارة رسومًا خاصة بها.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "لغة YouTube",
|
"Youtube Language": "لغة YouTube",
|
||||||
"Youtube Proxy URL": "رابط بروكسي YouTube"
|
"Youtube Proxy URL": "رابط بروكسي YouTube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Добавяне на група",
|
"Add Group": "Добавяне на група",
|
||||||
"Add Memory": "Добавяне на Памет",
|
"Add Memory": "Добавяне на Памет",
|
||||||
"Add Model": "Добавяне на Модел",
|
"Add Model": "Добавяне на Модел",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Добавяне на реакция",
|
"Add Reaction": "Добавяне на реакция",
|
||||||
"Add Tag": "Добавяне на таг",
|
"Add Tag": "Добавяне на таг",
|
||||||
"Add Tags": "Добавяне на тагове",
|
"Add Tags": "Добавяне на тагове",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Добавяне на потребител",
|
"Add User": "Добавяне на потребител",
|
||||||
"Add User Group": "Добавяне на потребителска група",
|
"Add User Group": "Добавяне на потребителска група",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Април",
|
"April": "Април",
|
||||||
"Archive": "Архивирани Чатове",
|
"Archive": "Архивирани Чатове",
|
||||||
"Archive All Chats": "Архивирай Всички чатове",
|
"Archive All Chats": "Архивирай Всички чатове",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Архивирани Чатове",
|
"Archived Chats": "Архивирани Чатове",
|
||||||
"archived-chat-export": "експорт-на-архивирани-чатове",
|
"archived-chat-export": "експорт-на-архивирани-чатове",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Сигурни ли сте, че исткате да изчистите всички спомени? Това е необратимо.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Сигурни ли сте, че исткате да изчистите всички спомени? Това е необратимо.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Банери",
|
"Banners": "Банери",
|
||||||
"Base Model (From)": "Базов модел (от)",
|
"Base Model (From)": "Базов модел (от)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "преди",
|
"before": "преди",
|
||||||
"Being lazy": "Мързелив е",
|
"Being lazy": "Мързелив е",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Календар",
|
"Calendar": "Календар",
|
||||||
"Call": "Обаждане",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Функцията за обаждане не се поддържа при използването на Web STT двигател",
|
"Call feature is not supported when using Web STT engine": "Функцията за обаждане не се поддържа при използването на Web STT двигател",
|
||||||
"Camera": "Камера",
|
"Camera": "Камера",
|
||||||
"Cancel": "Отказ",
|
"Cancel": "Отказ",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Създаване на Акаунт",
|
"Create Account": "Създаване на Акаунт",
|
||||||
"Create Admin Account": "Създаване на администраторски акаунт",
|
"Create Admin Account": "Създаване на администраторски акаунт",
|
||||||
"Create Channel": "Създаване на канал",
|
"Create Channel": "Създаване на канал",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Създаване на група",
|
"Create Group": "Създаване на група",
|
||||||
"Create Knowledge": "Създаване на знания",
|
"Create Knowledge": "Създаване на знания",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "Изтриване на този линк",
|
"delete this link": "Изтриване на този линк",
|
||||||
"Delete tool?": "Изтриване на инструмента?",
|
"Delete tool?": "Изтриване на инструмента?",
|
||||||
"Delete User": "Изтриване на потребител",
|
"Delete User": "Изтриване на потребител",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Изтрито {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Изтрито {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Изтрито {{name}}",
|
"Deleted {{name}}": "Изтрито {{name}}",
|
||||||
"Deleted User": "Изтрит потребител",
|
"Deleted User": "Изтрит потребител",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Показване на емотикони в обаждането",
|
"Display Emoji in Call": "Показване на емотикони в обаждането",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Показване на потребителското име вместо Вие в чата",
|
"Display the username instead of You in the Chat": "Показване на потребителското име вместо Вие в чата",
|
||||||
"Displays citations in the response": "Показвам цитати в отговора",
|
"Displays citations in the response": "Показвам цитати в отговора",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Редактиране на разрешения по подразбиране",
|
"Edit Default Permissions": "Редактиране на разрешения по подразбиране",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Редактиране на памет",
|
"Edit Memory": "Редактиране на памет",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Редактиране на потребител",
|
"Edit User": "Редактиране на потребител",
|
||||||
"Edit User Group": "Редактиране на потребителска група",
|
"Edit User Group": "Редактиране на потребителска група",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Неуспешно добавяне на файл.",
|
"Failed to add file.": "Неуспешно добавяне на файл.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Неуспешно извличане на модели",
|
"Failed to fetch models": "Неуспешно извличане на модели",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Грешка при четене на съдържанието от клипборда",
|
"Failed to read clipboard contents": "Грешка при четене на съдържанието от клипборда",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Открит е път до файловата система на модела. За актуализацията се изисква съкратено име на модела, не може да продължи.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Открит е път до файловата система на модела. За актуализацията се изисква съкратено име на модела, не може да продължи.",
|
||||||
"Model Filtering": "Филтриране на модели",
|
"Model Filtering": "Филтриране на модели",
|
||||||
"Model ID": "ИД на модел",
|
"Model ID": "ИД на модел",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "ИД-та на моделите",
|
"Model IDs": "ИД-та на моделите",
|
||||||
"Model Name": "Име на модел",
|
"Model Name": "Име на модел",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Име",
|
"Name": "Име",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Именувайте вашата база от знания",
|
"Name your knowledge base": "Именувайте вашата база от знания",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Моля, попълнете всички полета.",
|
"Please fill in all fields.": "Моля, попълнете всички полета.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Моля, първо изберете модела.",
|
"Please select a model first.": "Моля, първо изберете модела.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Неозаглавен",
|
"Untitled": "Неозаглавен",
|
||||||
"Update": "Актуализиране",
|
"Update": "Актуализиране",
|
||||||
"Update and Copy Link": "Обнови и копирай връзката",
|
"Update and Copy Link": "Обнови и копирай връзката",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Актуализирайте за най-новите функции и подобрения.",
|
"Update for the latest features and improvements.": "Актуализирайте за най-новите функции и подобрения.",
|
||||||
"Update password": "Обновяване на парола",
|
"Update password": "Обновяване на парола",
|
||||||
"Updated": "Актуализирано",
|
"Updated": "Актуализирано",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Цялата ви вноска ще отиде директно при разработчика на плъгина; CyberLover не взима никакъв процент. Въпреки това, избраната платформа за финансиране може да има свои собствени такси.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Цялата ви вноска ще отиде директно при разработчика на плъгина; CyberLover не взима никакъв процент. Въпреки това, избраната платформа за финансиране може да има свои собствени такси.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube език",
|
"Youtube Language": "Youtube език",
|
||||||
"Youtube Proxy URL": "Youtube Прокси URL"
|
"Youtube Proxy URL": "Youtube Прокси URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "মেমোরি যোগ করুন",
|
"Add Memory": "মেমোরি যোগ করুন",
|
||||||
"Add Model": "মডেল যোগ করুন",
|
"Add Model": "মডেল যোগ করুন",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "ট্যাগ যোগ করুন",
|
"Add Tags": "ট্যাগ যোগ করুন",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "ইউজার যোগ করুন",
|
"Add User": "ইউজার যোগ করুন",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "আপ্রিল",
|
"April": "আপ্রিল",
|
||||||
"Archive": "আর্কাইভ",
|
"Archive": "আর্কাইভ",
|
||||||
"Archive All Chats": "আর্কাইভ করুন সকল চ্যাট",
|
"Archive All Chats": "আর্কাইভ করুন সকল চ্যাট",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "চ্যাট ইতিহাস সংরক্ষণাগার",
|
"Archived Chats": "চ্যাট ইতিহাস সংরক্ষণাগার",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "ব্যানার",
|
"Banners": "ব্যানার",
|
||||||
"Base Model (From)": "বেস মডেল (থেকে)",
|
"Base Model (From)": "বেস মডেল (থেকে)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "পূর্ববর্তী",
|
"before": "পূর্ববর্তী",
|
||||||
"Being lazy": "অলস হওয়া",
|
"Being lazy": "অলস হওয়া",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "বাতিল",
|
"Cancel": "বাতিল",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "একাউন্ট তৈরি করুন",
|
"Create Account": "একাউন্ট তৈরি করুন",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "এই লিংক মুছে ফেলুন",
|
"delete this link": "এই লিংক মুছে ফেলুন",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "ইউজার মুছে ফেলুন",
|
"Delete User": "ইউজার মুছে ফেলুন",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} মুছে ফেলা হয়েছে",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} মুছে ফেলা হয়েছে",
|
||||||
"Deleted {{name}}": "{{name}} মোছা হয়েছে",
|
"Deleted {{name}}": "{{name}} মোছা হয়েছে",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "চ্যাটে 'আপনি'-র পরবর্তে ইউজারনেম দেখান",
|
"Display the username instead of You in the Chat": "চ্যাটে 'আপনি'-র পরবর্তে ইউজারনেম দেখান",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "ইউজার এডিট করুন",
|
"Edit User": "ইউজার এডিট করুন",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "ক্লিপবোর্ডের বিষয়বস্তু পড়া সম্ভব হয়নি",
|
"Failed to read clipboard contents": "ক্লিপবোর্ডের বিষয়বস্তু পড়া সম্ভব হয়নি",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "মডেল ফাইলসিস্টেম পাথ পাওয়া গেছে। আপডেটের জন্য মডেলের শর্টনেম আবশ্যক, এগিয়ে যাওয়া যাচ্ছে না।",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "মডেল ফাইলসিস্টেম পাথ পাওয়া গেছে। আপডেটের জন্য মডেলের শর্টনেম আবশ্যক, এগিয়ে যাওয়া যাচ্ছে না।",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "মডেল ID",
|
"Model ID": "মডেল ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "নাম",
|
"Name": "নাম",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "আপডেট এবং লিংক কপি করুন",
|
"Update and Copy Link": "আপডেট এবং লিংক কপি করুন",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "পাসওয়ার্ড আপডেট করুন",
|
"Update password": "পাসওয়ার্ড আপডেট করুন",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "ཚོགས་པ་སྣོན་པ།",
|
"Add Group": "ཚོགས་པ་སྣོན་པ།",
|
||||||
"Add Memory": "དྲན་ཤེས་སྣོན་པ།",
|
"Add Memory": "དྲན་ཤེས་སྣོན་པ།",
|
||||||
"Add Model": "དཔེ་དབྱིབས་སྣོན་པ།",
|
"Add Model": "དཔེ་དབྱིབས་སྣོན་པ།",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "ཡ་ལན་སྣོན་པ།",
|
"Add Reaction": "ཡ་ལན་སྣོན་པ།",
|
||||||
"Add Tag": "རྟགས་སྣོན་པ།",
|
"Add Tag": "རྟགས་སྣོན་པ།",
|
||||||
"Add Tags": "རྟགས་ཚུ་སྣོན་པ།",
|
"Add Tags": "རྟགས་ཚུ་སྣོན་པ།",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "བེད་སྤྱོད་མཁན་སྣོན་པ།",
|
"Add User": "བེད་སྤྱོད་མཁན་སྣོན་པ།",
|
||||||
"Add User Group": "བེད་སྤྱོད་མཁན་ཚོགས་པ་སྣོན་པ།",
|
"Add User Group": "བེད་སྤྱོད་མཁན་ཚོགས་པ་སྣོན་པ།",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "ཟླ་བཞི་པ།",
|
"April": "ཟླ་བཞི་པ།",
|
||||||
"Archive": "ཡིག་མཛོད།",
|
"Archive": "ཡིག་མཛོད།",
|
||||||
"Archive All Chats": "ཁ་བརྡ་ཡོངས་རྫོགས་ཡིག་མཛོད་དུ་འཇུག་པ།",
|
"Archive All Chats": "ཁ་བརྡ་ཡོངས་རྫོགས་ཡིག་མཛོད་དུ་འཇུག་པ།",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "ཡིག་མཛོད་དུ་བཞག་པའི་ཁ་བརྡ།",
|
"Archived Chats": "ཡིག་མཛོད་དུ་བཞག་པའི་ཁ་བརྡ།",
|
||||||
"archived-chat-export": "ཡིག་མཛོད་ཁ་བརྡ་ཕྱིར་གཏོང་།",
|
"archived-chat-export": "ཡིག་མཛོད་ཁ་བརྡ་ཕྱིར་གཏོང་།",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "དྲན་ཤེས་ཡོངས་རྫོགས་བསུབ་འདོད་ཡོད་དམ། བྱ་སྤྱོད་འདི་ཕྱིར་ལྡོག་བྱེད་མི་ཐུབ།",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "དྲན་ཤེས་ཡོངས་རྫོགས་བསུབ་འདོད་ཡོད་དམ། བྱ་སྤྱོད་འདི་ཕྱིར་ལྡོག་བྱེད་མི་ཐུབ།",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "དར་ཆ།",
|
"Banners": "དར་ཆ།",
|
||||||
"Base Model (From)": "གཞི་རྩའི་དཔེ་དབྱིབས། (ནས།)",
|
"Base Model (From)": "གཞི་རྩའི་དཔེ་དབྱིབས། (ནས།)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "སྔོན།",
|
"before": "སྔོན།",
|
||||||
"Being lazy": "ལེ་ལོ་བྱེད་པ།",
|
"Being lazy": "ལེ་ལོ་བྱེད་པ།",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "ལོ་ཐོ།",
|
"Calendar": "ལོ་ཐོ།",
|
||||||
"Call": "སྐད་འབོད།",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Web STT མ་ལག་སྤྱོད་སྐབས་སྐད་འབོད་ཀྱི་ཁྱད་ཆོས་ལ་རྒྱབ་སྐྱོར་མེད།",
|
"Call feature is not supported when using Web STT engine": "Web STT མ་ལག་སྤྱོད་སྐབས་སྐད་འབོད་ཀྱི་ཁྱད་ཆོས་ལ་རྒྱབ་སྐྱོར་མེད།",
|
||||||
"Camera": "པར་ཆས།",
|
"Camera": "པར་ཆས།",
|
||||||
"Cancel": "རྩིས་མེད།",
|
"Cancel": "རྩིས་མེད།",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "རྩིས་ཁྲ་གསར་བཟོ།",
|
"Create Account": "རྩིས་ཁྲ་གསར་བཟོ།",
|
||||||
"Create Admin Account": "དོ་དམ་པའི་རྩིས་ཁྲ་གསར་བཟོ།",
|
"Create Admin Account": "དོ་དམ་པའི་རྩིས་ཁྲ་གསར་བཟོ།",
|
||||||
"Create Channel": "བགྲོ་གླེང་གསར་བཟོ།",
|
"Create Channel": "བགྲོ་གླེང་གསར་བཟོ།",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "ཚོགས་པ་གསར་བཟོ།",
|
"Create Group": "ཚོགས་པ་གསར་བཟོ།",
|
||||||
"Create Knowledge": "ཤེས་བྱ་གསར་བཟོ།",
|
"Create Knowledge": "ཤེས་བྱ་གསར་བཟོ།",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "སྦྲེལ་ཐག་འདི་བསུབ་པ།",
|
"delete this link": "སྦྲེལ་ཐག་འདི་བསུབ་པ།",
|
||||||
"Delete tool?": "ལག་ཆ་བསུབ་པ།?",
|
"Delete tool?": "ལག་ཆ་བསུབ་པ།?",
|
||||||
"Delete User": "བེད་སྤྱོད་མཁན་བསུབ་པ།",
|
"Delete User": "བེད་སྤྱོད་མཁན་བསུབ་པ།",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} བསུབས་ཟིན།",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} བསུབས་ཟིན།",
|
||||||
"Deleted {{name}}": "{{name}} བསུབས་ཟིན།",
|
"Deleted {{name}}": "{{name}} བསུབས་ཟིན།",
|
||||||
"Deleted User": "བེད་སྤྱོད་མཁན་བསུབས་ཟིན།",
|
"Deleted User": "བེད་སྤྱོད་མཁན་བསུབས་ཟིན།",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "སྐད་འབོད་ནང་ Emoji འཆར་སྟོན་བྱེད་པ།",
|
"Display Emoji in Call": "སྐད་འབོད་ནང་ Emoji འཆར་སྟོན་བྱེད་པ།",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "ཁ་བརྡའི་ནང་ 'ཁྱེད་' ཀྱི་ཚབ་ཏུ་བེད་སྤྱོད་མིང་འཆར་སྟོན་བྱེད་པ།",
|
"Display the username instead of You in the Chat": "ཁ་བརྡའི་ནང་ 'ཁྱེད་' ཀྱི་ཚབ་ཏུ་བེད་སྤྱོད་མིང་འཆར་སྟོན་བྱེད་པ།",
|
||||||
"Displays citations in the response": "ལན་ནང་ལུང་འདྲེན་འཆར་སྟོན་བྱེད་པ།",
|
"Displays citations in the response": "ལན་ནང་ལུང་འདྲེན་འཆར་སྟོན་བྱེད་པ།",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "སྔོན་སྒྲིག་དབང་ཚད་ཞུ་དག",
|
"Edit Default Permissions": "སྔོན་སྒྲིག་དབང་ཚད་ཞུ་དག",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "དྲན་ཤེས་ཞུ་དག",
|
"Edit Memory": "དྲན་ཤེས་ཞུ་དག",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "བེད་སྤྱོད་མཁན་ཞུ་དག",
|
"Edit User": "བེད་སྤྱོད་མཁན་ཞུ་དག",
|
||||||
"Edit User Group": "བེད་སྤྱོད་མཁན་ཚོགས་པ་ཞུ་དག",
|
"Edit User Group": "བེད་སྤྱོད་མཁན་ཚོགས་པ་ཞུ་དག",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "ཡིག་ཆ་སྣོན་པར་མ་ཐུབ།",
|
"Failed to add file.": "ཡིག་ཆ་སྣོན་པར་མ་ཐུབ།",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI ལག་ཆའི་སར་བར་ལ་སྦྲེལ་མཐུད་བྱེད་མ་ཐུབ།",
|
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI ལག་ཆའི་སར་བར་ལ་སྦྲེལ་མཐུད་བྱེད་མ་ཐུབ།",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "དཔེ་དབྱིབས་ལེན་པར་མ་ཐུབ།",
|
"Failed to fetch models": "དཔེ་དབྱིབས་ལེན་པར་མ་ཐུབ།",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "སྦྱར་སྡེར་གྱི་ནང་དོན་ཀློག་མ་ཐུབ།",
|
"Failed to read clipboard contents": "སྦྱར་སྡེར་གྱི་ནང་དོན་ཀློག་མ་ཐུབ།",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "དཔེ་དབྱིབས་ཀྱི་ཡིག་ཆ་མ་ལག་ལམ་བུ་རྙེད་སོང་། གསར་སྒྱུར་གྱི་ཆེད་དུ་དཔེ་དབྱིབས་ཀྱི་མིང་ཐུང་ངུ་དགོས། མུ་མཐུད་མི་ཐུབ།",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "དཔེ་དབྱིབས་ཀྱི་ཡིག་ཆ་མ་ལག་ལམ་བུ་རྙེད་སོང་། གསར་སྒྱུར་གྱི་ཆེད་དུ་དཔེ་དབྱིབས་ཀྱི་མིང་ཐུང་ངུ་དགོས། མུ་མཐུད་མི་ཐུབ།",
|
||||||
"Model Filtering": "དཔེ་དབྱིབས་འཚག་མ།",
|
"Model Filtering": "དཔེ་དབྱིབས་འཚག་མ།",
|
||||||
"Model ID": "དཔེ་དབྱིབས་ཀྱི་ ID",
|
"Model ID": "དཔེ་དབྱིབས་ཀྱི་ ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "དཔེ་དབྱིབས་ཀྱི་ IDs",
|
"Model IDs": "དཔེ་དབྱིབས་ཀྱི་ IDs",
|
||||||
"Model Name": "དཔེ་དབྱིབས་ཀྱི་མིང་།",
|
"Model Name": "དཔེ་དབྱིབས་ཀྱི་མིང་།",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "མིང་།",
|
"Name": "མིང་།",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "ཁྱེད་ཀྱི་ཤེས་བྱའི་རྟེན་གཞི་ལ་མིང་ཐོགས།",
|
"Name your knowledge base": "ཁྱེད་ཀྱི་ཤེས་བྱའི་རྟེན་གཞི་ལ་མིང་ཐོགས།",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "ཁོངས་ཡོངས་རྫོགས་ཁ་སྐོང་རོགས།",
|
"Please fill in all fields.": "ཁོངས་ཡོངས་རྫོགས་ཁ་སྐོང་རོགས།",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "ཐོག་མར་དཔེ་དབྱིབས་ཤིག་གདམ་ག་བྱེད་རོགས།",
|
"Please select a model first.": "ཐོག་མར་དཔེ་དབྱིབས་ཤིག་གདམ་ག་བྱེད་རོགས།",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "གསར་སྒྱུར།",
|
"Update": "གསར་སྒྱུར།",
|
||||||
"Update and Copy Link": "གསར་སྒྱུར་དང་སྦྲེལ་ཐག་འདྲ་བཤུས།",
|
"Update and Copy Link": "གསར་སྒྱུར་དང་སྦྲེལ་ཐག་འདྲ་བཤུས།",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "ཁྱད་ཆོས་དང་ལེགས་བཅོས་གསར་ཤོས་ཀྱི་ཆེད་དུ་གསར་སྒྱུར་བྱེད་པ།",
|
"Update for the latest features and improvements.": "ཁྱད་ཆོས་དང་ལེགས་བཅོས་གསར་ཤོས་ཀྱི་ཆེད་དུ་གསར་སྒྱུར་བྱེད་པ།",
|
||||||
"Update password": "གསང་གྲངས་གསར་སྒྱུར།",
|
"Update password": "གསང་གྲངས་གསར་སྒྱུར།",
|
||||||
"Updated": "གསར་སྒྱུར་བྱས།",
|
"Updated": "གསར་སྒྱུར་བྱས།",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "ཁྱེད་ཀྱི་ཞལ་འདེབས་ཆ་ཚང་ཐད་ཀར་ plugin གསར་སྤེལ་བ་ལ་འགྲོ་ངེས། CyberLover ཡིས་བརྒྱ་ཆ་གང་ཡང་མི་ལེན། འོན་ཀྱང་། གདམ་ཟིན་པའི་མ་དངུལ་གཏོང་བའི་སྟེགས་བུ་ལ་དེའི་རང་གི་འགྲོ་གྲོན་ཡོད་སྲིད།",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "ཁྱེད་ཀྱི་ཞལ་འདེབས་ཆ་ཚང་ཐད་ཀར་ plugin གསར་སྤེལ་བ་ལ་འགྲོ་ངེས། CyberLover ཡིས་བརྒྱ་ཆ་གང་ཡང་མི་ལེན། འོན་ཀྱང་། གདམ་ཟིན་པའི་མ་དངུལ་གཏོང་བའི་སྟེགས་བུ་ལ་དེའི་རང་གི་འགྲོ་གྲོན་ཡོད་སྲིད།",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube སྐད་ཡིག",
|
"Youtube Language": "Youtube སྐད་ཡིག",
|
||||||
"Youtube Proxy URL": "Youtube Proxy URL"
|
"Youtube Proxy URL": "Youtube Proxy URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "Dodaj memoriju",
|
"Add Memory": "Dodaj memoriju",
|
||||||
"Add Model": "Dodaj model",
|
"Add Model": "Dodaj model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "Dodaj oznake",
|
"Add Tags": "Dodaj oznake",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Dodaj korisnika",
|
"Add User": "Dodaj korisnika",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "April",
|
"April": "April",
|
||||||
"Archive": "Arhiva",
|
"Archive": "Arhiva",
|
||||||
"Archive All Chats": "Arhivirajte sve razgovore",
|
"Archive All Chats": "Arhivirajte sve razgovore",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arhivirani razgovori",
|
"Archived Chats": "Arhivirani razgovori",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Baneri",
|
"Banners": "Baneri",
|
||||||
"Base Model (From)": "Osnovni model (Od)",
|
"Base Model (From)": "Osnovni model (Od)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "prije",
|
"before": "prije",
|
||||||
"Being lazy": "Biti lijen",
|
"Being lazy": "Biti lijen",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Poziv",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Značajka poziva nije podržana kada se koristi Web STT mehanizam",
|
"Call feature is not supported when using Web STT engine": "Značajka poziva nije podržana kada se koristi Web STT mehanizam",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Otkaži",
|
"Cancel": "Otkaži",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Stvori račun",
|
"Create Account": "Stvori račun",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "izbriši ovu vezu",
|
"delete this link": "izbriši ovu vezu",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "Izbriši korisnika",
|
"Delete User": "Izbriši korisnika",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Izbrisan {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Izbrisan {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Izbrisano {{name}}",
|
"Deleted {{name}}": "Izbrisano {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Prikaži korisničko ime umjesto Vas u razgovoru",
|
"Display the username instead of You in the Chat": "Prikaži korisničko ime umjesto Vas u razgovoru",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Uredi korisnika",
|
"Edit User": "Uredi korisnika",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika",
|
"Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Otkriven put datotečnog sustava modela. Kratko ime modela je potrebno za ažuriranje, nije moguće nastaviti.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Otkriven put datotečnog sustava modela. Kratko ime modela je potrebno za ažuriranje, nije moguće nastaviti.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ID modela",
|
"Model ID": "ID modela",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Ime",
|
"Name": "Ime",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "Ažuriraj i kopiraj vezu",
|
"Update and Copy Link": "Ažuriraj i kopiraj vezu",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "Ažuriraj lozinku",
|
"Update password": "Ažuriraj lozinku",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Afegir grup",
|
"Add Group": "Afegir grup",
|
||||||
"Add Memory": "Afegir memòria",
|
"Add Memory": "Afegir memòria",
|
||||||
"Add Model": "Afegir un model",
|
"Add Model": "Afegir un model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Afegir reacció",
|
"Add Reaction": "Afegir reacció",
|
||||||
"Add Tag": "Afegir etiqueta",
|
"Add Tag": "Afegir etiqueta",
|
||||||
"Add Tags": "Afegir etiquetes",
|
"Add Tags": "Afegir etiquetes",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Afegir un usuari",
|
"Add User": "Afegir un usuari",
|
||||||
"Add User Group": "Afegir grup d'usuaris",
|
"Add User Group": "Afegir grup d'usuaris",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Configuració addicional",
|
"Additional Config": "Configuració addicional",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opcions de configuració addicionals per al marcador. Hauria de ser una cadena JSON amb parelles clau-valor. Per exemple, '{\"key\": \"value\"}'. Les claus compatibles inclouen: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opcions de configuració addicionals per al marcador. Hauria de ser una cadena JSON amb parelles clau-valor. Per exemple, '{\"key\": \"value\"}'. Les claus compatibles inclouen: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
||||||
"Additional Parameters": "Paràmetres addicionals",
|
"Additional Parameters": "Paràmetres addicionals",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Abril",
|
"April": "Abril",
|
||||||
"Archive": "Arxiu",
|
"Archive": "Arxiu",
|
||||||
"Archive All Chats": "Arxiva tots els xats",
|
"Archive All Chats": "Arxiva tots els xats",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Xats arxivats",
|
"Archived Chats": "Xats arxivats",
|
||||||
"archived-chat-export": "archived-chat-export",
|
"archived-chat-export": "archived-chat-export",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Estàs segur que vols netejar totes les memòries? Aquesta acció no es pot desfer.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Estàs segur que vols netejar totes les memòries? Aquesta acció no es pot desfer.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Banners",
|
"Banners": "Banners",
|
||||||
"Base Model (From)": "Model base (des de)",
|
"Base Model (From)": "Model base (des de)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "La memòria cau de la llista de models base accelera l'accés obtenint els models base només a l'inici o en desar la configuració; és més ràpid, però és possible que no mostri els canvis recents del model base.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "La memòria cau de la llista de models base accelera l'accés obtenint els models base només a l'inici o en desar la configuració; és més ràpid, però és possible que no mostri els canvis recents del model base.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "abans",
|
"before": "abans",
|
||||||
"Being lazy": "Essent mandrós",
|
"Being lazy": "Essent mandrós",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Ometre el càrregador web",
|
"Bypass Web Loader": "Ometre el càrregador web",
|
||||||
"Cache Base Model List": "Llista de models base en memòria cau",
|
"Cache Base Model List": "Llista de models base en memòria cau",
|
||||||
"Calendar": "Calendari",
|
"Calendar": "Calendari",
|
||||||
"Call": "Trucada",
|
|
||||||
"Call feature is not supported when using Web STT engine": "La funció de trucada no s'admet quan s'utilitza el motor Web STT",
|
"Call feature is not supported when using Web STT engine": "La funció de trucada no s'admet quan s'utilitza el motor Web STT",
|
||||||
"Camera": "Càmera",
|
"Camera": "Càmera",
|
||||||
"Cancel": "Cancel·lar",
|
"Cancel": "Cancel·lar",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Crear un compte",
|
"Create Account": "Crear un compte",
|
||||||
"Create Admin Account": "Crear un compte d'Administrador",
|
"Create Admin Account": "Crear un compte d'Administrador",
|
||||||
"Create Channel": "Crear un canal",
|
"Create Channel": "Crear un canal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Crear carpeta",
|
"Create Folder": "Crear carpeta",
|
||||||
"Create Group": "Crear grup",
|
"Create Group": "Crear grup",
|
||||||
"Create Knowledge": "Crear Coneixement",
|
"Create Knowledge": "Crear Coneixement",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "Eliminar aquest enllaç",
|
"delete this link": "Eliminar aquest enllaç",
|
||||||
"Delete tool?": "Eliminar eina?",
|
"Delete tool?": "Eliminar eina?",
|
||||||
"Delete User": "Eliminar usuari",
|
"Delete User": "Eliminar usuari",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "S'ha eliminat {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "S'ha eliminat {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "S'ha eliminat {{name}}",
|
"Deleted {{name}}": "S'ha eliminat {{name}}",
|
||||||
"Deleted User": "Usuari eliminat",
|
"Deleted User": "Usuari eliminat",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "Mostrar el títol del xat a la pestanya",
|
"Display chat title in tab": "Mostrar el títol del xat a la pestanya",
|
||||||
"Display Emoji in Call": "Mostrar emojis a la trucada",
|
"Display Emoji in Call": "Mostrar emojis a la trucada",
|
||||||
"Display Multi-model Responses in Tabs": "Mostrar respostes multi-model a les pestanyes",
|
"Display Multi-model Responses in Tabs": "Mostrar respostes multi-model a les pestanyes",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Mostrar el nom d'usuari en lloc de 'Tu' al xat",
|
"Display the username instead of You in the Chat": "Mostrar el nom d'usuari en lloc de 'Tu' al xat",
|
||||||
"Displays citations in the response": "Mostra les referències a la resposta",
|
"Displays citations in the response": "Mostra les referències a la resposta",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Mostra actualitzacions d'estat (per exemple, progrés de la cerca web) a la resposta",
|
"Displays status updates (e.g., web search progress) in the response": "Mostra actualitzacions d'estat (per exemple, progrés de la cerca web) a la resposta",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Editar el permisos per defecte",
|
"Edit Default Permissions": "Editar el permisos per defecte",
|
||||||
"Edit Folder": "Editar la carpeta",
|
"Edit Folder": "Editar la carpeta",
|
||||||
"Edit Memory": "Editar la memòria",
|
"Edit Memory": "Editar la memòria",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Editar l'usuari",
|
"Edit User": "Editar l'usuari",
|
||||||
"Edit User Group": "Editar el grup d'usuaris",
|
"Edit User Group": "Editar el grup d'usuaris",
|
||||||
"edited": "editat",
|
"edited": "editat",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL d'External Web Search",
|
"External Web Search URL": "URL d'External Web Search",
|
||||||
"Fade Effect for Streaming Text": "Efecte de fos a negre per al text en streaming",
|
"Fade Effect for Streaming Text": "Efecte de fos a negre per al text en streaming",
|
||||||
"Failed to add file.": "No s'ha pogut afegir l'arxiu.",
|
"Failed to add file.": "No s'ha pogut afegir l'arxiu.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "No s'ha pogut connecta al servidor d'eines OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "No s'ha pogut connecta al servidor d'eines OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "No s'ha pogut copiar l'enllaç",
|
"Failed to copy link": "No s'ha pogut copiar l'enllaç",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "No s'han pogut obtenir els models",
|
"Failed to fetch models": "No s'han pogut obtenir els models",
|
||||||
"Failed to generate title": "No s'ha pogut generar el títol",
|
"Failed to generate title": "No s'ha pogut generar el títol",
|
||||||
"Failed to import models": "No s'han pogut importar el models",
|
"Failed to import models": "No s'han pogut importar el models",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "No s'ha pogut carregar la previsualització del xat",
|
"Failed to load chat preview": "No s'ha pogut carregar la previsualització del xat",
|
||||||
"Failed to load file content.": "No s'ha pogut carregar el contingut del fitxer",
|
"Failed to load file content.": "No s'ha pogut carregar el contingut del fitxer",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "No s'ha pogut moure el xat",
|
"Failed to move chat": "No s'ha pogut moure el xat",
|
||||||
"Failed to read clipboard contents": "No s'ha pogut llegir el contingut del porta-retalls",
|
"Failed to read clipboard contents": "No s'ha pogut llegir el contingut del porta-retalls",
|
||||||
"Failed to render diagram": "No s'ha pogut renderitzar el diagrama",
|
"Failed to render diagram": "No s'ha pogut renderitzar el diagrama",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "S'ha detectat el camí del sistema de fitxers del model. És necessari un nom curt del model per actualitzar, no es pot continuar.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "S'ha detectat el camí del sistema de fitxers del model. És necessari un nom curt del model per actualitzar, no es pot continuar.",
|
||||||
"Model Filtering": "Filtrat de models",
|
"Model Filtering": "Filtrat de models",
|
||||||
"Model ID": "Identificador del model",
|
"Model ID": "Identificador del model",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "L'ID del model és necessari",
|
"Model ID is required.": "L'ID del model és necessari",
|
||||||
"Model IDs": "Identificadors del model",
|
"Model IDs": "Identificadors del model",
|
||||||
"Model Name": "Nom del model",
|
"Model Name": "Nom del model",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Més precís",
|
"More Concise": "Més precís",
|
||||||
"More Options": "Més opcions",
|
"More Options": "Més opcions",
|
||||||
"Move": "Moure",
|
"Move": "Moure",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nom",
|
"Name": "Nom",
|
||||||
"Name and ID are required, please fill them out": "El nom i l'ID són necessaris, emplena'ls, si us plau",
|
"Name and ID are required, please fill them out": "El nom i l'ID són necessaris, emplena'ls, si us plau",
|
||||||
"Name your knowledge base": "Anomena la teva base de coneixement",
|
"Name your knowledge base": "Anomena la teva base de coneixement",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Si us plau, entra una URL vàlida",
|
"Please enter a valid URL": "Si us plau, entra una URL vàlida",
|
||||||
"Please enter a valid URL.": "Si us plau, entra una URL vàlida.",
|
"Please enter a valid URL.": "Si us plau, entra una URL vàlida.",
|
||||||
"Please fill in all fields.": "Emplena tots els camps, si us plau.",
|
"Please fill in all fields.": "Emplena tots els camps, si us plau.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "Si us plau, registra el client OAuth",
|
"Please register the OAuth client": "Si us plau, registra el client OAuth",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "Si us plau, desa la connexió per conservar la informació del client OAuth i no canviïs l'ID.",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "Si us plau, desa la connexió per conservar la informació del client OAuth i no canviïs l'ID.",
|
||||||
"Please select a model first.": "Si us plau, selecciona un model primer",
|
"Please select a model first.": "Si us plau, selecciona un model primer",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "Sense títol",
|
"Untitled": "Sense títol",
|
||||||
"Update": "Actualitzar",
|
"Update": "Actualitzar",
|
||||||
"Update and Copy Link": "Actualitzar i copiar l'enllaç",
|
"Update and Copy Link": "Actualitzar i copiar l'enllaç",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Actualitza per a les darreres característiques i millores.",
|
"Update for the latest features and improvements.": "Actualitza per a les darreres característiques i millores.",
|
||||||
"Update password": "Actualitzar la contrasenya",
|
"Update password": "Actualitzar la contrasenya",
|
||||||
"Updated": "Actualitzat",
|
"Updated": "Actualitzat",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Tota la teva contribució anirà directament al desenvolupador del complement; CyberLover no se'n queda cap percentatge. Tanmateix, la plataforma de finançament escollida pot tenir les seves pròpies comissions.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Tota la teva contribució anirà directament al desenvolupador del complement; CyberLover no se'n queda cap percentatge. Tanmateix, la plataforma de finançament escollida pot tenir les seves pròpies comissions.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Idioma de YouTube",
|
"Youtube Language": "Idioma de YouTube",
|
||||||
"Youtube Proxy URL": "URL de Proxy de Youtube"
|
"Youtube Proxy URL": "URL de Proxy de Youtube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "",
|
"Add Memory": "",
|
||||||
"Add Model": "",
|
"Add Model": "",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "idugang ang mga tag",
|
"Add Tags": "idugang ang mga tag",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "",
|
"Add User": "",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "",
|
"April": "",
|
||||||
"Archive": "",
|
"Archive": "",
|
||||||
"Archive All Chats": "",
|
"Archive All Chats": "",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "pagrekord sa chat",
|
"Archived Chats": "pagrekord sa chat",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "",
|
"Banners": "",
|
||||||
"Base Model (From)": "",
|
"Base Model (From)": "",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "",
|
"before": "",
|
||||||
"Being lazy": "",
|
"Being lazy": "",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "Pagkanselar",
|
"Cancel": "Pagkanselar",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Paghimo og account",
|
"Create Account": "Paghimo og account",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "",
|
"delete this link": "",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "",
|
"Delete User": "",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} gipapas",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} gipapas",
|
||||||
"Deleted {{name}}": "",
|
"Deleted {{name}}": "",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Ipakita ang username imbes nga 'Ikaw' sa Panaghisgutan",
|
"Display the username instead of You in the Chat": "Ipakita ang username imbes nga 'Ikaw' sa Panaghisgutan",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "I-edit ang tiggamit",
|
"Edit User": "I-edit ang tiggamit",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Napakyas sa pagbasa sa sulod sa clipboard",
|
"Failed to read clipboard contents": "Napakyas sa pagbasa sa sulod sa clipboard",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "",
|
"Model ID": "",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Ngalan",
|
"Name": "Ngalan",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "",
|
"Update and Copy Link": "",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "I-update ang password",
|
"Update password": "I-update ang password",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "",
|
"YouTube": "",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Přidat skupinu",
|
"Add Group": "Přidat skupinu",
|
||||||
"Add Memory": "Přidat vzpomínku",
|
"Add Memory": "Přidat vzpomínku",
|
||||||
"Add Model": "Přidat model",
|
"Add Model": "Přidat model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Přidat reakci",
|
"Add Reaction": "Přidat reakci",
|
||||||
"Add Tag": "Přidat štítek",
|
"Add Tag": "Přidat štítek",
|
||||||
"Add Tags": "Přidat štítky",
|
"Add Tags": "Přidat štítky",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Přidat uživatele",
|
"Add User": "Přidat uživatele",
|
||||||
"Add User Group": "Přidat skupinu uživatelů",
|
"Add User Group": "Přidat skupinu uživatelů",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Dodatečná konfigurace",
|
"Additional Config": "Dodatečná konfigurace",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Další možnosti konfigurace pro marker. Měl by to být řetězec JSON s páry klíč-hodnota. Například: '{\"key\": \"value\"}'. Podporované klíče zahrnují: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Další možnosti konfigurace pro marker. Měl by to být řetězec JSON s páry klíč-hodnota. Například: '{\"key\": \"value\"}'. Podporované klíče zahrnují: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Duben",
|
"April": "Duben",
|
||||||
"Archive": "Archivovat",
|
"Archive": "Archivovat",
|
||||||
"Archive All Chats": "Archivovat všechny konverzace",
|
"Archive All Chats": "Archivovat všechny konverzace",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Archiv",
|
"Archived Chats": "Archiv",
|
||||||
"archived-chat-export": "export-archivovanych-konverzaci",
|
"archived-chat-export": "export-archivovanych-konverzaci",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Opravdu si přejete vymazat všechny vzpomínky? Tuto akci nelze vrátit zpět.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Opravdu si přejete vymazat všechny vzpomínky? Tuto akci nelze vrátit zpět.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Upozornění",
|
"Banners": "Upozornění",
|
||||||
"Base Model (From)": "Základní model (ze souboru)",
|
"Base Model (From)": "Základní model (ze souboru)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Mezipaměť seznamu základních modelů zrychluje přístup načítáním základních modelů pouze při spuštění nebo při uložení nastavení – je to rychlejší, ale nemusí zobrazovat nedávné změny základních modelů.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Mezipaměť seznamu základních modelů zrychluje přístup načítáním základních modelů pouze při spuštění nebo při uložení nastavení – je to rychlejší, ale nemusí zobrazovat nedávné změny základních modelů.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "před",
|
"before": "před",
|
||||||
"Being lazy": "Být líný",
|
"Being lazy": "Být líný",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Obejít webový zavaděč",
|
"Bypass Web Loader": "Obejít webový zavaděč",
|
||||||
"Cache Base Model List": "Ukládat seznam základních modelů do mezipaměti",
|
"Cache Base Model List": "Ukládat seznam základních modelů do mezipaměti",
|
||||||
"Calendar": "Kalendář",
|
"Calendar": "Kalendář",
|
||||||
"Call": "Volání",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Funkce volání není podporována při použití webového STT jádra.",
|
"Call feature is not supported when using Web STT engine": "Funkce volání není podporována při použití webového STT jádra.",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Zrušit",
|
"Cancel": "Zrušit",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Vytvořit účet",
|
"Create Account": "Vytvořit účet",
|
||||||
"Create Admin Account": "Vytvořit účet administrátora",
|
"Create Admin Account": "Vytvořit účet administrátora",
|
||||||
"Create Channel": "Vytvořit kanál",
|
"Create Channel": "Vytvořit kanál",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Vytvořit složku",
|
"Create Folder": "Vytvořit složku",
|
||||||
"Create Group": "Vytvořit skupinu",
|
"Create Group": "Vytvořit skupinu",
|
||||||
"Create Knowledge": "Vytvořit znalost",
|
"Create Knowledge": "Vytvořit znalost",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "smazat tento odkaz",
|
"delete this link": "smazat tento odkaz",
|
||||||
"Delete tool?": "Smazat nástroj?",
|
"Delete tool?": "Smazat nástroj?",
|
||||||
"Delete User": "Smazat uživatele",
|
"Delete User": "Smazat uživatele",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Smazáno {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Smazáno {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Smazáno {{name}}",
|
"Deleted {{name}}": "Smazáno {{name}}",
|
||||||
"Deleted User": "Smazaný uživatel",
|
"Deleted User": "Smazaný uživatel",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Zobrazit emoji při hovoru",
|
"Display Emoji in Call": "Zobrazit emoji při hovoru",
|
||||||
"Display Multi-model Responses in Tabs": "Zobrazit odpovědi více modelů v kartách",
|
"Display Multi-model Responses in Tabs": "Zobrazit odpovědi více modelů v kartách",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Zobrazit v konverzaci uživatelské jméno místo „Vy“",
|
"Display the username instead of You in the Chat": "Zobrazit v konverzaci uživatelské jméno místo „Vy“",
|
||||||
"Displays citations in the response": "Zobrazuje citace v odpovědi",
|
"Displays citations in the response": "Zobrazuje citace v odpovědi",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Zobrazuje aktualizace stavu (např. průběh vyhledávání na webu) v odpovědi",
|
"Displays status updates (e.g., web search progress) in the response": "Zobrazuje aktualizace stavu (např. průběh vyhledávání na webu) v odpovědi",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Upravit výchozí oprávnění",
|
"Edit Default Permissions": "Upravit výchozí oprávnění",
|
||||||
"Edit Folder": "Upravit složku",
|
"Edit Folder": "Upravit složku",
|
||||||
"Edit Memory": "Upravit vzpomínku",
|
"Edit Memory": "Upravit vzpomínku",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Upravit uživatele",
|
"Edit User": "Upravit uživatele",
|
||||||
"Edit User Group": "Upravit skupinu uživatelů",
|
"Edit User Group": "Upravit skupinu uživatelů",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL pro externí webové vyhledávání",
|
"External Web Search URL": "URL pro externí webové vyhledávání",
|
||||||
"Fade Effect for Streaming Text": "Efekt prolínání pro streamovaný text",
|
"Fade Effect for Streaming Text": "Efekt prolínání pro streamovaný text",
|
||||||
"Failed to add file.": "Nepodařilo se přidat soubor.",
|
"Failed to add file.": "Nepodařilo se přidat soubor.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Nepodařilo se připojit k serveru nástrojů OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Nepodařilo se připojit k serveru nástrojů OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Nepodařilo se zkopírovat odkaz",
|
"Failed to copy link": "Nepodařilo se zkopírovat odkaz",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Nepodařilo se načíst modely",
|
"Failed to fetch models": "Nepodařilo se načíst modely",
|
||||||
"Failed to generate title": "Nepodařilo se vygenerovat název",
|
"Failed to generate title": "Nepodařilo se vygenerovat název",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Nepodařilo se načíst náhled konverzace",
|
"Failed to load chat preview": "Nepodařilo se načíst náhled konverzace",
|
||||||
"Failed to load file content.": "Nepodařilo se načíst obsah souboru.",
|
"Failed to load file content.": "Nepodařilo se načíst obsah souboru.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Nepodařilo se přečíst obsah schránky",
|
"Failed to read clipboard contents": "Nepodařilo se přečíst obsah schránky",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Byla detekována cesta k souborovému systému modelu. Pro aktualizaci je vyžadován krátký název modelu, nelze pokračovat.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Byla detekována cesta k souborovému systému modelu. Pro aktualizaci je vyžadován krátký název modelu, nelze pokračovat.",
|
||||||
"Model Filtering": "Filtrování modelů",
|
"Model Filtering": "Filtrování modelů",
|
||||||
"Model ID": "ID modelu",
|
"Model ID": "ID modelu",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "ID modelu je vyžadováno.",
|
"Model ID is required.": "ID modelu je vyžadováno.",
|
||||||
"Model IDs": "ID modelů",
|
"Model IDs": "ID modelů",
|
||||||
"Model Name": "Název modelu",
|
"Model Name": "Název modelu",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Stručnější",
|
"More Concise": "Stručnější",
|
||||||
"More Options": "Další možnosti",
|
"More Options": "Další možnosti",
|
||||||
"Move": "Přesunout",
|
"Move": "Přesunout",
|
||||||
|
"My API": "",
|
||||||
"Name": "Jméno",
|
"Name": "Jméno",
|
||||||
"Name and ID are required, please fill them out": "Jméno a ID jsou povinné, prosím vyplňte je",
|
"Name and ID are required, please fill them out": "Jméno a ID jsou povinné, prosím vyplňte je",
|
||||||
"Name your knowledge base": "Pojmenujte svou znalostní bázi",
|
"Name your knowledge base": "Pojmenujte svou znalostní bázi",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Zadejte prosím platnou URL",
|
"Please enter a valid URL": "Zadejte prosím platnou URL",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Vyplňte prosím všechna pole.",
|
"Please fill in all fields.": "Vyplňte prosím všechna pole.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Nejprve prosím vyberte model.",
|
"Please select a model first.": "Nejprve prosím vyberte model.",
|
||||||
|
|
@ -1649,6 +1662,7 @@
|
||||||
"Untitled": "Bez názvu",
|
"Untitled": "Bez názvu",
|
||||||
"Update": "Aktualizovat",
|
"Update": "Aktualizovat",
|
||||||
"Update and Copy Link": "Aktualizovat a zkopírovat odkaz",
|
"Update and Copy Link": "Aktualizovat a zkopírovat odkaz",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Aktualizujte pro nejnovější funkce a vylepšení.",
|
"Update for the latest features and improvements.": "Aktualizujte pro nejnovější funkce a vylepšení.",
|
||||||
"Update password": "Aktualizovat heslo",
|
"Update password": "Aktualizovat heslo",
|
||||||
"Updated": "Aktualizováno",
|
"Updated": "Aktualizováno",
|
||||||
|
|
@ -1764,5 +1778,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Celý váš příspěvek půjde přímo vývojáři pluginu; CyberLover si nebere žádné procento. Zvolená platforma pro financování však může mít vlastní poplatky.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Celý váš příspěvek půjde přímo vývojáři pluginu; CyberLover si nebere žádné procento. Zvolená platforma pro financování však může mít vlastní poplatky.",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "Jazyk YouTube",
|
"Youtube Language": "Jazyk YouTube",
|
||||||
"Youtube Proxy URL": "Proxy URL pro YouTube"
|
"Youtube Proxy URL": "Proxy URL pro YouTube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Tilføj gruppe",
|
"Add Group": "Tilføj gruppe",
|
||||||
"Add Memory": "Tilføj hukommelse",
|
"Add Memory": "Tilføj hukommelse",
|
||||||
"Add Model": "Tilføj model",
|
"Add Model": "Tilføj model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Tilføj reaktion",
|
"Add Reaction": "Tilføj reaktion",
|
||||||
"Add Tag": "Tilføj tag",
|
"Add Tag": "Tilføj tag",
|
||||||
"Add Tags": "Tilføj tags",
|
"Add Tags": "Tilføj tags",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Tilføj bruger",
|
"Add User": "Tilføj bruger",
|
||||||
"Add User Group": "Tilføj Brugergruppe",
|
"Add User Group": "Tilføj Brugergruppe",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "April",
|
"April": "April",
|
||||||
"Archive": "Arkiv",
|
"Archive": "Arkiv",
|
||||||
"Archive All Chats": "Arkiver alle chats",
|
"Archive All Chats": "Arkiver alle chats",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arkiverede chats",
|
"Archived Chats": "Arkiverede chats",
|
||||||
"archived-chat-export": "arkiveret-chat-eksport",
|
"archived-chat-export": "arkiveret-chat-eksport",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Er du sikker på du vil rydde hele hukommelsen? Dette kan ikke gøres om.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Er du sikker på du vil rydde hele hukommelsen? Dette kan ikke gøres om.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannere",
|
"Banners": "Bannere",
|
||||||
"Base Model (From)": "Base Model (Fra)",
|
"Base Model (From)": "Base Model (Fra)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Base Model List Cache øger hastigheden ved kun at hente base modeller ved opstart eller når indstillinger gemmes, men viser muligvis ikke nylige ændringer i base modeller.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Base Model List Cache øger hastigheden ved kun at hente base modeller ved opstart eller når indstillinger gemmes, men viser muligvis ikke nylige ændringer i base modeller.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "før",
|
"before": "før",
|
||||||
"Being lazy": "At være doven",
|
"Being lazy": "At være doven",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Omgå Web Loader",
|
"Bypass Web Loader": "Omgå Web Loader",
|
||||||
"Cache Base Model List": "Cache Base Model List",
|
"Cache Base Model List": "Cache Base Model List",
|
||||||
"Calendar": "Kalender",
|
"Calendar": "Kalender",
|
||||||
"Call": "Opkald",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Opkaldsfunktion er ikke understøttet for Web STT engine",
|
"Call feature is not supported when using Web STT engine": "Opkaldsfunktion er ikke understøttet for Web STT engine",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Afbryd",
|
"Cancel": "Afbryd",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Opret profil",
|
"Create Account": "Opret profil",
|
||||||
"Create Admin Account": "Opret administrator profil",
|
"Create Admin Account": "Opret administrator profil",
|
||||||
"Create Channel": "Opret kanal",
|
"Create Channel": "Opret kanal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Opret mappe",
|
"Create Folder": "Opret mappe",
|
||||||
"Create Group": "Opret gruppe",
|
"Create Group": "Opret gruppe",
|
||||||
"Create Knowledge": "Opret Viden",
|
"Create Knowledge": "Opret Viden",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "slet dette link",
|
"delete this link": "slet dette link",
|
||||||
"Delete tool?": "Slet værktøj?",
|
"Delete tool?": "Slet værktøj?",
|
||||||
"Delete User": "Slet bruger",
|
"Delete User": "Slet bruger",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Slettede {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Slettede {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Slettede {{name}}",
|
"Deleted {{name}}": "Slettede {{name}}",
|
||||||
"Deleted User": "Slettede bruger",
|
"Deleted User": "Slettede bruger",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Vis emoji i chat",
|
"Display Emoji in Call": "Vis emoji i chat",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Vis brugernavn i stedet for Dig i chatten",
|
"Display the username instead of You in the Chat": "Vis brugernavn i stedet for Dig i chatten",
|
||||||
"Displays citations in the response": "Vis citat i svaret",
|
"Displays citations in the response": "Vis citat i svaret",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Rediger standard tilladelser",
|
"Edit Default Permissions": "Rediger standard tilladelser",
|
||||||
"Edit Folder": "Rediger mappe",
|
"Edit Folder": "Rediger mappe",
|
||||||
"Edit Memory": "Rediger hukommelse",
|
"Edit Memory": "Rediger hukommelse",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Rediger bruger",
|
"Edit User": "Rediger bruger",
|
||||||
"Edit User Group": "Rediger brugergruppe",
|
"Edit User Group": "Rediger brugergruppe",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "Ekstern Web Search URL",
|
"External Web Search URL": "Ekstern Web Search URL",
|
||||||
"Fade Effect for Streaming Text": "Fade-effekt for streaming tekst",
|
"Fade Effect for Streaming Text": "Fade-effekt for streaming tekst",
|
||||||
"Failed to add file.": "Kunne ikke tilføje fil.",
|
"Failed to add file.": "Kunne ikke tilføje fil.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Kunne ikke forbinde til {{URL}} OpenAPI tool server",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Kunne ikke forbinde til {{URL}} OpenAPI tool server",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Kunne ikke kopiere link",
|
"Failed to copy link": "Kunne ikke kopiere link",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Kunne ikke hente modeller",
|
"Failed to fetch models": "Kunne ikke hente modeller",
|
||||||
"Failed to generate title": "Kunne ikke generere titel",
|
"Failed to generate title": "Kunne ikke generere titel",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Kunne ikke indlæse chat forhåndsvisning",
|
"Failed to load chat preview": "Kunne ikke indlæse chat forhåndsvisning",
|
||||||
"Failed to load file content.": "Kunne ikke indlæse filindhold.",
|
"Failed to load file content.": "Kunne ikke indlæse filindhold.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Kunne ikke læse indholdet af udklipsholderen",
|
"Failed to read clipboard contents": "Kunne ikke læse indholdet af udklipsholderen",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filsystemsti registreret. Kort model navn er påkrævet til opdatering, kan ikke fortsætte.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filsystemsti registreret. Kort model navn er påkrævet til opdatering, kan ikke fortsætte.",
|
||||||
"Model Filtering": "Model filtrering",
|
"Model Filtering": "Model filtrering",
|
||||||
"Model ID": "Model-ID",
|
"Model ID": "Model-ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Model-ID'er",
|
"Model IDs": "Model-ID'er",
|
||||||
"Model Name": "Modelnavn",
|
"Model Name": "Modelnavn",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Navn",
|
"Name": "Navn",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Navngiv din vidensbase",
|
"Name your knowledge base": "Navngiv din vidensbase",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Indtast en gyldig URL",
|
"Please enter a valid URL": "Indtast en gyldig URL",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Udfyld alle felter.",
|
"Please fill in all fields.": "Udfyld alle felter.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Vælg en model først.",
|
"Please select a model first.": "Vælg en model først.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Unavngivet",
|
"Untitled": "Unavngivet",
|
||||||
"Update": "Opdater",
|
"Update": "Opdater",
|
||||||
"Update and Copy Link": "Opdater og kopier link",
|
"Update and Copy Link": "Opdater og kopier link",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Opdater for at få de nyeste funktioner og forbedringer.",
|
"Update for the latest features and improvements.": "Opdater for at få de nyeste funktioner og forbedringer.",
|
||||||
"Update password": "Opdater adgangskode",
|
"Update password": "Opdater adgangskode",
|
||||||
"Updated": "Opdateret",
|
"Updated": "Opdateret",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Hele dit bidrag går direkte til plugin-udvikleren; CyberLover tager ikke nogen procentdel. Den valgte finansieringsplatform kan dog have sine egne gebyrer.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Hele dit bidrag går direkte til plugin-udvikleren; CyberLover tager ikke nogen procentdel. Den valgte finansieringsplatform kan dog have sine egne gebyrer.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube sprog",
|
"Youtube Language": "Youtube sprog",
|
||||||
"Youtube Proxy URL": "Youtube Proxy URL"
|
"Youtube Proxy URL": "Youtube Proxy URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Gruppe hinzufügen",
|
"Add Group": "Gruppe hinzufügen",
|
||||||
"Add Memory": "Erinnerung hinzufügen",
|
"Add Memory": "Erinnerung hinzufügen",
|
||||||
"Add Model": "Modell hinzufügen",
|
"Add Model": "Modell hinzufügen",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Reaktion hinzufügen",
|
"Add Reaction": "Reaktion hinzufügen",
|
||||||
"Add Tag": "Tag hinzufügen",
|
"Add Tag": "Tag hinzufügen",
|
||||||
"Add Tags": "Tags hinzufügen",
|
"Add Tags": "Tags hinzufügen",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Benutzer hinzufügen",
|
"Add User": "Benutzer hinzufügen",
|
||||||
"Add User Group": "Benutzergruppe hinzufügen",
|
"Add User Group": "Benutzergruppe hinzufügen",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Zusätzliche Konfiguration",
|
"Additional Config": "Zusätzliche Konfiguration",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Zusätzliche Konfigurationsoptionen für den Marker. Dies sollte eine JSON-Zeichenfolge mit Schlüssel-Wert-Paaren sein. Zum Beispiel '{\"key\": \"value\"}'. Unterstützte Schlüssel sind: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Zusätzliche Konfigurationsoptionen für den Marker. Dies sollte eine JSON-Zeichenfolge mit Schlüssel-Wert-Paaren sein. Zum Beispiel '{\"key\": \"value\"}'. Unterstützte Schlüssel sind: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
||||||
"Additional Parameters": "Weitere Parameter",
|
"Additional Parameters": "Weitere Parameter",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "April",
|
"April": "April",
|
||||||
"Archive": "Archivieren",
|
"Archive": "Archivieren",
|
||||||
"Archive All Chats": "Alle Chats archivieren",
|
"Archive All Chats": "Alle Chats archivieren",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Archivierte Chats",
|
"Archived Chats": "Archivierte Chats",
|
||||||
"archived-chat-export": "archivierter-chat-export",
|
"archived-chat-export": "archivierter-chat-export",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Sind Sie sicher, dass Sie alle Erinnerungen löschen möchten? Diese Handlung kann nicht rückgängig gemacht werden.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Sind Sie sicher, dass Sie alle Erinnerungen löschen möchten? Diese Handlung kann nicht rückgängig gemacht werden.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Banner",
|
"Banners": "Banner",
|
||||||
"Base Model (From)": "Basismodell (From)",
|
"Base Model (From)": "Basismodell (From)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Die Cache-Liste der Basismodelle beschleunigt den Zugriff, indem Basismodelle nur beim Start oder beim Speichern der Einstellungen abgerufen werden – schneller, zeigt aber möglicherweise keine aktuellen Änderungen an Basismodellen an.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Die Cache-Liste der Basismodelle beschleunigt den Zugriff, indem Basismodelle nur beim Start oder beim Speichern der Einstellungen abgerufen werden – schneller, zeigt aber möglicherweise keine aktuellen Änderungen an Basismodellen an.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "bereits geteilt",
|
"before": "bereits geteilt",
|
||||||
"Being lazy": "Faulheit",
|
"Being lazy": "Faulheit",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Web-Loader umgehen",
|
"Bypass Web Loader": "Web-Loader umgehen",
|
||||||
"Cache Base Model List": "Basis Modell-Liste cachen",
|
"Cache Base Model List": "Basis Modell-Liste cachen",
|
||||||
"Calendar": "Kalender",
|
"Calendar": "Kalender",
|
||||||
"Call": "Anrufen",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Die Anruffunktion wird nicht unterstützt, wenn die Web-STT-Engine verwendet wird.",
|
"Call feature is not supported when using Web STT engine": "Die Anruffunktion wird nicht unterstützt, wenn die Web-STT-Engine verwendet wird.",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Abbrechen",
|
"Cancel": "Abbrechen",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Konto erstellen",
|
"Create Account": "Konto erstellen",
|
||||||
"Create Admin Account": "Administrator-Account erstellen",
|
"Create Admin Account": "Administrator-Account erstellen",
|
||||||
"Create Channel": "Kanal erstellen",
|
"Create Channel": "Kanal erstellen",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Ordner erstellen",
|
"Create Folder": "Ordner erstellen",
|
||||||
"Create Group": "Gruppe erstellen",
|
"Create Group": "Gruppe erstellen",
|
||||||
"Create Knowledge": "Wissen erstellen",
|
"Create Knowledge": "Wissen erstellen",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "diesen Link löschen",
|
"delete this link": "diesen Link löschen",
|
||||||
"Delete tool?": "Werkzeug löschen?",
|
"Delete tool?": "Werkzeug löschen?",
|
||||||
"Delete User": "Benutzer löschen",
|
"Delete User": "Benutzer löschen",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} gelöscht",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} gelöscht",
|
||||||
"Deleted {{name}}": "{{name}} gelöscht",
|
"Deleted {{name}}": "{{name}} gelöscht",
|
||||||
"Deleted User": "Benutzer gelöscht",
|
"Deleted User": "Benutzer gelöscht",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "Chat-Titel im Tab anzeigen",
|
"Display chat title in tab": "Chat-Titel im Tab anzeigen",
|
||||||
"Display Emoji in Call": "Emojis im Anruf anzeigen",
|
"Display Emoji in Call": "Emojis im Anruf anzeigen",
|
||||||
"Display Multi-model Responses in Tabs": "Multi-Modell-Antworten in Tabs anzeigen",
|
"Display Multi-model Responses in Tabs": "Multi-Modell-Antworten in Tabs anzeigen",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Soll \"Sie\" durch Ihren Benutzernamen ersetzt werden?",
|
"Display the username instead of You in the Chat": "Soll \"Sie\" durch Ihren Benutzernamen ersetzt werden?",
|
||||||
"Displays citations in the response": "Zeigt Zitate in der Antwort an",
|
"Displays citations in the response": "Zeigt Zitate in der Antwort an",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Zeigt Statusaktualisierungen (z.\u202fB. Fortschritt der Websuche) in der Antwort an",
|
"Displays status updates (e.g., web search progress) in the response": "Zeigt Statusaktualisierungen (z.\u202fB. Fortschritt der Websuche) in der Antwort an",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Standardberechtigungen bearbeiten",
|
"Edit Default Permissions": "Standardberechtigungen bearbeiten",
|
||||||
"Edit Folder": "Ordner bearbeiten",
|
"Edit Folder": "Ordner bearbeiten",
|
||||||
"Edit Memory": "Erinnerungen bearbeiten",
|
"Edit Memory": "Erinnerungen bearbeiten",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Benutzer bearbeiten",
|
"Edit User": "Benutzer bearbeiten",
|
||||||
"Edit User Group": "Benutzergruppe bearbeiten",
|
"Edit User Group": "Benutzergruppe bearbeiten",
|
||||||
"edited": "bearbeitet",
|
"edited": "bearbeitet",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "Externe Websuche URL",
|
"External Web Search URL": "Externe Websuche URL",
|
||||||
"Fade Effect for Streaming Text": "Überblendeffekt für Text-Streaming",
|
"Fade Effect for Streaming Text": "Überblendeffekt für Text-Streaming",
|
||||||
"Failed to add file.": "Fehler beim Hinzufügen der Datei.",
|
"Failed to add file.": "Fehler beim Hinzufügen der Datei.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Verbindung zum OpenAPI-Toolserver {{URL}} fehlgeschlagen",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Verbindung zum OpenAPI-Toolserver {{URL}} fehlgeschlagen",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Fehler beim kopieren des Links",
|
"Failed to copy link": "Fehler beim kopieren des Links",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Fehler beim Abrufen der Modelle",
|
"Failed to fetch models": "Fehler beim Abrufen der Modelle",
|
||||||
"Failed to generate title": "Fehler beim generieren des Titels",
|
"Failed to generate title": "Fehler beim generieren des Titels",
|
||||||
"Failed to import models": "Fehler beim Importieren der Modelle",
|
"Failed to import models": "Fehler beim Importieren der Modelle",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Chat-Vorschau konnte nicht geladen werden",
|
"Failed to load chat preview": "Chat-Vorschau konnte nicht geladen werden",
|
||||||
"Failed to load file content.": "Fehler beim Laden des Dateiinhalts.",
|
"Failed to load file content.": "Fehler beim Laden des Dateiinhalts.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "Chat konnte nicht verschoben werden",
|
"Failed to move chat": "Chat konnte nicht verschoben werden",
|
||||||
"Failed to read clipboard contents": "Fehler beim Lesen des Inhalts der Zwischenablage.",
|
"Failed to read clipboard contents": "Fehler beim Lesen des Inhalts der Zwischenablage.",
|
||||||
"Failed to render diagram": "Diagramm konnte nicht gerendert werden",
|
"Failed to render diagram": "Diagramm konnte nicht gerendert werden",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modell-Dateisystempfad erkannt. Modellkurzname ist für das Update erforderlich, Fortsetzung nicht möglich.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modell-Dateisystempfad erkannt. Modellkurzname ist für das Update erforderlich, Fortsetzung nicht möglich.",
|
||||||
"Model Filtering": "Modellfilterung",
|
"Model Filtering": "Modellfilterung",
|
||||||
"Model ID": "Modell-ID",
|
"Model ID": "Modell-ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "Modell-ID ist erforderlich.",
|
"Model ID is required.": "Modell-ID ist erforderlich.",
|
||||||
"Model IDs": "Modell-IDs",
|
"Model IDs": "Modell-IDs",
|
||||||
"Model Name": "Modell-Name",
|
"Model Name": "Modell-Name",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Kürzer",
|
"More Concise": "Kürzer",
|
||||||
"More Options": "Mehr Optionen",
|
"More Options": "Mehr Optionen",
|
||||||
"Move": "Verschieben",
|
"Move": "Verschieben",
|
||||||
|
"My API": "",
|
||||||
"Name": "Name",
|
"Name": "Name",
|
||||||
"Name and ID are required, please fill them out": "Name und ID sind erforderlich, bitte füllen Sie diese aus",
|
"Name and ID are required, please fill them out": "Name und ID sind erforderlich, bitte füllen Sie diese aus",
|
||||||
"Name your knowledge base": "Benennen Sie Ihren Wissensspeicher",
|
"Name your knowledge base": "Benennen Sie Ihren Wissensspeicher",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Bitte geben Sie eine gültige URL ein",
|
"Please enter a valid URL": "Bitte geben Sie eine gültige URL ein",
|
||||||
"Please enter a valid URL.": "Bitte geben Sie eine gültige URL ein",
|
"Please enter a valid URL.": "Bitte geben Sie eine gültige URL ein",
|
||||||
"Please fill in all fields.": "Bitte füllen Sie alle Felder aus.",
|
"Please fill in all fields.": "Bitte füllen Sie alle Felder aus.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "Bitte registrieren Sie den OAuth-Client",
|
"Please register the OAuth client": "Bitte registrieren Sie den OAuth-Client",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "Bitte speichern Sie die Verbindung, um die OAuth-Clientinformationen zu persistieren, und ändern Sie die ID nicht",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "Bitte speichern Sie die Verbindung, um die OAuth-Clientinformationen zu persistieren, und ändern Sie die ID nicht",
|
||||||
"Please select a model first.": "Bitte wählen Sie zuerst ein Modell aus.",
|
"Please select a model first.": "Bitte wählen Sie zuerst ein Modell aus.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Unbenannt",
|
"Untitled": "Unbenannt",
|
||||||
"Update": "Aktualisieren",
|
"Update": "Aktualisieren",
|
||||||
"Update and Copy Link": "Aktualisieren und Link kopieren",
|
"Update and Copy Link": "Aktualisieren und Link kopieren",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Aktualisieren Sie für die neuesten Funktionen und Verbesserungen.",
|
"Update for the latest features and improvements.": "Aktualisieren Sie für die neuesten Funktionen und Verbesserungen.",
|
||||||
"Update password": "Passwort aktualisieren",
|
"Update password": "Passwort aktualisieren",
|
||||||
"Updated": "Aktualisiert",
|
"Updated": "Aktualisiert",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Ihr gesamter Beitrag geht direkt an den Plugin-Entwickler; CyberLover behält keinen Prozentsatz ein. Die gewählte Finanzierungsplattform kann jedoch eigene Gebühren haben.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Ihr gesamter Beitrag geht direkt an den Plugin-Entwickler; CyberLover behält keinen Prozentsatz ein. Die gewählte Finanzierungsplattform kann jedoch eigene Gebühren haben.",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "YouTube Sprache",
|
"Youtube Language": "YouTube Sprache",
|
||||||
"Youtube Proxy URL": "YouTube Proxy URL"
|
"Youtube Proxy URL": "YouTube Proxy URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "",
|
"Add Memory": "",
|
||||||
"Add Model": "",
|
"Add Model": "",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "",
|
"Add Tags": "",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "",
|
"Add User": "",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "",
|
"April": "",
|
||||||
"Archive": "",
|
"Archive": "",
|
||||||
"Archive All Chats": "",
|
"Archive All Chats": "",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "",
|
"Archived Chats": "",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "",
|
"Banners": "",
|
||||||
"Base Model (From)": "",
|
"Base Model (From)": "",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "",
|
"before": "",
|
||||||
"Being lazy": "",
|
"Being lazy": "",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "Cancel",
|
"Cancel": "Cancel",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Create Account",
|
"Create Account": "Create Account",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "",
|
"delete this link": "",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "",
|
"Delete User": "",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Deleted {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Deleted {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "",
|
"Deleted {{name}}": "",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Display username instead of You in Chat",
|
"Display the username instead of You in the Chat": "Display username instead of You in Chat",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Edit Wowser",
|
"Edit User": "Edit Wowser",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Failed to read clipboard borks",
|
"Failed to read clipboard contents": "Failed to read clipboard borks",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filesystem bark detected. Model shortname is required for update, cannot continue.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filesystem bark detected. Model shortname is required for update, cannot continue.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "",
|
"Model ID": "",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Name",
|
"Name": "Name",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "",
|
"Update and Copy Link": "",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "Update password much change",
|
"Update password": "Update password much change",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "",
|
"YouTube": "",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Προσθήκη Ομάδας",
|
"Add Group": "Προσθήκη Ομάδας",
|
||||||
"Add Memory": "Προσθήκη Μνήμης",
|
"Add Memory": "Προσθήκη Μνήμης",
|
||||||
"Add Model": "Προσθήκη Μοντέλου",
|
"Add Model": "Προσθήκη Μοντέλου",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "Προσθήκη Ετικέτας",
|
"Add Tag": "Προσθήκη Ετικέτας",
|
||||||
"Add Tags": "Προσθήκη Ετικετών",
|
"Add Tags": "Προσθήκη Ετικετών",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Προσθήκη Χρήστη",
|
"Add User": "Προσθήκη Χρήστη",
|
||||||
"Add User Group": "Προσθήκη Ομάδας Χρηστών",
|
"Add User Group": "Προσθήκη Ομάδας Χρηστών",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Απρίλιος",
|
"April": "Απρίλιος",
|
||||||
"Archive": "Αρχείο",
|
"Archive": "Αρχείο",
|
||||||
"Archive All Chats": "Αρχειοθέτηση Όλων των Συνομιλιών",
|
"Archive All Chats": "Αρχειοθέτηση Όλων των Συνομιλιών",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Αρχειοθετημένες Συνομιλίες",
|
"Archived Chats": "Αρχειοθετημένες Συνομιλίες",
|
||||||
"archived-chat-export": "εξαγωγή-αρχείου-συνομιλίας",
|
"archived-chat-export": "εξαγωγή-αρχείου-συνομιλίας",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Προβολές",
|
"Banners": "Προβολές",
|
||||||
"Base Model (From)": "Βασικό Μοντέλο (Από)",
|
"Base Model (From)": "Βασικό Μοντέλο (Από)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "πριν",
|
"before": "πριν",
|
||||||
"Being lazy": "Τρώλακας",
|
"Being lazy": "Τρώλακας",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Κλήση",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Η λειτουργία κλήσης δεν υποστηρίζεται όταν χρησιμοποιείται η μηχανή Web STT",
|
"Call feature is not supported when using Web STT engine": "Η λειτουργία κλήσης δεν υποστηρίζεται όταν χρησιμοποιείται η μηχανή Web STT",
|
||||||
"Camera": "Κάμερα",
|
"Camera": "Κάμερα",
|
||||||
"Cancel": "Ακύρωση",
|
"Cancel": "Ακύρωση",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Δημιουργία Λογαριασμού",
|
"Create Account": "Δημιουργία Λογαριασμού",
|
||||||
"Create Admin Account": "Δημιουργία Λογαριασμού Διαχειριστή",
|
"Create Admin Account": "Δημιουργία Λογαριασμού Διαχειριστή",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Δημιουργία Ομάδας",
|
"Create Group": "Δημιουργία Ομάδας",
|
||||||
"Create Knowledge": "Δημιουργία Γνώσης",
|
"Create Knowledge": "Δημιουργία Γνώσης",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "διαγραφή αυτού του συνδέσμου",
|
"delete this link": "διαγραφή αυτού του συνδέσμου",
|
||||||
"Delete tool?": "Διαγραφή εργαλείου;",
|
"Delete tool?": "Διαγραφή εργαλείου;",
|
||||||
"Delete User": "Διαγραφή Χρήστη",
|
"Delete User": "Διαγραφή Χρήστη",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Διαγράφηκε το {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Διαγράφηκε το {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Διαγράφηκε το {{name}}",
|
"Deleted {{name}}": "Διαγράφηκε το {{name}}",
|
||||||
"Deleted User": "Διαγράφηκε ο Χρήστης",
|
"Deleted User": "Διαγράφηκε ο Χρήστης",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Εμφάνιση Emoji στην Κλήση",
|
"Display Emoji in Call": "Εμφάνιση Emoji στην Κλήση",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Εμφάνιση του ονόματος χρήστη αντί του Εσάς στη Συνομιλία",
|
"Display the username instead of You in the Chat": "Εμφάνιση του ονόματος χρήστη αντί του Εσάς στη Συνομιλία",
|
||||||
"Displays citations in the response": "Εμφανίζει αναφορές στην απάντηση",
|
"Displays citations in the response": "Εμφανίζει αναφορές στην απάντηση",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Επεξεργασία Προεπιλεγμένων Δικαιωμάτων",
|
"Edit Default Permissions": "Επεξεργασία Προεπιλεγμένων Δικαιωμάτων",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Επεξεργασία Μνήμης",
|
"Edit Memory": "Επεξεργασία Μνήμης",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Επεξεργασία Χρήστη",
|
"Edit User": "Επεξεργασία Χρήστη",
|
||||||
"Edit User Group": "Επεξεργασία Ομάδας Χρηστών",
|
"Edit User Group": "Επεξεργασία Ομάδας Χρηστών",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Αποτυχία προσθήκης αρχείου.",
|
"Failed to add file.": "Αποτυχία προσθήκης αρχείου.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Αποτυχία ανάγνωσης περιεχομένων πρόχειρου",
|
"Failed to read clipboard contents": "Αποτυχία ανάγνωσης περιεχομένων πρόχειρου",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Ανιχνεύθηκε διαδρομή αρχείου μοντέλου. Το σύντομο όνομα μοντέλου απαιτείται για ενημέρωση, δεν μπορεί να συνεχιστεί.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Ανιχνεύθηκε διαδρομή αρχείου μοντέλου. Το σύντομο όνομα μοντέλου απαιτείται για ενημέρωση, δεν μπορεί να συνεχιστεί.",
|
||||||
"Model Filtering": "Φιλτράρισμα Μοντέλων",
|
"Model Filtering": "Φιλτράρισμα Μοντέλων",
|
||||||
"Model ID": "ID Μοντέλου",
|
"Model ID": "ID Μοντέλου",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "IDs Μοντέλων",
|
"Model IDs": "IDs Μοντέλων",
|
||||||
"Model Name": "Όνομα Μοντέλου",
|
"Model Name": "Όνομα Μοντέλου",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Όνομα",
|
"Name": "Όνομα",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Ονομάστε τη βάση γνώσης σας",
|
"Name your knowledge base": "Ονομάστε τη βάση γνώσης σας",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Παρακαλώ συμπληρώστε όλα τα πεδία.",
|
"Please fill in all fields.": "Παρακαλώ συμπληρώστε όλα τα πεδία.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Ενημέρωση",
|
"Update": "Ενημέρωση",
|
||||||
"Update and Copy Link": "Ενημέρωση και Αντιγραφή Συνδέσμου",
|
"Update and Copy Link": "Ενημέρωση και Αντιγραφή Συνδέσμου",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Ενημέρωση για τις τελευταίες λειτουργίες και βελτιώσεις.",
|
"Update for the latest features and improvements.": "Ενημέρωση για τις τελευταίες λειτουργίες και βελτιώσεις.",
|
||||||
"Update password": "Ενημέρωση κωδικού",
|
"Update password": "Ενημέρωση κωδικού",
|
||||||
"Updated": "Ενημερώθηκε",
|
"Updated": "Ενημερώθηκε",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Η ολόκληρη η συνεισφορά σας θα πάει απευθείας στον προγραμματιστή του plugin· το CyberLover δεν παίρνει κανένα ποσοστό. Ωστόσο, η επιλεγμένη πλατφόρμα χρηματοδότησης μπορεί να έχει τα δικά της τέλη.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Η ολόκληρη η συνεισφορά σας θα πάει απευθείας στον προγραμματιστή του plugin· το CyberLover δεν παίρνει κανένα ποσοστό. Ωστόσο, η επιλεγμένη πλατφόρμα χρηματοδότησης μπορεί να έχει τα δικά της τέλη.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "",
|
"Add Memory": "",
|
||||||
"Add Model": "",
|
"Add Model": "",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "",
|
"Add Tags": "",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "",
|
"Add User": "",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "",
|
"April": "",
|
||||||
"Archive": "",
|
"Archive": "",
|
||||||
"Archive All Chats": "",
|
"Archive All Chats": "",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "",
|
"Archived Chats": "",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "",
|
"Banners": "",
|
||||||
"Base Model (From)": "",
|
"Base Model (From)": "",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "",
|
"before": "",
|
||||||
"Being lazy": "",
|
"Being lazy": "",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "",
|
"Cancel": "",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "",
|
"Create Account": "",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "",
|
"delete this link": "",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "",
|
"Delete User": "",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "",
|
"Deleted {{deleteModelTag}}": "",
|
||||||
"Deleted {{name}}": "",
|
"Deleted {{name}}": "",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "",
|
"Display the username instead of You in the Chat": "",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "",
|
"Edit User": "",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "",
|
"Failed to read clipboard contents": "",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "",
|
"Model ID": "",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "",
|
"Name": "",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "",
|
"Update and Copy Link": "",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "",
|
"Update password": "",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "",
|
"YouTube": "",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "",
|
"Add Memory": "",
|
||||||
"Add Model": "",
|
"Add Model": "",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "",
|
"Add Tags": "",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "",
|
"Add User": "",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "",
|
"April": "",
|
||||||
"Archive": "",
|
"Archive": "",
|
||||||
"Archive All Chats": "",
|
"Archive All Chats": "",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "",
|
"Archived Chats": "",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "",
|
"Banners": "",
|
||||||
"Base Model (From)": "",
|
"Base Model (From)": "",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "",
|
"before": "",
|
||||||
"Being lazy": "",
|
"Being lazy": "",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "",
|
"Cancel": "",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "",
|
"Create Account": "",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "",
|
"delete this link": "",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "",
|
"Delete User": "",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "",
|
"Deleted {{deleteModelTag}}": "",
|
||||||
"Deleted {{name}}": "",
|
"Deleted {{name}}": "",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "",
|
"Display the username instead of You in the Chat": "",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "",
|
"Edit User": "",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "",
|
"Failed to read clipboard contents": "",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "",
|
"Model ID": "",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "",
|
"Name": "",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "",
|
"Update and Copy Link": "",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "",
|
"Update password": "",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "",
|
"YouTube": "",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Añadir Grupo",
|
"Add Group": "Añadir Grupo",
|
||||||
"Add Memory": "Añadir Memoria",
|
"Add Memory": "Añadir Memoria",
|
||||||
"Add Model": "Añadir Modelo",
|
"Add Model": "Añadir Modelo",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Añadir Reacción",
|
"Add Reaction": "Añadir Reacción",
|
||||||
"Add Tag": "Añadir etiqueta",
|
"Add Tag": "Añadir etiqueta",
|
||||||
"Add Tags": "Añadir etiquetas",
|
"Add Tags": "Añadir etiquetas",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Añadir Usuario",
|
"Add User": "Añadir Usuario",
|
||||||
"Add User Group": "Añadir grupo de usuarios",
|
"Add User Group": "Añadir grupo de usuarios",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Config Adicional",
|
"Additional Config": "Config Adicional",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opciones de configuración adicionales para Marker. Debe ser una cadena JSON con pares clave-valor. Por ejemplo, '{\"key\": \"value\"}'. Las claves soportadas son: disabled_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opciones de configuración adicionales para Marker. Debe ser una cadena JSON con pares clave-valor. Por ejemplo, '{\"key\": \"value\"}'. Las claves soportadas son: disabled_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
||||||
"Additional Parameters": "Parámetros Adicionales",
|
"Additional Parameters": "Parámetros Adicionales",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Abril",
|
"April": "Abril",
|
||||||
"Archive": "Archivar",
|
"Archive": "Archivar",
|
||||||
"Archive All Chats": "Archivar Todos los Chats",
|
"Archive All Chats": "Archivar Todos los Chats",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Chats archivados",
|
"Archived Chats": "Chats archivados",
|
||||||
"archived-chat-export": "exportar chats archivados",
|
"archived-chat-export": "exportar chats archivados",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "¿Segur@ de que quieres borrar todas las memorias? (¡esta acción NO se puede deshacer!)",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "¿Segur@ de que quieres borrar todas las memorias? (¡esta acción NO se puede deshacer!)",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Banners",
|
"Banners": "Banners",
|
||||||
"Base Model (From)": "Modelo Base (desde)",
|
"Base Model (From)": "Modelo Base (desde)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Cachear Lista Modelos Base acelera el acceso recuperando los modelos base solo al inicio o en el auto guardado rápido de la configuración, si se activa hay que tener en cuenta que los cambios más recientes en las listas de modelos podrían no reflejarse de manera inmediata.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Cachear Lista Modelos Base acelera el acceso recuperando los modelos base solo al inicio o en el auto guardado rápido de la configuración, si se activa hay que tener en cuenta que los cambios más recientes en las listas de modelos podrían no reflejarse de manera inmediata.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Portador (Bearer)",
|
"Bearer": "Portador (Bearer)",
|
||||||
"before": "antes",
|
"before": "antes",
|
||||||
"Being lazy": "Ser perezoso",
|
"Being lazy": "Ser perezoso",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Desactivar Cargar de Web",
|
"Bypass Web Loader": "Desactivar Cargar de Web",
|
||||||
"Cache Base Model List": "Cachear Lista de Cache Modelos",
|
"Cache Base Model List": "Cachear Lista de Cache Modelos",
|
||||||
"Calendar": "Calendario",
|
"Calendar": "Calendario",
|
||||||
"Call": "Llamada",
|
|
||||||
"Call feature is not supported when using Web STT engine": "La funcionalidad de Llamada no está soportada cuando se usa el motor Web STT",
|
"Call feature is not supported when using Web STT engine": "La funcionalidad de Llamada no está soportada cuando se usa el motor Web STT",
|
||||||
"Camera": "Cámara",
|
"Camera": "Cámara",
|
||||||
"Cancel": "Cancelar",
|
"Cancel": "Cancelar",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Crear Cuenta",
|
"Create Account": "Crear Cuenta",
|
||||||
"Create Admin Account": "Crear Cuenta Administrativa",
|
"Create Admin Account": "Crear Cuenta Administrativa",
|
||||||
"Create Channel": "Crear Canal",
|
"Create Channel": "Crear Canal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Crear Carpeta",
|
"Create Folder": "Crear Carpeta",
|
||||||
"Create Group": "Crear Grupo",
|
"Create Group": "Crear Grupo",
|
||||||
"Create Knowledge": "Crear Conocimiento",
|
"Create Knowledge": "Crear Conocimiento",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "Borrar este enlace",
|
"delete this link": "Borrar este enlace",
|
||||||
"Delete tool?": "¿Borrar la herramienta?",
|
"Delete tool?": "¿Borrar la herramienta?",
|
||||||
"Delete User": "Borrar Usuario",
|
"Delete User": "Borrar Usuario",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} Borrado",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} Borrado",
|
||||||
"Deleted {{name}}": "{{nombre}} Borrado",
|
"Deleted {{name}}": "{{nombre}} Borrado",
|
||||||
"Deleted User": "Usuario Borrado",
|
"Deleted User": "Usuario Borrado",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "Mostrar título del chat en el tabulador",
|
"Display chat title in tab": "Mostrar título del chat en el tabulador",
|
||||||
"Display Emoji in Call": "Muestra Emojis en Llamada",
|
"Display Emoji in Call": "Muestra Emojis en Llamada",
|
||||||
"Display Multi-model Responses in Tabs": "Mostrar Respuestas de MultiModelos Tabuladas",
|
"Display Multi-model Responses in Tabs": "Mostrar Respuestas de MultiModelos Tabuladas",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Mostrar en el chat el nombre de usuario en lugar del genérico Tu",
|
"Display the username instead of You in the Chat": "Mostrar en el chat el nombre de usuario en lugar del genérico Tu",
|
||||||
"Displays citations in the response": "Mostrar citas en la respuesta",
|
"Displays citations in the response": "Mostrar citas en la respuesta",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Muestra actualizaciones de estado (p.ej., progreso de la búsqueda web) en la respuesta",
|
"Displays status updates (e.g., web search progress) in the response": "Muestra actualizaciones de estado (p.ej., progreso de la búsqueda web) en la respuesta",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Editar Permisos Predeterminados",
|
"Edit Default Permissions": "Editar Permisos Predeterminados",
|
||||||
"Edit Folder": "Editar Carpeta",
|
"Edit Folder": "Editar Carpeta",
|
||||||
"Edit Memory": "Editar Memoria",
|
"Edit Memory": "Editar Memoria",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Editar Usuario",
|
"Edit User": "Editar Usuario",
|
||||||
"Edit User Group": "Editar Grupo de Usuarios",
|
"Edit User Group": "Editar Grupo de Usuarios",
|
||||||
"edited": "editado",
|
"edited": "editado",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL del Buscador Web Externo",
|
"External Web Search URL": "URL del Buscador Web Externo",
|
||||||
"Fade Effect for Streaming Text": "Efecto de desvanecimiento para texto transmitido (streaming)",
|
"Fade Effect for Streaming Text": "Efecto de desvanecimiento para texto transmitido (streaming)",
|
||||||
"Failed to add file.": "Fallo al añadir el archivo.",
|
"Failed to add file.": "Fallo al añadir el archivo.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Fallo al conectar al servidor de herramientas {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Fallo al conectar al servidor de herramientas {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Fallo al copiar enlace",
|
"Failed to copy link": "Fallo al copiar enlace",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Fallo al obtener los modelos",
|
"Failed to fetch models": "Fallo al obtener los modelos",
|
||||||
"Failed to generate title": "Fallo al generar el título",
|
"Failed to generate title": "Fallo al generar el título",
|
||||||
"Failed to import models": "Fallo al importar modelos",
|
"Failed to import models": "Fallo al importar modelos",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Fallo al cargar la previsualización del chat",
|
"Failed to load chat preview": "Fallo al cargar la previsualización del chat",
|
||||||
"Failed to load file content.": "Fallo al cargar el contenido del archivo",
|
"Failed to load file content.": "Fallo al cargar el contenido del archivo",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "Fallo al mover el chat",
|
"Failed to move chat": "Fallo al mover el chat",
|
||||||
"Failed to read clipboard contents": "Fallo al leer el contenido del portapapeles",
|
"Failed to read clipboard contents": "Fallo al leer el contenido del portapapeles",
|
||||||
"Failed to render diagram": "Fallo al renderizar el diagrama",
|
"Failed to render diagram": "Fallo al renderizar el diagrama",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Detectada ruta del sistema al modelo. Para actualizar se requiere el nombre corto del modelo, no se puede continuar.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Detectada ruta del sistema al modelo. Para actualizar se requiere el nombre corto del modelo, no se puede continuar.",
|
||||||
"Model Filtering": "Filtrado de modelos",
|
"Model Filtering": "Filtrado de modelos",
|
||||||
"Model ID": "ID Modelo",
|
"Model ID": "ID Modelo",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "El ID de Modelo es requerido",
|
"Model ID is required.": "El ID de Modelo es requerido",
|
||||||
"Model IDs": "IDs Modelo",
|
"Model IDs": "IDs Modelo",
|
||||||
"Model Name": "Nombre Modelo",
|
"Model Name": "Nombre Modelo",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Más Conciso",
|
"More Concise": "Más Conciso",
|
||||||
"More Options": "Más Opciones",
|
"More Options": "Más Opciones",
|
||||||
"Move": "Mover",
|
"Move": "Mover",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nombre",
|
"Name": "Nombre",
|
||||||
"Name and ID are required, please fill them out": "Nombre e ID requeridos, por favor introducelos",
|
"Name and ID are required, please fill them out": "Nombre e ID requeridos, por favor introducelos",
|
||||||
"Name your knowledge base": "Nombra tu base de conocimientos",
|
"Name your knowledge base": "Nombra tu base de conocimientos",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Por favor, ingresa una URL válida",
|
"Please enter a valid URL": "Por favor, ingresa una URL válida",
|
||||||
"Please enter a valid URL.": "Por favor, ingresa una URL válida.",
|
"Please enter a valid URL.": "Por favor, ingresa una URL válida.",
|
||||||
"Please fill in all fields.": "Por favor rellenar todos los campos.",
|
"Please fill in all fields.": "Por favor rellenar todos los campos.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "Por favor, registra el cliente OAuth",
|
"Please register the OAuth client": "Por favor, registra el cliente OAuth",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "Por favor, guarde la conexión para conservar la información del cliente OAuth y no cambie el ID",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "Por favor, guarde la conexión para conservar la información del cliente OAuth y no cambie el ID",
|
||||||
"Please select a model first.": "Por favor primero selecciona un modelo.",
|
"Please select a model first.": "Por favor primero selecciona un modelo.",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "Sin Título",
|
"Untitled": "Sin Título",
|
||||||
"Update": "Actualizar",
|
"Update": "Actualizar",
|
||||||
"Update and Copy Link": "Actualizar y Copiar Enlace",
|
"Update and Copy Link": "Actualizar y Copiar Enlace",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Actualizar para las últimas características y mejoras.",
|
"Update for the latest features and improvements.": "Actualizar para las últimas características y mejoras.",
|
||||||
"Update password": "Actualizar contraseña",
|
"Update password": "Actualizar contraseña",
|
||||||
"Updated": "Actualizado",
|
"Updated": "Actualizado",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Tu entera contribución irá directamente al desarrollador del complemento; Open-WebUI no recibe ningún porcentaje. Sin embargo, la plataforma de financiación elegida podría tener sus propias tarifas.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Tu entera contribución irá directamente al desarrollador del complemento; Open-WebUI no recibe ningún porcentaje. Sin embargo, la plataforma de financiación elegida podría tener sus propias tarifas.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube Idioma",
|
"Youtube Language": "Youtube Idioma",
|
||||||
"Youtube Proxy URL": "Youtube URL Proxy"
|
"Youtube Proxy URL": "Youtube URL Proxy",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Lisa grupp",
|
"Add Group": "Lisa grupp",
|
||||||
"Add Memory": "Lisa mälu",
|
"Add Memory": "Lisa mälu",
|
||||||
"Add Model": "Lisa mudel",
|
"Add Model": "Lisa mudel",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Lisa reaktsioon",
|
"Add Reaction": "Lisa reaktsioon",
|
||||||
"Add Tag": "Lisa silt",
|
"Add Tag": "Lisa silt",
|
||||||
"Add Tags": "Lisa silte",
|
"Add Tags": "Lisa silte",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Lisa kasutaja",
|
"Add User": "Lisa kasutaja",
|
||||||
"Add User Group": "Lisa kasutajagrupp",
|
"Add User Group": "Lisa kasutajagrupp",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Aprill",
|
"April": "Aprill",
|
||||||
"Archive": "Arhiveeri",
|
"Archive": "Arhiveeri",
|
||||||
"Archive All Chats": "Arhiveeri kõik vestlused",
|
"Archive All Chats": "Arhiveeri kõik vestlused",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arhiveeritud vestlused",
|
"Archived Chats": "Arhiveeritud vestlused",
|
||||||
"archived-chat-export": "arhiveeritud-vestluste-eksport",
|
"archived-chat-export": "arhiveeritud-vestluste-eksport",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Kas olete kindel, et soovite kustutada kõik mälestused? Seda toimingut ei saa tagasi võtta.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Kas olete kindel, et soovite kustutada kõik mälestused? Seda toimingut ei saa tagasi võtta.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bännerid",
|
"Banners": "Bännerid",
|
||||||
"Base Model (From)": "Baas mudel (Allikas)",
|
"Base Model (From)": "Baas mudel (Allikas)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "enne",
|
"before": "enne",
|
||||||
"Being lazy": "Laisklemine",
|
"Being lazy": "Laisklemine",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Kalender",
|
"Calendar": "Kalender",
|
||||||
"Call": "Kõne",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Kõnefunktsioon ei ole Web STT mootorit kasutades toetatud",
|
"Call feature is not supported when using Web STT engine": "Kõnefunktsioon ei ole Web STT mootorit kasutades toetatud",
|
||||||
"Camera": "Kaamera",
|
"Camera": "Kaamera",
|
||||||
"Cancel": "Tühista",
|
"Cancel": "Tühista",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Loo konto",
|
"Create Account": "Loo konto",
|
||||||
"Create Admin Account": "Loo administraatori konto",
|
"Create Admin Account": "Loo administraatori konto",
|
||||||
"Create Channel": "Loo kanal",
|
"Create Channel": "Loo kanal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Loo grupp",
|
"Create Group": "Loo grupp",
|
||||||
"Create Knowledge": "Loo teadmised",
|
"Create Knowledge": "Loo teadmised",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "kustuta see link",
|
"delete this link": "kustuta see link",
|
||||||
"Delete tool?": "Kustutada tööriist?",
|
"Delete tool?": "Kustutada tööriist?",
|
||||||
"Delete User": "Kustuta kasutaja",
|
"Delete User": "Kustuta kasutaja",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Kustutatud {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Kustutatud {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Kustutatud {{name}}",
|
"Deleted {{name}}": "Kustutatud {{name}}",
|
||||||
"Deleted User": "Kustutatud kasutaja",
|
"Deleted User": "Kustutatud kasutaja",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Kuva kõnes emoji",
|
"Display Emoji in Call": "Kuva kõnes emoji",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Kuva vestluses 'Sina' asemel kasutajanimi",
|
"Display the username instead of You in the Chat": "Kuva vestluses 'Sina' asemel kasutajanimi",
|
||||||
"Displays citations in the response": "Kuvab vastuses viited",
|
"Displays citations in the response": "Kuvab vastuses viited",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Muuda vaikimisi õigusi",
|
"Edit Default Permissions": "Muuda vaikimisi õigusi",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Muuda mälu",
|
"Edit Memory": "Muuda mälu",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Muuda kasutajat",
|
"Edit User": "Muuda kasutajat",
|
||||||
"Edit User Group": "Muuda kasutajagruppi",
|
"Edit User Group": "Muuda kasutajagruppi",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Faili lisamine ebaõnnestus.",
|
"Failed to add file.": "Faili lisamine ebaõnnestus.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Mudelite toomine ebaõnnestus",
|
"Failed to fetch models": "Mudelite toomine ebaõnnestus",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Lõikelaua sisu lugemine ebaõnnestus",
|
"Failed to read clipboard contents": "Lõikelaua sisu lugemine ebaõnnestus",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Tuvastati mudeli failisüsteemi tee. Uuendamiseks on vajalik mudeli lühinimi, ei saa jätkata.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Tuvastati mudeli failisüsteemi tee. Uuendamiseks on vajalik mudeli lühinimi, ei saa jätkata.",
|
||||||
"Model Filtering": "Mudeli filtreerimine",
|
"Model Filtering": "Mudeli filtreerimine",
|
||||||
"Model ID": "Mudeli ID",
|
"Model ID": "Mudeli ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Mudeli ID-d",
|
"Model IDs": "Mudeli ID-d",
|
||||||
"Model Name": "Mudeli nimi",
|
"Model Name": "Mudeli nimi",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nimi",
|
"Name": "Nimi",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Nimetage oma teadmiste baas",
|
"Name your knowledge base": "Nimetage oma teadmiste baas",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Palun täitke kõik väljad.",
|
"Please fill in all fields.": "Palun täitke kõik väljad.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Palun valige esmalt mudel.",
|
"Please select a model first.": "Palun valige esmalt mudel.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Uuenda",
|
"Update": "Uuenda",
|
||||||
"Update and Copy Link": "Uuenda ja kopeeri link",
|
"Update and Copy Link": "Uuenda ja kopeeri link",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Uuendage, et saada uusimad funktsioonid ja täiustused.",
|
"Update for the latest features and improvements.": "Uuendage, et saada uusimad funktsioonid ja täiustused.",
|
||||||
"Update password": "Uuenda parooli",
|
"Update password": "Uuenda parooli",
|
||||||
"Updated": "Uuendatud",
|
"Updated": "Uuendatud",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Kogu teie toetus läheb otse pistikprogrammi arendajale; CyberLover ei võta mingit protsenti. Kuid valitud rahastamisplatvormil võivad olla oma tasud.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Kogu teie toetus läheb otse pistikprogrammi arendajale; CyberLover ei võta mingit protsenti. Kuid valitud rahastamisplatvormil võivad olla oma tasud.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube keel",
|
"Youtube Language": "Youtube keel",
|
||||||
"Youtube Proxy URL": "Youtube puhverserveri URL"
|
"Youtube Proxy URL": "Youtube puhverserveri URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Gehitu Taldea",
|
"Add Group": "Gehitu Taldea",
|
||||||
"Add Memory": "Gehitu Memoria",
|
"Add Memory": "Gehitu Memoria",
|
||||||
"Add Model": "Gehitu Eredua",
|
"Add Model": "Gehitu Eredua",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "Gehitu Etiketa",
|
"Add Tag": "Gehitu Etiketa",
|
||||||
"Add Tags": "Gehitu Etiketak",
|
"Add Tags": "Gehitu Etiketak",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Gehitu Erabiltzailea",
|
"Add User": "Gehitu Erabiltzailea",
|
||||||
"Add User Group": "Gehitu Erabiltzaile Taldea",
|
"Add User Group": "Gehitu Erabiltzaile Taldea",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Apirila",
|
"April": "Apirila",
|
||||||
"Archive": "Artxibatu",
|
"Archive": "Artxibatu",
|
||||||
"Archive All Chats": "Artxibatu Txat Guztiak",
|
"Archive All Chats": "Artxibatu Txat Guztiak",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Artxibatutako Txatak",
|
"Archived Chats": "Artxibatutako Txatak",
|
||||||
"archived-chat-export": "artxibatutako-txat-esportazioa",
|
"archived-chat-export": "artxibatutako-txat-esportazioa",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannerrak",
|
"Banners": "Bannerrak",
|
||||||
"Base Model (From)": "Oinarrizko Eredua (Nondik)",
|
"Base Model (From)": "Oinarrizko Eredua (Nondik)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "aurretik",
|
"before": "aurretik",
|
||||||
"Being lazy": "Alferra izatea",
|
"Being lazy": "Alferra izatea",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Deia",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Dei funtzioa ez da onartzen Web STT motorra erabiltzean",
|
"Call feature is not supported when using Web STT engine": "Dei funtzioa ez da onartzen Web STT motorra erabiltzean",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Utzi",
|
"Cancel": "Utzi",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Sortu Kontua",
|
"Create Account": "Sortu Kontua",
|
||||||
"Create Admin Account": "Sortu Administratzaile Kontua",
|
"Create Admin Account": "Sortu Administratzaile Kontua",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Sortu Taldea",
|
"Create Group": "Sortu Taldea",
|
||||||
"Create Knowledge": "Sortu Ezagutza",
|
"Create Knowledge": "Sortu Ezagutza",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "ezabatu esteka hau",
|
"delete this link": "ezabatu esteka hau",
|
||||||
"Delete tool?": "Ezabatu tresna?",
|
"Delete tool?": "Ezabatu tresna?",
|
||||||
"Delete User": "Ezabatu Erabiltzailea",
|
"Delete User": "Ezabatu Erabiltzailea",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ezabatu da",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ezabatu da",
|
||||||
"Deleted {{name}}": "{{name}} ezabatu da",
|
"Deleted {{name}}": "{{name}} ezabatu da",
|
||||||
"Deleted User": "Ezabatutako Erabiltzailea",
|
"Deleted User": "Ezabatutako Erabiltzailea",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Bistaratu Emojiak Deietan",
|
"Display Emoji in Call": "Bistaratu Emojiak Deietan",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Erakutsi erabiltzaile-izena Zu-ren ordez Txatean",
|
"Display the username instead of You in the Chat": "Erakutsi erabiltzaile-izena Zu-ren ordez Txatean",
|
||||||
"Displays citations in the response": "Erakutsi aipamenak erantzunean",
|
"Displays citations in the response": "Erakutsi aipamenak erantzunean",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Editatu Baimen Lehenetsiak",
|
"Edit Default Permissions": "Editatu Baimen Lehenetsiak",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Editatu Memoria",
|
"Edit Memory": "Editatu Memoria",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Editatu Erabiltzailea",
|
"Edit User": "Editatu Erabiltzailea",
|
||||||
"Edit User Group": "Editatu Erabiltzaile Taldea",
|
"Edit User Group": "Editatu Erabiltzaile Taldea",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Huts egin du fitxategia gehitzean.",
|
"Failed to add file.": "Huts egin du fitxategia gehitzean.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Huts egin du arbelaren edukia irakurtzean",
|
"Failed to read clipboard contents": "Huts egin du arbelaren edukia irakurtzean",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modeloaren fitxategi sistemaren bidea detektatu da. Modeloaren izen laburra behar da eguneratzeko, ezin da jarraitu.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modeloaren fitxategi sistemaren bidea detektatu da. Modeloaren izen laburra behar da eguneratzeko, ezin da jarraitu.",
|
||||||
"Model Filtering": "Modelo iragazketa",
|
"Model Filtering": "Modelo iragazketa",
|
||||||
"Model ID": "Modelo ID",
|
"Model ID": "Modelo ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Modelo IDak",
|
"Model IDs": "Modelo IDak",
|
||||||
"Model Name": "Modeloaren izena",
|
"Model Name": "Modeloaren izena",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Izena",
|
"Name": "Izena",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Izendatu zure ezagutza-basea",
|
"Name your knowledge base": "Izendatu zure ezagutza-basea",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Mesedez, bete eremu guztiak.",
|
"Please fill in all fields.": "Mesedez, bete eremu guztiak.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Eguneratu",
|
"Update": "Eguneratu",
|
||||||
"Update and Copy Link": "Eguneratu eta kopiatu esteka",
|
"Update and Copy Link": "Eguneratu eta kopiatu esteka",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Eguneratu azken ezaugarri eta hobekuntzak izateko.",
|
"Update for the latest features and improvements.": "Eguneratu azken ezaugarri eta hobekuntzak izateko.",
|
||||||
"Update password": "Eguneratu pasahitza",
|
"Update password": "Eguneratu pasahitza",
|
||||||
"Updated": "Eguneratuta",
|
"Updated": "Eguneratuta",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Zure ekarpen osoa zuzenean plugin garatzaileari joango zaio; CyberLover-k ez du ehunekorik hartzen. Hala ere, aukeratutako finantzaketa plataformak bere komisioak izan ditzake.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Zure ekarpen osoa zuzenean plugin garatzaileari joango zaio; CyberLover-k ez du ehunekorik hartzen. Hala ere, aukeratutako finantzaketa plataformak bere komisioak izan ditzake.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "افزودن گروه",
|
"Add Group": "افزودن گروه",
|
||||||
"Add Memory": "افزودن حافظه",
|
"Add Memory": "افزودن حافظه",
|
||||||
"Add Model": "افزودن مدل",
|
"Add Model": "افزودن مدل",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "افزودن واکنش",
|
"Add Reaction": "افزودن واکنش",
|
||||||
"Add Tag": "افزودن برچسب",
|
"Add Tag": "افزودن برچسب",
|
||||||
"Add Tags": "افزودن برچسب\u200cها",
|
"Add Tags": "افزودن برچسب\u200cها",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "افزودن کاربر",
|
"Add User": "افزودن کاربر",
|
||||||
"Add User Group": "افزودن گروه کاربری",
|
"Add User Group": "افزودن گروه کاربری",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "آوریل",
|
"April": "آوریل",
|
||||||
"Archive": "بایگانی",
|
"Archive": "بایگانی",
|
||||||
"Archive All Chats": "بایگانی همه گفتگوها",
|
"Archive All Chats": "بایگانی همه گفتگوها",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "گفتگوهای بایگانی\u200cشده",
|
"Archived Chats": "گفتگوهای بایگانی\u200cشده",
|
||||||
"archived-chat-export": "خروجی-گفتگوی-بایگانی-شده",
|
"archived-chat-export": "خروجی-گفتگوی-بایگانی-شده",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "آیا مطمئن هستید که می\u200cخواهید تمام حافظه\u200cها را پاک کنید؟ این عمل قابل بازگشت نیست.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "آیا مطمئن هستید که می\u200cخواهید تمام حافظه\u200cها را پاک کنید؟ این عمل قابل بازگشت نیست.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "بنر",
|
"Banners": "بنر",
|
||||||
"Base Model (From)": "مدل پایه (از)",
|
"Base Model (From)": "مدل پایه (از)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "قبل",
|
"before": "قبل",
|
||||||
"Being lazy": "حالت سازنده",
|
"Being lazy": "حالت سازنده",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "تقویم",
|
"Calendar": "تقویم",
|
||||||
"Call": "تماس",
|
|
||||||
"Call feature is not supported when using Web STT engine": "ویژگی تماس هنگام استفاده از موتور Web STT پشتیبانی نمی\u200cشود",
|
"Call feature is not supported when using Web STT engine": "ویژگی تماس هنگام استفاده از موتور Web STT پشتیبانی نمی\u200cشود",
|
||||||
"Camera": "دوربین",
|
"Camera": "دوربین",
|
||||||
"Cancel": "لغو",
|
"Cancel": "لغو",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "ساخت حساب کاربری",
|
"Create Account": "ساخت حساب کاربری",
|
||||||
"Create Admin Account": "ایجاد حساب مدیر",
|
"Create Admin Account": "ایجاد حساب مدیر",
|
||||||
"Create Channel": "ایجاد کانال",
|
"Create Channel": "ایجاد کانال",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "ایجاد گروه",
|
"Create Group": "ایجاد گروه",
|
||||||
"Create Knowledge": "ایجاد دانش",
|
"Create Knowledge": "ایجاد دانش",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "حذف این لینک",
|
"delete this link": "حذف این لینک",
|
||||||
"Delete tool?": "ابزار حذف شود؟",
|
"Delete tool?": "ابزار حذف شود؟",
|
||||||
"Delete User": "حذف کاربر",
|
"Delete User": "حذف کاربر",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} پاک شد",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} پاک شد",
|
||||||
"Deleted {{name}}": "حذف شده {{name}}",
|
"Deleted {{name}}": "حذف شده {{name}}",
|
||||||
"Deleted User": "کاربر حذف شده",
|
"Deleted User": "کاربر حذف شده",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "نمایش اموجی در تماس",
|
"Display Emoji in Call": "نمایش اموجی در تماس",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "نمایش نام کاربری به جای «شما» در چت",
|
"Display the username instead of You in the Chat": "نمایش نام کاربری به جای «شما» در چت",
|
||||||
"Displays citations in the response": "نمایش استنادها در پاسخ",
|
"Displays citations in the response": "نمایش استنادها در پاسخ",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "ویرایش مجوزهای پیش\u200cفرض",
|
"Edit Default Permissions": "ویرایش مجوزهای پیش\u200cفرض",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "ویرایش حافظه",
|
"Edit Memory": "ویرایش حافظه",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "ویرایش کاربر",
|
"Edit User": "ویرایش کاربر",
|
||||||
"Edit User Group": "ویرایش گروه کاربری",
|
"Edit User Group": "ویرایش گروه کاربری",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "خطا در افزودن پرونده",
|
"Failed to add file.": "خطا در افزودن پرونده",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "خطا در اتصال به سرور ابزار OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "خطا در اتصال به سرور ابزار OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "خطا در دریافت مدل\u200cها",
|
"Failed to fetch models": "خطا در دریافت مدل\u200cها",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "خواندن محتوای کلیپ بورد ناموفق بود",
|
"Failed to read clipboard contents": "خواندن محتوای کلیپ بورد ناموفق بود",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "مسیر فایل سیستم مدل یافت شد. برای بروزرسانی نیاز است نام کوتاه مدل وجود داشته باشد.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "مسیر فایل سیستم مدل یافت شد. برای بروزرسانی نیاز است نام کوتاه مدل وجود داشته باشد.",
|
||||||
"Model Filtering": "فیلتر کردن مدل",
|
"Model Filtering": "فیلتر کردن مدل",
|
||||||
"Model ID": "شناسه مدل",
|
"Model ID": "شناسه مدل",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "شناسه\u200cهای مدل",
|
"Model IDs": "شناسه\u200cهای مدل",
|
||||||
"Model Name": "نام مدل",
|
"Model Name": "نام مدل",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "نام",
|
"Name": "نام",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "پایگاه دانش خود را نام\u200cگذاری کنید",
|
"Name your knowledge base": "پایگاه دانش خود را نام\u200cگذاری کنید",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "لطفاً یک URL معتبر وارد کنید",
|
"Please enter a valid URL": "لطفاً یک URL معتبر وارد کنید",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "لطفاً همه فیلدها را پر کنید.",
|
"Please fill in all fields.": "لطفاً همه فیلدها را پر کنید.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "لطفاً ابتدا یک مدل انتخاب کنید.",
|
"Please select a model first.": "لطفاً ابتدا یک مدل انتخاب کنید.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "به\u200cروزرسانی",
|
"Update": "به\u200cروزرسانی",
|
||||||
"Update and Copy Link": "به روزرسانی و کپی لینک",
|
"Update and Copy Link": "به روزرسانی و کپی لینک",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "برای آخرین ویژگی\u200cها و بهبودها به\u200cروزرسانی کنید.",
|
"Update for the latest features and improvements.": "برای آخرین ویژگی\u200cها و بهبودها به\u200cروزرسانی کنید.",
|
||||||
"Update password": "به روزرسانی رمزعبور",
|
"Update password": "به روزرسانی رمزعبور",
|
||||||
"Updated": "بارگذاری شد",
|
"Updated": "بارگذاری شد",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "تمام مشارکت شما مستقیماً به توسعه\u200cدهنده افزونه می\u200cرسد؛ CyberLover هیچ درصدی دریافت نمی\u200cکند. با این حال، پلتفرم تأمین مالی انتخاب شده ممکن است کارمزد خود را داشته باشد.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "تمام مشارکت شما مستقیماً به توسعه\u200cدهنده افزونه می\u200cرسد؛ CyberLover هیچ درصدی دریافت نمی\u200cکند. با این حال، پلتفرم تأمین مالی انتخاب شده ممکن است کارمزد خود را داشته باشد.",
|
||||||
"YouTube": "یوتیوب",
|
"YouTube": "یوتیوب",
|
||||||
"Youtube Language": "زبان یوتیوب",
|
"Youtube Language": "زبان یوتیوب",
|
||||||
"Youtube Proxy URL": "آدرس پراکسی یوتیوب"
|
"Youtube Proxy URL": "آدرس پراکسی یوتیوب",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Lisää ryhmä",
|
"Add Group": "Lisää ryhmä",
|
||||||
"Add Memory": "Lisää muistiin",
|
"Add Memory": "Lisää muistiin",
|
||||||
"Add Model": "Lisää malli",
|
"Add Model": "Lisää malli",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Lisää reaktio",
|
"Add Reaction": "Lisää reaktio",
|
||||||
"Add Tag": "Lisää tagi",
|
"Add Tag": "Lisää tagi",
|
||||||
"Add Tags": "Lisää tageja",
|
"Add Tags": "Lisää tageja",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Lisää käyttäjä",
|
"Add User": "Lisää käyttäjä",
|
||||||
"Add User Group": "Lisää käyttäjäryhmä",
|
"Add User Group": "Lisää käyttäjäryhmä",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Lisäasetukset",
|
"Additional Config": "Lisäasetukset",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "Lisäparametrit",
|
"Additional Parameters": "Lisäparametrit",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "huhtikuu",
|
"April": "huhtikuu",
|
||||||
"Archive": "Arkistoi",
|
"Archive": "Arkistoi",
|
||||||
"Archive All Chats": "Arkistoi kaikki keskustelut",
|
"Archive All Chats": "Arkistoi kaikki keskustelut",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arkistoidut keskustelut",
|
"Archived Chats": "Arkistoidut keskustelut",
|
||||||
"archived-chat-export": "arkistoitu-keskustelu-vienti",
|
"archived-chat-export": "arkistoitu-keskustelu-vienti",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Haluatko varmasti tyhjentää kaikki muistot? Tätä toimintoa ei voi peruuttaa.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Haluatko varmasti tyhjentää kaikki muistot? Tätä toimintoa ei voi peruuttaa.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannerit",
|
"Banners": "Bannerit",
|
||||||
"Base Model (From)": "Perusmalli (alkaen)",
|
"Base Model (From)": "Perusmalli (alkaen)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Perusmalliluettelon välimuisti nopeuttaa käyttöä hakemalla perusmallit vain käynnistyksen yhteydessä tai asetusten tallentamisen yhteydessä - nopeampaa, mutta ei välttämättä näytä viimeisimpiä perusmallin muutoksia.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Perusmalliluettelon välimuisti nopeuttaa käyttöä hakemalla perusmallit vain käynnistyksen yhteydessä tai asetusten tallentamisen yhteydessä - nopeampaa, mutta ei välttämättä näytä viimeisimpiä perusmallin muutoksia.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "ennen",
|
"before": "ennen",
|
||||||
"Being lazy": "Oli laiska",
|
"Being lazy": "Oli laiska",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Ohita verkkolataaja",
|
"Bypass Web Loader": "Ohita verkkolataaja",
|
||||||
"Cache Base Model List": "Malli listan välimuisti",
|
"Cache Base Model List": "Malli listan välimuisti",
|
||||||
"Calendar": "Kalenteri",
|
"Calendar": "Kalenteri",
|
||||||
"Call": "Puhelu",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Puhelutoimintoa ei tueta käytettäessä web-puheentunnistusmoottoria",
|
"Call feature is not supported when using Web STT engine": "Puhelutoimintoa ei tueta käytettäessä web-puheentunnistusmoottoria",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Peruuta",
|
"Cancel": "Peruuta",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Luo tili",
|
"Create Account": "Luo tili",
|
||||||
"Create Admin Account": "Luo ylläpitäjätili",
|
"Create Admin Account": "Luo ylläpitäjätili",
|
||||||
"Create Channel": "Luo kanava",
|
"Create Channel": "Luo kanava",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Luo kansio",
|
"Create Folder": "Luo kansio",
|
||||||
"Create Group": "Luo ryhmä",
|
"Create Group": "Luo ryhmä",
|
||||||
"Create Knowledge": "Luo tietoa",
|
"Create Knowledge": "Luo tietoa",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "poista tämä linkki",
|
"delete this link": "poista tämä linkki",
|
||||||
"Delete tool?": "Haluatko varmasti poistaa tämän työkalun?",
|
"Delete tool?": "Haluatko varmasti poistaa tämän työkalun?",
|
||||||
"Delete User": "Poista käyttäjä",
|
"Delete User": "Poista käyttäjä",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Poistettu {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Poistettu {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Poistettu {{nimi}}",
|
"Deleted {{name}}": "Poistettu {{nimi}}",
|
||||||
"Deleted User": "Käyttäjä poistettu",
|
"Deleted User": "Käyttäjä poistettu",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "Näytä keskustelu otiskko välilehdessä",
|
"Display chat title in tab": "Näytä keskustelu otiskko välilehdessä",
|
||||||
"Display Emoji in Call": "Näytä hymiöitä puhelussa",
|
"Display Emoji in Call": "Näytä hymiöitä puhelussa",
|
||||||
"Display Multi-model Responses in Tabs": "Näytä usean mallin vastaukset välilehdissä",
|
"Display Multi-model Responses in Tabs": "Näytä usean mallin vastaukset välilehdissä",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Näytä käyttäjänimi keskustelussa \"Sinä\" -tekstin sijaan",
|
"Display the username instead of You in the Chat": "Näytä käyttäjänimi keskustelussa \"Sinä\" -tekstin sijaan",
|
||||||
"Displays citations in the response": "Näyttää lähdeviitteet vastauksessa",
|
"Displays citations in the response": "Näyttää lähdeviitteet vastauksessa",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Näyttä tilapäivityksiä (esim. verkkohaku) vastauksissa",
|
"Displays status updates (e.g., web search progress) in the response": "Näyttä tilapäivityksiä (esim. verkkohaku) vastauksissa",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Muokkaa oletuskäyttöoikeuksia",
|
"Edit Default Permissions": "Muokkaa oletuskäyttöoikeuksia",
|
||||||
"Edit Folder": "Muokkaa kansiota",
|
"Edit Folder": "Muokkaa kansiota",
|
||||||
"Edit Memory": "Muokkaa muistia",
|
"Edit Memory": "Muokkaa muistia",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Muokkaa käyttäjää",
|
"Edit User": "Muokkaa käyttäjää",
|
||||||
"Edit User Group": "Muokkaa käyttäjäryhmää",
|
"Edit User Group": "Muokkaa käyttäjäryhmää",
|
||||||
"edited": "muokattu",
|
"edited": "muokattu",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "Ulkoinen Web Search verkko-osoite",
|
"External Web Search URL": "Ulkoinen Web Search verkko-osoite",
|
||||||
"Fade Effect for Streaming Text": "Häivytystehoste suoratoistetulle tekstille",
|
"Fade Effect for Streaming Text": "Häivytystehoste suoratoistetulle tekstille",
|
||||||
"Failed to add file.": "Tiedoston lisääminen epäonnistui.",
|
"Failed to add file.": "Tiedoston lisääminen epäonnistui.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Yhdistäminen {{URL}} OpenAPI työkalu palvelimeen epäonnistui",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Yhdistäminen {{URL}} OpenAPI työkalu palvelimeen epäonnistui",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Linkin kopiointi epäonnistui",
|
"Failed to copy link": "Linkin kopiointi epäonnistui",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Mallien hakeminen epäonnistui",
|
"Failed to fetch models": "Mallien hakeminen epäonnistui",
|
||||||
"Failed to generate title": "Otsikon luonti epäonnistui",
|
"Failed to generate title": "Otsikon luonti epäonnistui",
|
||||||
"Failed to import models": "Mallien tuonti epäonnistui",
|
"Failed to import models": "Mallien tuonti epäonnistui",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Keskustelun esikatselun lataaminen epäonnistui",
|
"Failed to load chat preview": "Keskustelun esikatselun lataaminen epäonnistui",
|
||||||
"Failed to load file content.": "Tiedoston sisällön lataaminen epäonnistui.",
|
"Failed to load file content.": "Tiedoston sisällön lataaminen epäonnistui.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "Keskustelun siirto epäonnistui",
|
"Failed to move chat": "Keskustelun siirto epäonnistui",
|
||||||
"Failed to read clipboard contents": "Leikepöydän sisällön lukeminen epäonnistui",
|
"Failed to read clipboard contents": "Leikepöydän sisällön lukeminen epäonnistui",
|
||||||
"Failed to render diagram": "Diagrammin renderöinti epäonnistui",
|
"Failed to render diagram": "Diagrammin renderöinti epäonnistui",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Mallin tiedostojärjestelmäpolku havaittu. Mallin lyhytnimi vaaditaan päivitykseen, ei voida jatkaa.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Mallin tiedostojärjestelmäpolku havaittu. Mallin lyhytnimi vaaditaan päivitykseen, ei voida jatkaa.",
|
||||||
"Model Filtering": "Mallin suodatus",
|
"Model Filtering": "Mallin suodatus",
|
||||||
"Model ID": "Mallin tunnus",
|
"Model ID": "Mallin tunnus",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "Mallin tunnus on pakollinen",
|
"Model ID is required.": "Mallin tunnus on pakollinen",
|
||||||
"Model IDs": "Mallitunnukset",
|
"Model IDs": "Mallitunnukset",
|
||||||
"Model Name": "Mallin nimi",
|
"Model Name": "Mallin nimi",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Ytimekkäämpi",
|
"More Concise": "Ytimekkäämpi",
|
||||||
"More Options": "Lisää vaihtoehtoja",
|
"More Options": "Lisää vaihtoehtoja",
|
||||||
"Move": "Siirrä",
|
"Move": "Siirrä",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nimi",
|
"Name": "Nimi",
|
||||||
"Name and ID are required, please fill them out": "Nimi ja ID vaaditaan, täytä puuttuvat kentät",
|
"Name and ID are required, please fill them out": "Nimi ja ID vaaditaan, täytä puuttuvat kentät",
|
||||||
"Name your knowledge base": "Anna tietokannalle nimi",
|
"Name your knowledge base": "Anna tietokannalle nimi",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Kirjoita kelvollinen verkko-osoite",
|
"Please enter a valid URL": "Kirjoita kelvollinen verkko-osoite",
|
||||||
"Please enter a valid URL.": "Kirjoita kelvollinen verkko-osoite",
|
"Please enter a valid URL.": "Kirjoita kelvollinen verkko-osoite",
|
||||||
"Please fill in all fields.": "Täytä kaikki kentät.",
|
"Please fill in all fields.": "Täytä kaikki kentät.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "Rekisteröi OAuth asiakasohjelma",
|
"Please register the OAuth client": "Rekisteröi OAuth asiakasohjelma",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "Tallenna yhteys, jotta OAuth-asiakastiedot säilyvät, äläkä muuta tunnusta.",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "Tallenna yhteys, jotta OAuth-asiakastiedot säilyvät, äläkä muuta tunnusta.",
|
||||||
"Please select a model first.": "Valitse ensin malli.",
|
"Please select a model first.": "Valitse ensin malli.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Nimetön",
|
"Untitled": "Nimetön",
|
||||||
"Update": "Päivitä",
|
"Update": "Päivitä",
|
||||||
"Update and Copy Link": "Päivitä ja kopioi linkki",
|
"Update and Copy Link": "Päivitä ja kopioi linkki",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Päivitä uusimpiin ominaisuuksiin ja parannuksiin.",
|
"Update for the latest features and improvements.": "Päivitä uusimpiin ominaisuuksiin ja parannuksiin.",
|
||||||
"Update password": "Päivitä salasana",
|
"Update password": "Päivitä salasana",
|
||||||
"Updated": "Päivitetty",
|
"Updated": "Päivitetty",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Koko panoksesi menee suoraan lisäosan kehittäjälle; CyberLover ei pidätä prosenttiosuutta. Valittu rahoitusalusta voi kuitenkin periä omia maksujaan.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Koko panoksesi menee suoraan lisäosan kehittäjälle; CyberLover ei pidätä prosenttiosuutta. Valittu rahoitusalusta voi kuitenkin periä omia maksujaan.",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "Youtube kieli",
|
"Youtube Language": "Youtube kieli",
|
||||||
"Youtube Proxy URL": "Youtube-välityspalvelimen verkko-osoite"
|
"Youtube Proxy URL": "Youtube-välityspalvelimen verkko-osoite",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Ajouter un groupe",
|
"Add Group": "Ajouter un groupe",
|
||||||
"Add Memory": "Ajouter un souvenir",
|
"Add Memory": "Ajouter un souvenir",
|
||||||
"Add Model": "Ajouter un modèle",
|
"Add Model": "Ajouter un modèle",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Ajouter une réaction",
|
"Add Reaction": "Ajouter une réaction",
|
||||||
"Add Tag": "Ajouter un tag",
|
"Add Tag": "Ajouter un tag",
|
||||||
"Add Tags": "Ajouter des tags",
|
"Add Tags": "Ajouter des tags",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Ajouter un utilisateur",
|
"Add User": "Ajouter un utilisateur",
|
||||||
"Add User Group": "Ajouter un groupe d'utilisateurs",
|
"Add User Group": "Ajouter un groupe d'utilisateurs",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Avril",
|
"April": "Avril",
|
||||||
"Archive": "Archiver",
|
"Archive": "Archiver",
|
||||||
"Archive All Chats": "Archiver toutes les conversations",
|
"Archive All Chats": "Archiver toutes les conversations",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Conversations archivées",
|
"Archived Chats": "Conversations archivées",
|
||||||
"archived-chat-export": "exportation de conversation archivée",
|
"archived-chat-export": "exportation de conversation archivée",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Êtes-vous certain de vouloir supprimer toutes les mémoires ? Cette action est définitive.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Êtes-vous certain de vouloir supprimer toutes les mémoires ? Cette action est définitive.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannières",
|
"Banners": "Bannières",
|
||||||
"Base Model (From)": "Modèle de base (à partir de)",
|
"Base Model (From)": "Modèle de base (à partir de)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "La mise en cache de la liste des modèles de base accélère l'accès en ne récupérant les modèles de base qu'au démarrage ou lors de la sauvegarde des réglages - plus rapide, mais peut ne pas afficher les modifications récentes des modèles de base.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "La mise en cache de la liste des modèles de base accélère l'accès en ne récupérant les modèles de base qu'au démarrage ou lors de la sauvegarde des réglages - plus rapide, mais peut ne pas afficher les modifications récentes des modèles de base.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "avant",
|
"before": "avant",
|
||||||
"Being lazy": "Être fainéant",
|
"Being lazy": "Être fainéant",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Ignorer le chargeur Web",
|
"Bypass Web Loader": "Ignorer le chargeur Web",
|
||||||
"Cache Base Model List": "Mettre en cache la liste des modèles de base",
|
"Cache Base Model List": "Mettre en cache la liste des modèles de base",
|
||||||
"Calendar": "Calendrier",
|
"Calendar": "Calendrier",
|
||||||
"Call": "Appeler",
|
|
||||||
"Call feature is not supported when using Web STT engine": "La fonction d'appel n'est pas prise en charge lors de l'utilisation du moteur Web STT",
|
"Call feature is not supported when using Web STT engine": "La fonction d'appel n'est pas prise en charge lors de l'utilisation du moteur Web STT",
|
||||||
"Camera": "Appareil photo",
|
"Camera": "Appareil photo",
|
||||||
"Cancel": "Annuler",
|
"Cancel": "Annuler",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Créer un compte",
|
"Create Account": "Créer un compte",
|
||||||
"Create Admin Account": "Créer un compte administrateur",
|
"Create Admin Account": "Créer un compte administrateur",
|
||||||
"Create Channel": "Créer un canal",
|
"Create Channel": "Créer un canal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Créer un groupe",
|
"Create Group": "Créer un groupe",
|
||||||
"Create Knowledge": "Créer une connaissance",
|
"Create Knowledge": "Créer une connaissance",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "supprimer ce lien",
|
"delete this link": "supprimer ce lien",
|
||||||
"Delete tool?": "Effacer l'outil ?",
|
"Delete tool?": "Effacer l'outil ?",
|
||||||
"Delete User": "Supprimer le compte d'utilisateur",
|
"Delete User": "Supprimer le compte d'utilisateur",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Supprimé {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Supprimé {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Supprimé {{name}}",
|
"Deleted {{name}}": "Supprimé {{name}}",
|
||||||
"Deleted User": "Utilisateur supprimé",
|
"Deleted User": "Utilisateur supprimé",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Afficher les emojis pendant l'appel",
|
"Display Emoji in Call": "Afficher les emojis pendant l'appel",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Afficher le nom d'utilisateur à la place de \"Vous\" dans la conversation",
|
"Display the username instead of You in the Chat": "Afficher le nom d'utilisateur à la place de \"Vous\" dans la conversation",
|
||||||
"Displays citations in the response": "Affiche les citations dans la réponse",
|
"Displays citations in the response": "Affiche les citations dans la réponse",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Modifier les autorisations par défaut",
|
"Edit Default Permissions": "Modifier les autorisations par défaut",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Modifier la mémoire",
|
"Edit Memory": "Modifier la mémoire",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Modifier l'utilisateur",
|
"Edit User": "Modifier l'utilisateur",
|
||||||
"Edit User Group": "Modifier le groupe d'utilisateurs",
|
"Edit User Group": "Modifier le groupe d'utilisateurs",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL de la recherche Web externe",
|
"External Web Search URL": "URL de la recherche Web externe",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Échec de l'ajout du fichier.",
|
"Failed to add file.": "Échec de l'ajout du fichier.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Échec de la copie du lien",
|
"Failed to copy link": "Échec de la copie du lien",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Échec de la récupération des modèles",
|
"Failed to fetch models": "Échec de la récupération des modèles",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "Échec du chargement du contenu du fichier",
|
"Failed to load file content.": "Échec du chargement du contenu du fichier",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers",
|
"Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Chemin du système de fichiers de modèle détecté. Le nom court du modèle est requis pour la mise à jour, l'opération ne peut pas être poursuivie.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Chemin du système de fichiers de modèle détecté. Le nom court du modèle est requis pour la mise à jour, l'opération ne peut pas être poursuivie.",
|
||||||
"Model Filtering": "Filtrage de modèle",
|
"Model Filtering": "Filtrage de modèle",
|
||||||
"Model ID": "ID du modèle",
|
"Model ID": "ID du modèle",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "ID des modèles",
|
"Model IDs": "ID des modèles",
|
||||||
"Model Name": "Nom du modèle",
|
"Model Name": "Nom du modèle",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nom d'utilisateur",
|
"Name": "Nom d'utilisateur",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Nommez votre base de connaissances",
|
"Name your knowledge base": "Nommez votre base de connaissances",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Veuillez entrer une URL valide",
|
"Please enter a valid URL": "Veuillez entrer une URL valide",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Veuillez remplir tous les champs.",
|
"Please fill in all fields.": "Veuillez remplir tous les champs.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Veuillez d'abord sélectionner un modèle.",
|
"Please select a model first.": "Veuillez d'abord sélectionner un modèle.",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "Sans titre",
|
"Untitled": "Sans titre",
|
||||||
"Update": "Mise à jour",
|
"Update": "Mise à jour",
|
||||||
"Update and Copy Link": "Mettre à jour et copier le lien",
|
"Update and Copy Link": "Mettre à jour et copier le lien",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Mettez à jour pour bénéficier des dernières fonctionnalités et améliorations.",
|
"Update for the latest features and improvements.": "Mettez à jour pour bénéficier des dernières fonctionnalités et améliorations.",
|
||||||
"Update password": "Mettre à jour le mot de passe",
|
"Update password": "Mettre à jour le mot de passe",
|
||||||
"Updated": "Mis à jour",
|
"Updated": "Mis à jour",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "L'intégralité de votre contribution ira directement au développeur du plugin ; CyberLover ne prend aucun pourcentage. Cependant, la plateforme de financement choisie peut avoir ses propres frais.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "L'intégralité de votre contribution ira directement au développeur du plugin ; CyberLover ne prend aucun pourcentage. Cependant, la plateforme de financement choisie peut avoir ses propres frais.",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "Langue de Youtube",
|
"Youtube Language": "Langue de Youtube",
|
||||||
"Youtube Proxy URL": "URL du proxy YouTube"
|
"Youtube Proxy URL": "URL du proxy YouTube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Ajouter un groupe",
|
"Add Group": "Ajouter un groupe",
|
||||||
"Add Memory": "Ajouter un souvenir",
|
"Add Memory": "Ajouter un souvenir",
|
||||||
"Add Model": "Ajouter un modèle",
|
"Add Model": "Ajouter un modèle",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Ajouter une réaction",
|
"Add Reaction": "Ajouter une réaction",
|
||||||
"Add Tag": "Ajouter un tag",
|
"Add Tag": "Ajouter un tag",
|
||||||
"Add Tags": "Ajouter des tags",
|
"Add Tags": "Ajouter des tags",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Ajouter un utilisateur",
|
"Add User": "Ajouter un utilisateur",
|
||||||
"Add User Group": "Ajouter un groupe d'utilisateurs",
|
"Add User Group": "Ajouter un groupe d'utilisateurs",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Configuration supplémentaire",
|
"Additional Config": "Configuration supplémentaire",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Avril",
|
"April": "Avril",
|
||||||
"Archive": "Archiver",
|
"Archive": "Archiver",
|
||||||
"Archive All Chats": "Archiver toutes les conversations",
|
"Archive All Chats": "Archiver toutes les conversations",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Conversations archivées",
|
"Archived Chats": "Conversations archivées",
|
||||||
"archived-chat-export": "exportation de conversation archivée",
|
"archived-chat-export": "exportation de conversation archivée",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Êtes-vous certain de vouloir supprimer toutes les mémoires ? Cette action est définitive.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Êtes-vous certain de vouloir supprimer toutes les mémoires ? Cette action est définitive.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannières",
|
"Banners": "Bannières",
|
||||||
"Base Model (From)": "Modèle de base (à partir de)",
|
"Base Model (From)": "Modèle de base (à partir de)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "La mise en cache de la liste des modèles de base accélère l'accès en ne récupérant les modèles de base qu'au démarrage ou lors de la sauvegarde des réglages - plus rapide, mais peut ne pas afficher les modifications récentes des modèles de base.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "La mise en cache de la liste des modèles de base accélère l'accès en ne récupérant les modèles de base qu'au démarrage ou lors de la sauvegarde des réglages - plus rapide, mais peut ne pas afficher les modifications récentes des modèles de base.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "avant",
|
"before": "avant",
|
||||||
"Being lazy": "Être fainéant",
|
"Being lazy": "Être fainéant",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Ignorer le chargeur Web",
|
"Bypass Web Loader": "Ignorer le chargeur Web",
|
||||||
"Cache Base Model List": "Mettre en cache la liste des modèles de base",
|
"Cache Base Model List": "Mettre en cache la liste des modèles de base",
|
||||||
"Calendar": "Calendrier",
|
"Calendar": "Calendrier",
|
||||||
"Call": "Appeler",
|
|
||||||
"Call feature is not supported when using Web STT engine": "La fonction d'appel n'est pas prise en charge lors de l'utilisation du moteur Web STT",
|
"Call feature is not supported when using Web STT engine": "La fonction d'appel n'est pas prise en charge lors de l'utilisation du moteur Web STT",
|
||||||
"Camera": "Appareil photo",
|
"Camera": "Appareil photo",
|
||||||
"Cancel": "Annuler",
|
"Cancel": "Annuler",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Créer un compte",
|
"Create Account": "Créer un compte",
|
||||||
"Create Admin Account": "Créer un compte administrateur",
|
"Create Admin Account": "Créer un compte administrateur",
|
||||||
"Create Channel": "Créer un canal",
|
"Create Channel": "Créer un canal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Créer un dossier",
|
"Create Folder": "Créer un dossier",
|
||||||
"Create Group": "Créer un groupe",
|
"Create Group": "Créer un groupe",
|
||||||
"Create Knowledge": "Créer une connaissance",
|
"Create Knowledge": "Créer une connaissance",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "supprimer ce lien",
|
"delete this link": "supprimer ce lien",
|
||||||
"Delete tool?": "Effacer l'outil ?",
|
"Delete tool?": "Effacer l'outil ?",
|
||||||
"Delete User": "Supprimer le compte d'utilisateur",
|
"Delete User": "Supprimer le compte d'utilisateur",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Supprimé {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Supprimé {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Supprimé {{name}}",
|
"Deleted {{name}}": "Supprimé {{name}}",
|
||||||
"Deleted User": "Utilisateur supprimé",
|
"Deleted User": "Utilisateur supprimé",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Afficher les emojis pendant l'appel",
|
"Display Emoji in Call": "Afficher les emojis pendant l'appel",
|
||||||
"Display Multi-model Responses in Tabs": "Afficher les réponses multi-modèles dans des onglets",
|
"Display Multi-model Responses in Tabs": "Afficher les réponses multi-modèles dans des onglets",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Afficher le nom d'utilisateur à la place de \"Vous\" dans la conversation",
|
"Display the username instead of You in the Chat": "Afficher le nom d'utilisateur à la place de \"Vous\" dans la conversation",
|
||||||
"Displays citations in the response": "Affiche les citations dans la réponse",
|
"Displays citations in the response": "Affiche les citations dans la réponse",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Affiche les mises à jour de statut (Ex : la progression de la recherche sur le Web) dans la réponse",
|
"Displays status updates (e.g., web search progress) in the response": "Affiche les mises à jour de statut (Ex : la progression de la recherche sur le Web) dans la réponse",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Modifier les autorisations par défaut",
|
"Edit Default Permissions": "Modifier les autorisations par défaut",
|
||||||
"Edit Folder": "Modifier le dossier",
|
"Edit Folder": "Modifier le dossier",
|
||||||
"Edit Memory": "Modifier la mémoire",
|
"Edit Memory": "Modifier la mémoire",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Modifier l'utilisateur",
|
"Edit User": "Modifier l'utilisateur",
|
||||||
"Edit User Group": "Modifier le groupe d'utilisateurs",
|
"Edit User Group": "Modifier le groupe d'utilisateurs",
|
||||||
"edited": "édité",
|
"edited": "édité",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL de la recherche Web externe",
|
"External Web Search URL": "URL de la recherche Web externe",
|
||||||
"Fade Effect for Streaming Text": "Effet de fondu pour le texte en streaming",
|
"Fade Effect for Streaming Text": "Effet de fondu pour le texte en streaming",
|
||||||
"Failed to add file.": "Échec de l'ajout du fichier.",
|
"Failed to add file.": "Échec de l'ajout du fichier.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Échec de la connexion au serveur d'outils OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Échec de la copie du lien",
|
"Failed to copy link": "Échec de la copie du lien",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Échec de la récupération des modèles",
|
"Failed to fetch models": "Échec de la récupération des modèles",
|
||||||
"Failed to generate title": "Échec de la génération du titre",
|
"Failed to generate title": "Échec de la génération du titre",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Échec du chargement de l'aperçu du chat",
|
"Failed to load chat preview": "Échec du chargement de l'aperçu du chat",
|
||||||
"Failed to load file content.": "Échec du chargement du contenu du fichier",
|
"Failed to load file content.": "Échec du chargement du contenu du fichier",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "Échec du déplacement du chat",
|
"Failed to move chat": "Échec du déplacement du chat",
|
||||||
"Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers",
|
"Failed to read clipboard contents": "Échec de la lecture du contenu du presse-papiers",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Chemin du système de fichiers de modèle détecté. Le nom court du modèle est requis pour la mise à jour, l'opération ne peut pas être poursuivie.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Chemin du système de fichiers de modèle détecté. Le nom court du modèle est requis pour la mise à jour, l'opération ne peut pas être poursuivie.",
|
||||||
"Model Filtering": "Filtrage de modèle",
|
"Model Filtering": "Filtrage de modèle",
|
||||||
"Model ID": "ID du modèle",
|
"Model ID": "ID du modèle",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "L'ID du modèle est requis.",
|
"Model ID is required.": "L'ID du modèle est requis.",
|
||||||
"Model IDs": "ID des modèles",
|
"Model IDs": "ID des modèles",
|
||||||
"Model Name": "Nom du modèle",
|
"Model Name": "Nom du modèle",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Plus concis",
|
"More Concise": "Plus concis",
|
||||||
"More Options": "Plus d'options",
|
"More Options": "Plus d'options",
|
||||||
"Move": "Déplacer",
|
"Move": "Déplacer",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nom d'utilisateur",
|
"Name": "Nom d'utilisateur",
|
||||||
"Name and ID are required, please fill them out": "Le nom et l'identifiant sont obligatoires, veuillez les remplir",
|
"Name and ID are required, please fill them out": "Le nom et l'identifiant sont obligatoires, veuillez les remplir",
|
||||||
"Name your knowledge base": "Nommez votre base de connaissances",
|
"Name your knowledge base": "Nommez votre base de connaissances",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Veuillez entrer une URL valide",
|
"Please enter a valid URL": "Veuillez entrer une URL valide",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Veuillez remplir tous les champs.",
|
"Please fill in all fields.": "Veuillez remplir tous les champs.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Veuillez d'abord sélectionner un modèle.",
|
"Please select a model first.": "Veuillez d'abord sélectionner un modèle.",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "Sans titre",
|
"Untitled": "Sans titre",
|
||||||
"Update": "Mise à jour",
|
"Update": "Mise à jour",
|
||||||
"Update and Copy Link": "Mettre à jour et copier le lien",
|
"Update and Copy Link": "Mettre à jour et copier le lien",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Mettez à jour pour bénéficier des dernières fonctionnalités et améliorations.",
|
"Update for the latest features and improvements.": "Mettez à jour pour bénéficier des dernières fonctionnalités et améliorations.",
|
||||||
"Update password": "Mettre à jour le mot de passe",
|
"Update password": "Mettre à jour le mot de passe",
|
||||||
"Updated": "Mis à jour",
|
"Updated": "Mis à jour",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "L'intégralité de votre contribution ira directement au développeur du plugin ; CyberLover ne prend aucun pourcentage. Cependant, la plateforme de financement choisie peut avoir ses propres frais.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "L'intégralité de votre contribution ira directement au développeur du plugin ; CyberLover ne prend aucun pourcentage. Cependant, la plateforme de financement choisie peut avoir ses propres frais.",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "Langue de Youtube",
|
"Youtube Language": "Langue de Youtube",
|
||||||
"Youtube Proxy URL": "URL du proxy YouTube"
|
"Youtube Proxy URL": "URL du proxy YouTube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Agregar Grupo",
|
"Add Group": "Agregar Grupo",
|
||||||
"Add Memory": "Agregar Memoria",
|
"Add Memory": "Agregar Memoria",
|
||||||
"Add Model": "Agregar Modelo",
|
"Add Model": "Agregar Modelo",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Agregar Reacción",
|
"Add Reaction": "Agregar Reacción",
|
||||||
"Add Tag": "Agregar etiqueta",
|
"Add Tag": "Agregar etiqueta",
|
||||||
"Add Tags": "agregar etiquetas",
|
"Add Tags": "agregar etiquetas",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Agregar Usuario",
|
"Add User": "Agregar Usuario",
|
||||||
"Add User Group": "Agregar usuario al grupo",
|
"Add User Group": "Agregar usuario al grupo",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Abril",
|
"April": "Abril",
|
||||||
"Archive": "Arquivar",
|
"Archive": "Arquivar",
|
||||||
"Archive All Chats": "Arquivar todos os chats",
|
"Archive All Chats": "Arquivar todos os chats",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Chats arquivados",
|
"Archived Chats": "Chats arquivados",
|
||||||
"archived-chat-export": "Exportación de chats arquivados",
|
"archived-chat-export": "Exportación de chats arquivados",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Mensaxes emerxentes",
|
"Banners": "Mensaxes emerxentes",
|
||||||
"Base Model (From)": "Modelo base (desde)",
|
"Base Model (From)": "Modelo base (desde)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "antes",
|
"before": "antes",
|
||||||
"Being lazy": "Ser pregizeiro",
|
"Being lazy": "Ser pregizeiro",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Chamada",
|
|
||||||
"Call feature is not supported when using Web STT engine": "A funcionalidade da chamada non pode usarse xunto co motor da STT Web",
|
"Call feature is not supported when using Web STT engine": "A funcionalidade da chamada non pode usarse xunto co motor da STT Web",
|
||||||
"Camera": "Cámara",
|
"Camera": "Cámara",
|
||||||
"Cancel": "Cancelar",
|
"Cancel": "Cancelar",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Xerar unha conta",
|
"Create Account": "Xerar unha conta",
|
||||||
"Create Admin Account": "Xerar conta administrativa",
|
"Create Admin Account": "Xerar conta administrativa",
|
||||||
"Create Channel": "Xerar Canal",
|
"Create Channel": "Xerar Canal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Xerar grupo",
|
"Create Group": "Xerar grupo",
|
||||||
"Create Knowledge": "Xerar Conocemento",
|
"Create Knowledge": "Xerar Conocemento",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "Borrar este enlace",
|
"delete this link": "Borrar este enlace",
|
||||||
"Delete tool?": "Borrar a ferramenta",
|
"Delete tool?": "Borrar a ferramenta",
|
||||||
"Delete User": "Borrar Usuario",
|
"Delete User": "Borrar Usuario",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Se borró {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Se borró {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Eliminado {{nombre}}",
|
"Deleted {{name}}": "Eliminado {{nombre}}",
|
||||||
"Deleted User": "Usuario eliminado",
|
"Deleted User": "Usuario eliminado",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Muestra Emoji en chamada",
|
"Display Emoji in Call": "Muestra Emoji en chamada",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Mostrar o nombre de usuario en lugar de Vostede no chat",
|
"Display the username instead of You in the Chat": "Mostrar o nombre de usuario en lugar de Vostede no chat",
|
||||||
"Displays citations in the response": "Muestra citas en arespuesta",
|
"Displays citations in the response": "Muestra citas en arespuesta",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Editar permisos predeterminados",
|
"Edit Default Permissions": "Editar permisos predeterminados",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Editar Memoria",
|
"Edit Memory": "Editar Memoria",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Editar Usuario",
|
"Edit User": "Editar Usuario",
|
||||||
"Edit User Group": "Editar grupo de usuarios",
|
"Edit User Group": "Editar grupo de usuarios",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Non pudo agregarse o Arquivo.",
|
"Failed to add file.": "Non pudo agregarse o Arquivo.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Non puderon obterse os modelos",
|
"Failed to fetch models": "Non puderon obterse os modelos",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Non pudo Lerse o contido do portapapeles",
|
"Failed to read clipboard contents": "Non pudo Lerse o contido do portapapeles",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Destectouse a ruta do sistema de ficheiros do modelo. É necesario o nome curto do modelo para a actualización, non se pode continuar.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Destectouse a ruta do sistema de ficheiros do modelo. É necesario o nome curto do modelo para a actualización, non se pode continuar.",
|
||||||
"Model Filtering": "Filtrado de modelos",
|
"Model Filtering": "Filtrado de modelos",
|
||||||
"Model ID": "ID do modelo",
|
"Model ID": "ID do modelo",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "IDs de modelos",
|
"Model IDs": "IDs de modelos",
|
||||||
"Model Name": "Nombre do modelo",
|
"Model Name": "Nombre do modelo",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nombre",
|
"Name": "Nombre",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Nombra a tua base de coñecementos",
|
"Name your knowledge base": "Nombra a tua base de coñecementos",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Por favor llene todos os campos.",
|
"Please fill in all fields.": "Por favor llene todos os campos.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Por favor seleccione un modelo primeiro.",
|
"Please select a model first.": "Por favor seleccione un modelo primeiro.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Actualizar",
|
"Update": "Actualizar",
|
||||||
"Update and Copy Link": "Actualizar y copiar enlace",
|
"Update and Copy Link": "Actualizar y copiar enlace",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Actualize para as últimas características e mejoras.",
|
"Update for the latest features and improvements.": "Actualize para as últimas características e mejoras.",
|
||||||
"Update password": "Actualizar contrasinal ",
|
"Update password": "Actualizar contrasinal ",
|
||||||
"Updated": "Actualizado",
|
"Updated": "Actualizado",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "A sua contribución completa irá directamente o desarrollador do plugin; CyberLover non toma ningun porcentaxe. Sin embargo, a plataforma de financiación elegida podría ter as suas propias tarifas.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "A sua contribución completa irá directamente o desarrollador do plugin; CyberLover non toma ningun porcentaxe. Sin embargo, a plataforma de financiación elegida podría ter as suas propias tarifas.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "הוסף קבוצה",
|
"Add Group": "הוסף קבוצה",
|
||||||
"Add Memory": "הוסף זיכרון",
|
"Add Memory": "הוסף זיכרון",
|
||||||
"Add Model": "הוסף מודל",
|
"Add Model": "הוסף מודל",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "הוסף תג",
|
"Add Tag": "הוסף תג",
|
||||||
"Add Tags": "הוסף תגים",
|
"Add Tags": "הוסף תגים",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "הוסף משתמש",
|
"Add User": "הוסף משתמש",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "אפריל",
|
"April": "אפריל",
|
||||||
"Archive": "ארכיון",
|
"Archive": "ארכיון",
|
||||||
"Archive All Chats": "אחסן בארכיון את כל הצ'אטים",
|
"Archive All Chats": "אחסן בארכיון את כל הצ'אטים",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "צ'אטים מאורכבים",
|
"Archived Chats": "צ'אטים מאורכבים",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "באנרים",
|
"Banners": "באנרים",
|
||||||
"Base Model (From)": "דגם בסיס (מ)",
|
"Base Model (From)": "דגם בסיס (מ)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "לפני",
|
"before": "לפני",
|
||||||
"Being lazy": "להיות עצלן",
|
"Being lazy": "להיות עצלן",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "לוח שנה",
|
"Calendar": "לוח שנה",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "מצלמה",
|
"Camera": "מצלמה",
|
||||||
"Cancel": "בטל",
|
"Cancel": "בטל",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "צור חשבון",
|
"Create Account": "צור חשבון",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "יצירת קבוצה",
|
"Create Group": "יצירת קבוצה",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "מחק את הקישור הזה",
|
"delete this link": "מחק את הקישור הזה",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "מחק משתמש",
|
"Delete User": "מחק משתמש",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "נמחק {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "נמחק {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "נמחק {{name}}",
|
"Deleted {{name}}": "נמחק {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "הצג את שם המשתמש במקום 'אתה' בצ'אט",
|
"Display the username instead of You in the Chat": "הצג את שם המשתמש במקום 'אתה' בצ'אט",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "ערוך משתמש",
|
"Edit User": "ערוך משתמש",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "קריאת תוכן הלוח נכשלה",
|
"Failed to read clipboard contents": "קריאת תוכן הלוח נכשלה",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "נתיב מערכת הקבצים של המודל זוהה. נדרש שם קצר של המודל לעדכון, לא ניתן להמשיך.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "נתיב מערכת הקבצים של המודל זוהה. נדרש שם קצר של המודל לעדכון, לא ניתן להמשיך.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "מזהה דגם",
|
"Model ID": "מזהה דגם",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "שם המודל",
|
"Model Name": "שם המודל",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "שם",
|
"Name": "שם",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "עדכן ושכפל קישור",
|
"Update and Copy Link": "עדכן ושכפל קישור",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "עדכן סיסמה",
|
"Update password": "עדכן סיסמה",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "मेमोरी जोड़ें",
|
"Add Memory": "मेमोरी जोड़ें",
|
||||||
"Add Model": "मॉडल जोड़ें",
|
"Add Model": "मॉडल जोड़ें",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "टैगों को जोड़ें",
|
"Add Tags": "टैगों को जोड़ें",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "उपयोगकर्ता जोड़ें",
|
"Add User": "उपयोगकर्ता जोड़ें",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "अप्रैल",
|
"April": "अप्रैल",
|
||||||
"Archive": "पुरालेख",
|
"Archive": "पुरालेख",
|
||||||
"Archive All Chats": "सभी चैट संग्रहीत करें",
|
"Archive All Chats": "सभी चैट संग्रहीत करें",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "संग्रहीत चैट",
|
"Archived Chats": "संग्रहीत चैट",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "बैनर",
|
"Banners": "बैनर",
|
||||||
"Base Model (From)": "बेस मॉडल (से)",
|
"Base Model (From)": "बेस मॉडल (से)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "पहले",
|
"before": "पहले",
|
||||||
"Being lazy": "आलसी होना",
|
"Being lazy": "आलसी होना",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "रद्द करें",
|
"Cancel": "रद्द करें",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "खाता बनाएं",
|
"Create Account": "खाता बनाएं",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "इस लिंक को हटाएं",
|
"delete this link": "इस लिंक को हटाएं",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "उपभोक्ता मिटायें",
|
"Delete User": "उपभोक्ता मिटायें",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} हटा दिया गया",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} हटा दिया गया",
|
||||||
"Deleted {{name}}": "{{name}} हटा दिया गया",
|
"Deleted {{name}}": "{{name}} हटा दिया गया",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "चैट में 'आप' के स्थान पर उपयोगकर्ता नाम प्रदर्शित करें",
|
"Display the username instead of You in the Chat": "चैट में 'आप' के स्थान पर उपयोगकर्ता नाम प्रदर्शित करें",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "यूजर को संपादित करो",
|
"Edit User": "यूजर को संपादित करो",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "क्लिपबोर्ड सामग्री पढ़ने में विफल",
|
"Failed to read clipboard contents": "क्लिपबोर्ड सामग्री पढ़ने में विफल",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "मॉडल फ़ाइल सिस्टम पथ का पता चला. अद्यतन के लिए मॉडल संक्षिप्त नाम आवश्यक है, जारी नहीं रखा जा सकता।",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "मॉडल फ़ाइल सिस्टम पथ का पता चला. अद्यतन के लिए मॉडल संक्षिप्त नाम आवश्यक है, जारी नहीं रखा जा सकता।",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "मॉडल आईडी",
|
"Model ID": "मॉडल आईडी",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "नाम",
|
"Name": "नाम",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "अपडेट करें और लिंक कॉपी करें",
|
"Update and Copy Link": "अपडेट करें और लिंक कॉपी करें",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "पासवर्ड अपडेट करें",
|
"Update password": "पासवर्ड अपडेट करें",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "Dodaj memoriju",
|
"Add Memory": "Dodaj memoriju",
|
||||||
"Add Model": "Dodaj model",
|
"Add Model": "Dodaj model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "Dodaj oznake",
|
"Add Tags": "Dodaj oznake",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Dodaj korisnika",
|
"Add User": "Dodaj korisnika",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Travanj",
|
"April": "Travanj",
|
||||||
"Archive": "Arhiva",
|
"Archive": "Arhiva",
|
||||||
"Archive All Chats": "Arhivirajte sve razgovore",
|
"Archive All Chats": "Arhivirajte sve razgovore",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arhivirani razgovori",
|
"Archived Chats": "Arhivirani razgovori",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Baneri",
|
"Banners": "Baneri",
|
||||||
"Base Model (From)": "Osnovni model (Od)",
|
"Base Model (From)": "Osnovni model (Od)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "prije",
|
"before": "prije",
|
||||||
"Being lazy": "Biti lijen",
|
"Being lazy": "Biti lijen",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Poziv",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Značajka poziva nije podržana kada se koristi Web STT mehanizam",
|
"Call feature is not supported when using Web STT engine": "Značajka poziva nije podržana kada se koristi Web STT mehanizam",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Otkaži",
|
"Cancel": "Otkaži",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Stvori račun",
|
"Create Account": "Stvori račun",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "izbriši ovu vezu",
|
"delete this link": "izbriši ovu vezu",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "Izbriši korisnika",
|
"Delete User": "Izbriši korisnika",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Izbrisan {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Izbrisan {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Izbrisano {{name}}",
|
"Deleted {{name}}": "Izbrisano {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Prikaži korisničko ime umjesto Vas u razgovoru",
|
"Display the username instead of You in the Chat": "Prikaži korisničko ime umjesto Vas u razgovoru",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Uredi korisnika",
|
"Edit User": "Uredi korisnika",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika",
|
"Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Otkriven put datotečnog sustava modela. Kratko ime modela je potrebno za ažuriranje, nije moguće nastaviti.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Otkriven put datotečnog sustava modela. Kratko ime modela je potrebno za ažuriranje, nije moguće nastaviti.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ID modela",
|
"Model ID": "ID modela",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Ime",
|
"Name": "Ime",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "Ažuriraj i kopiraj vezu",
|
"Update and Copy Link": "Ažuriraj i kopiraj vezu",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "Ažuriraj lozinku",
|
"Update password": "Ažuriraj lozinku",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Csoport hozzáadása",
|
"Add Group": "Csoport hozzáadása",
|
||||||
"Add Memory": "Memória hozzáadása",
|
"Add Memory": "Memória hozzáadása",
|
||||||
"Add Model": "Modell hozzáadása",
|
"Add Model": "Modell hozzáadása",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Reakció hozzáadása",
|
"Add Reaction": "Reakció hozzáadása",
|
||||||
"Add Tag": "Címke hozzáadása",
|
"Add Tag": "Címke hozzáadása",
|
||||||
"Add Tags": "Címkék hozzáadása",
|
"Add Tags": "Címkék hozzáadása",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Felhasználó hozzáadása",
|
"Add User": "Felhasználó hozzáadása",
|
||||||
"Add User Group": "Felhasználói csoport hozzáadása",
|
"Add User Group": "Felhasználói csoport hozzáadása",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Április",
|
"April": "Április",
|
||||||
"Archive": "Archiválás",
|
"Archive": "Archiválás",
|
||||||
"Archive All Chats": "Minden beszélgetés archiválása",
|
"Archive All Chats": "Minden beszélgetés archiválása",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Archivált beszélgetések",
|
"Archived Chats": "Archivált beszélgetések",
|
||||||
"archived-chat-export": "archivált csevegés exportálása",
|
"archived-chat-export": "archivált csevegés exportálása",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Biztosan törölni szeretnéd az összes memóriát? Ez a művelet nem vonható vissza.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Biztosan törölni szeretnéd az összes memóriát? Ez a művelet nem vonható vissza.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannerek",
|
"Banners": "Bannerek",
|
||||||
"Base Model (From)": "Alap modell (Forrás)",
|
"Base Model (From)": "Alap modell (Forrás)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "előtt",
|
"before": "előtt",
|
||||||
"Being lazy": "Lustaság",
|
"Being lazy": "Lustaság",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Naptár",
|
"Calendar": "Naptár",
|
||||||
"Call": "Hívás",
|
|
||||||
"Call feature is not supported when using Web STT engine": "A hívás funkció nem támogatott Web STT motor használatakor",
|
"Call feature is not supported when using Web STT engine": "A hívás funkció nem támogatott Web STT motor használatakor",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Mégse",
|
"Cancel": "Mégse",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Fiók létrehozása",
|
"Create Account": "Fiók létrehozása",
|
||||||
"Create Admin Account": "Admin fiók létrehozása",
|
"Create Admin Account": "Admin fiók létrehozása",
|
||||||
"Create Channel": "Csatorna létrehozása",
|
"Create Channel": "Csatorna létrehozása",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Csoport létrehozása",
|
"Create Group": "Csoport létrehozása",
|
||||||
"Create Knowledge": "Tudás létrehozása",
|
"Create Knowledge": "Tudás létrehozása",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "link törlése",
|
"delete this link": "link törlése",
|
||||||
"Delete tool?": "Törli az eszközt?",
|
"Delete tool?": "Törli az eszközt?",
|
||||||
"Delete User": "Felhasználó törlése",
|
"Delete User": "Felhasználó törlése",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} törölve",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} törölve",
|
||||||
"Deleted {{name}}": "{{name}} törölve",
|
"Deleted {{name}}": "{{name}} törölve",
|
||||||
"Deleted User": "Felhasználó törölve",
|
"Deleted User": "Felhasználó törölve",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Emoji megjelenítése hívásban",
|
"Display Emoji in Call": "Emoji megjelenítése hívásban",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Felhasználónév megjelenítése a 'Te' helyett a beszélgetésben",
|
"Display the username instead of You in the Chat": "Felhasználónév megjelenítése a 'Te' helyett a beszélgetésben",
|
||||||
"Displays citations in the response": "Idézetek megjelenítése a válaszban",
|
"Displays citations in the response": "Idézetek megjelenítése a válaszban",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Alapértelmezett engedélyek szerkesztése",
|
"Edit Default Permissions": "Alapértelmezett engedélyek szerkesztése",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Memória szerkesztése",
|
"Edit Memory": "Memória szerkesztése",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Felhasználó szerkesztése",
|
"Edit User": "Felhasználó szerkesztése",
|
||||||
"Edit User Group": "Felhasználói csoport szerkesztése",
|
"Edit User Group": "Felhasználói csoport szerkesztése",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Nem sikerült hozzáadni a fájlt.",
|
"Failed to add file.": "Nem sikerült hozzáadni a fájlt.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Nem sikerült csatlakozni a {{URL}} OpenAPI eszköszerverhez",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Nem sikerült csatlakozni a {{URL}} OpenAPI eszköszerverhez",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Nem sikerült lekérni a modelleket",
|
"Failed to fetch models": "Nem sikerült lekérni a modelleket",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Nem sikerült olvasni a vágólap tartalmát",
|
"Failed to read clipboard contents": "Nem sikerült olvasni a vágólap tartalmát",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modell fájlrendszer útvonal észlelve. A modell rövid neve szükséges a frissítéshez, nem folytatható.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modell fájlrendszer útvonal észlelve. A modell rövid neve szükséges a frissítéshez, nem folytatható.",
|
||||||
"Model Filtering": "Modellszűrés",
|
"Model Filtering": "Modellszűrés",
|
||||||
"Model ID": "Modell azonosító",
|
"Model ID": "Modell azonosító",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Modell azonosítók",
|
"Model IDs": "Modell azonosítók",
|
||||||
"Model Name": "Modell neve",
|
"Model Name": "Modell neve",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Név",
|
"Name": "Név",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Nevezd el a tudásbázisodat",
|
"Name your knowledge base": "Nevezd el a tudásbázisodat",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Kérjük, adjon meg egy érvényes URL-t",
|
"Please enter a valid URL": "Kérjük, adjon meg egy érvényes URL-t",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Kérjük, töltse ki az összes mezőt.",
|
"Please fill in all fields.": "Kérjük, töltse ki az összes mezőt.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Kérjük, először válasszon egy modellt.",
|
"Please select a model first.": "Kérjük, először válasszon egy modellt.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Frissítés",
|
"Update": "Frissítés",
|
||||||
"Update and Copy Link": "Frissítés és link másolása",
|
"Update and Copy Link": "Frissítés és link másolása",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Frissítsen a legújabb funkciókért és fejlesztésekért.",
|
"Update for the latest features and improvements.": "Frissítsen a legújabb funkciókért és fejlesztésekért.",
|
||||||
"Update password": "Jelszó frissítése",
|
"Update password": "Jelszó frissítése",
|
||||||
"Updated": "Frissítve",
|
"Updated": "Frissítve",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "A teljes hozzájárulása közvetlenül a bővítmény fejlesztőjéhez kerül; az CyberLover nem vesz le százalékot. Azonban a választott támogatási platformnak lehetnek saját díjai.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "A teljes hozzájárulása közvetlenül a bővítmény fejlesztőjéhez kerül; az CyberLover nem vesz le százalékot. Azonban a választott támogatási platformnak lehetnek saját díjai.",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "YouTube nyelv",
|
"Youtube Language": "YouTube nyelv",
|
||||||
"Youtube Proxy URL": "YouTube proxy URL"
|
"Youtube Proxy URL": "YouTube proxy URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "Menambahkan Memori",
|
"Add Memory": "Menambahkan Memori",
|
||||||
"Add Model": "Tambahkan Model",
|
"Add Model": "Tambahkan Model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "Tambahkan Tag",
|
"Add Tags": "Tambahkan Tag",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Tambah Pengguna",
|
"Add User": "Tambah Pengguna",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "April",
|
"April": "April",
|
||||||
"Archive": "Arsipkan",
|
"Archive": "Arsipkan",
|
||||||
"Archive All Chats": "Arsipkan Semua Obrolan",
|
"Archive All Chats": "Arsipkan Semua Obrolan",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Obrolan yang Diarsipkan",
|
"Archived Chats": "Obrolan yang Diarsipkan",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Spanduk",
|
"Banners": "Spanduk",
|
||||||
"Base Model (From)": "Model Dasar (Dari)",
|
"Base Model (From)": "Model Dasar (Dari)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "sebelum",
|
"before": "sebelum",
|
||||||
"Being lazy": "Menjadi malas",
|
"Being lazy": "Menjadi malas",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Panggilan",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Fitur panggilan tidak didukung saat menggunakan mesin Web STT",
|
"Call feature is not supported when using Web STT engine": "Fitur panggilan tidak didukung saat menggunakan mesin Web STT",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Batal",
|
"Cancel": "Batal",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Buat Akun",
|
"Create Account": "Buat Akun",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "hapus tautan ini",
|
"delete this link": "hapus tautan ini",
|
||||||
"Delete tool?": "Hapus alat?",
|
"Delete tool?": "Hapus alat?",
|
||||||
"Delete User": "Menghapus Pengguna",
|
"Delete User": "Menghapus Pengguna",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Menghapus {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Menghapus {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Menghapus {{name}}",
|
"Deleted {{name}}": "Menghapus {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Menampilkan Emoji dalam Panggilan",
|
"Display Emoji in Call": "Menampilkan Emoji dalam Panggilan",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Menampilkan nama pengguna, bukan Anda di Obrolan",
|
"Display the username instead of You in the Chat": "Menampilkan nama pengguna, bukan Anda di Obrolan",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Edit Memori",
|
"Edit Memory": "Edit Memori",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Edit Pengguna",
|
"Edit User": "Edit Pengguna",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Gagal membaca konten papan klip",
|
"Failed to read clipboard contents": "Gagal membaca konten papan klip",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Jalur sistem berkas model terdeteksi. Nama pendek model diperlukan untuk pembaruan, tidak dapat dilanjutkan.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Jalur sistem berkas model terdeteksi. Nama pendek model diperlukan untuk pembaruan, tidak dapat dilanjutkan.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ID Model",
|
"Model ID": "ID Model",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nama",
|
"Name": "Nama",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Memperbarui",
|
"Update": "Memperbarui",
|
||||||
"Update and Copy Link": "Perbarui dan Salin Tautan",
|
"Update and Copy Link": "Perbarui dan Salin Tautan",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "Perbarui kata sandi",
|
"Update password": "Perbarui kata sandi",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Cuir Grúpa leis",
|
"Add Group": "Cuir Grúpa leis",
|
||||||
"Add Memory": "Cuir Cuimhne",
|
"Add Memory": "Cuir Cuimhne",
|
||||||
"Add Model": "Cuir Samhail leis",
|
"Add Model": "Cuir Samhail leis",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Cuir Frithghníomh leis",
|
"Add Reaction": "Cuir Frithghníomh leis",
|
||||||
"Add Tag": "Cuir Clib leis",
|
"Add Tag": "Cuir Clib leis",
|
||||||
"Add Tags": "Cuir Clibeanna leis",
|
"Add Tags": "Cuir Clibeanna leis",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Cuir Úsáideoir leis",
|
"Add User": "Cuir Úsáideoir leis",
|
||||||
"Add User Group": "Cuir Grúpa Úsáideoirí leis",
|
"Add User Group": "Cuir Grúpa Úsáideoirí leis",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Cumraíocht Bhreise",
|
"Additional Config": "Cumraíocht Bhreise",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Roghanna cumraíochta breise don mharcóir. Ba chóir gur teaghrán JSON é seo le péirí eochrach-luachanna. Mar shampla, '{\"key\": \"value\"}'. I measc na n-eochracha a dtacaítear leo tá: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Roghanna cumraíochta breise don mharcóir. Ba chóir gur teaghrán JSON é seo le péirí eochrach-luachanna. Mar shampla, '{\"key\": \"value\"}'. I measc na n-eochracha a dtacaítear leo tá: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Aibreán",
|
"April": "Aibreán",
|
||||||
"Archive": "Cartlann",
|
"Archive": "Cartlann",
|
||||||
"Archive All Chats": "Cartlann Gach Comhrá",
|
"Archive All Chats": "Cartlann Gach Comhrá",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Comhráite Cartlann",
|
"Archived Chats": "Comhráite Cartlann",
|
||||||
"archived-chat-export": "gcartlann-comhrá-onnmhairiú",
|
"archived-chat-export": "gcartlann-comhrá-onnmhairiú",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "An bhfuil tú cinnte gur mhaith leat na cuimhní go léir a ghlanadh? Ní féidir an gníomh seo a chealú.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "An bhfuil tú cinnte gur mhaith leat na cuimhní go léir a ghlanadh? Ní féidir an gníomh seo a chealú.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Meirgí",
|
"Banners": "Meirgí",
|
||||||
"Base Model (From)": "Samhail Bunúsach (Ó)",
|
"Base Model (From)": "Samhail Bunúsach (Ó)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Luasaíonn Taisce an Liosta Bunsamhail de rochtain trí bhunmhúnlaí a fháil ach amháin ag am tosaithe nó ar shocruithe a shábháil-níos tapúla, ach b'fhéidir nach dtaispeánfar athruithe bonnsamhail le déanaí.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Luasaíonn Taisce an Liosta Bunsamhail de rochtain trí bhunmhúnlaí a fháil ach amháin ag am tosaithe nó ar shocruithe a shábháil-níos tapúla, ach b'fhéidir nach dtaispeánfar athruithe bonnsamhail le déanaí.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Iompróir",
|
"Bearer": "Iompróir",
|
||||||
"before": "roimh",
|
"before": "roimh",
|
||||||
"Being lazy": "A bheith leisciúil",
|
"Being lazy": "A bheith leisciúil",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Seachbhóthar Luchtaire Gréasáin",
|
"Bypass Web Loader": "Seachbhóthar Luchtaire Gréasáin",
|
||||||
"Cache Base Model List": "Liosta Samhail Bunáite Taisce",
|
"Cache Base Model List": "Liosta Samhail Bunáite Taisce",
|
||||||
"Calendar": "Féilire",
|
"Calendar": "Féilire",
|
||||||
"Call": "Glaoigh",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Ní thacaítear le gné glaonna agus inneall Web STT á úsáid",
|
"Call feature is not supported when using Web STT engine": "Ní thacaítear le gné glaonna agus inneall Web STT á úsáid",
|
||||||
"Camera": "Ceamara",
|
"Camera": "Ceamara",
|
||||||
"Cancel": "Cealaigh",
|
"Cancel": "Cealaigh",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Cruthaigh Cuntas",
|
"Create Account": "Cruthaigh Cuntas",
|
||||||
"Create Admin Account": "Cruthaigh Cuntas Riaracháin",
|
"Create Admin Account": "Cruthaigh Cuntas Riaracháin",
|
||||||
"Create Channel": "Cruthaigh Cainéal",
|
"Create Channel": "Cruthaigh Cainéal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Cruthaigh Fillteán",
|
"Create Folder": "Cruthaigh Fillteán",
|
||||||
"Create Group": "Cruthaigh Grúpa",
|
"Create Group": "Cruthaigh Grúpa",
|
||||||
"Create Knowledge": "Cruthaigh Eolais",
|
"Create Knowledge": "Cruthaigh Eolais",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "scrios an nasc seo",
|
"delete this link": "scrios an nasc seo",
|
||||||
"Delete tool?": "Uirlis a scriosadh?",
|
"Delete tool?": "Uirlis a scriosadh?",
|
||||||
"Delete User": "Scrios Úsáideoir",
|
"Delete User": "Scrios Úsáideoir",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Scriosta {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Scriosta {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Scriosta {{name}}",
|
"Deleted {{name}}": "Scriosta {{name}}",
|
||||||
"Deleted User": "Úsáideoir Scriosta",
|
"Deleted User": "Úsáideoir Scriosta",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Taispeáin Emoji i nGlao",
|
"Display Emoji in Call": "Taispeáin Emoji i nGlao",
|
||||||
"Display Multi-model Responses in Tabs": "Taispeáin Freagraí Ilsamhlacha i gCluaisíní",
|
"Display Multi-model Responses in Tabs": "Taispeáin Freagraí Ilsamhlacha i gCluaisíní",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Taispeáin an t-ainm úsáideora in ionad Tú sa Comhrá",
|
"Display the username instead of You in the Chat": "Taispeáin an t-ainm úsáideora in ionad Tú sa Comhrá",
|
||||||
"Displays citations in the response": "Taispeánann sé luanna sa fhreagra",
|
"Displays citations in the response": "Taispeánann sé luanna sa fhreagra",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Taispeánann sé nuashonruithe stádais (m.sh., dul chun cinn cuardaigh gréasáin) sa fhreagra",
|
"Displays status updates (e.g., web search progress) in the response": "Taispeánann sé nuashonruithe stádais (m.sh., dul chun cinn cuardaigh gréasáin) sa fhreagra",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Cuir Ceadanna Réamhshocraithe in Eagar",
|
"Edit Default Permissions": "Cuir Ceadanna Réamhshocraithe in Eagar",
|
||||||
"Edit Folder": "Cuir Fillteán in Eagar",
|
"Edit Folder": "Cuir Fillteán in Eagar",
|
||||||
"Edit Memory": "Cuir Cuimhne in eagar",
|
"Edit Memory": "Cuir Cuimhne in eagar",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Cuir Úsáideoir in eagar",
|
"Edit User": "Cuir Úsáideoir in eagar",
|
||||||
"Edit User Group": "Cuir Grúpa Úsáideoirí in Eagar",
|
"Edit User Group": "Cuir Grúpa Úsáideoirí in Eagar",
|
||||||
"edited": "curtha in eagar",
|
"edited": "curtha in eagar",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL Cuardaigh Gréasáin Sheachtrach",
|
"External Web Search URL": "URL Cuardaigh Gréasáin Sheachtrach",
|
||||||
"Fade Effect for Streaming Text": "Éifeacht Céimnithe le haghaidh Sruthú Téacs",
|
"Fade Effect for Streaming Text": "Éifeacht Céimnithe le haghaidh Sruthú Téacs",
|
||||||
"Failed to add file.": "Theip ar an gcomhad a chur leis.",
|
"Failed to add file.": "Theip ar an gcomhad a chur leis.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Theip ar nascadh le {{URL}} freastalaí uirlisí OpenAPI",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Theip ar nascadh le {{URL}} freastalaí uirlisí OpenAPI",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Theip ar an nasc a chóipeáil",
|
"Failed to copy link": "Theip ar an nasc a chóipeáil",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Theip ar shamhlacha a fháil",
|
"Failed to fetch models": "Theip ar shamhlacha a fháil",
|
||||||
"Failed to generate title": "Theip ar an teideal a ghiniúint",
|
"Failed to generate title": "Theip ar an teideal a ghiniúint",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Theip ar réamhamharc comhrá a lódáil",
|
"Failed to load chat preview": "Theip ar réamhamharc comhrá a lódáil",
|
||||||
"Failed to load file content.": "Theip ar lódáil ábhar an chomhaid.",
|
"Failed to load file content.": "Theip ar lódáil ábhar an chomhaid.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "Theip ar an gcomhrá a bhogadh",
|
"Failed to move chat": "Theip ar an gcomhrá a bhogadh",
|
||||||
"Failed to read clipboard contents": "Theip ar ábhar gearrthaisce a lé",
|
"Failed to read clipboard contents": "Theip ar ábhar gearrthaisce a lé",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Fuarthas cosán an samhail. Tá gearrainm an tsamhail ag teastáil le haghaidh nuashonraithe, ní féidir leanúint ar aghaidh.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Fuarthas cosán an samhail. Tá gearrainm an tsamhail ag teastáil le haghaidh nuashonraithe, ní féidir leanúint ar aghaidh.",
|
||||||
"Model Filtering": "Samhail Scagadh",
|
"Model Filtering": "Samhail Scagadh",
|
||||||
"Model ID": "Aitheantas Samhail",
|
"Model ID": "Aitheantas Samhail",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "Tá ID samhail ag teastáil.",
|
"Model ID is required.": "Tá ID samhail ag teastáil.",
|
||||||
"Model IDs": "Aitheantas Samhail",
|
"Model IDs": "Aitheantas Samhail",
|
||||||
"Model Name": "Ainm an tSamhail",
|
"Model Name": "Ainm an tSamhail",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Níos Gonta",
|
"More Concise": "Níos Gonta",
|
||||||
"More Options": "Tuilleadh Roghanna",
|
"More Options": "Tuilleadh Roghanna",
|
||||||
"Move": "Bog",
|
"Move": "Bog",
|
||||||
|
"My API": "",
|
||||||
"Name": "Ainm",
|
"Name": "Ainm",
|
||||||
"Name and ID are required, please fill them out": "Tá ainm agus aitheantas ag teastáil, líon isteach iad le do thoil",
|
"Name and ID are required, please fill them out": "Tá ainm agus aitheantas ag teastáil, líon isteach iad le do thoil",
|
||||||
"Name your knowledge base": "Cuir ainm ar do bhunachar eolais",
|
"Name your knowledge base": "Cuir ainm ar do bhunachar eolais",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Cuir isteach URL bailí",
|
"Please enter a valid URL": "Cuir isteach URL bailí",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Líon isteach gach réimse le do thoil.",
|
"Please fill in all fields.": "Líon isteach gach réimse le do thoil.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Roghnaigh samhail ar dtús le do thoil.",
|
"Please select a model first.": "Roghnaigh samhail ar dtús le do thoil.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Gan Teideal",
|
"Untitled": "Gan Teideal",
|
||||||
"Update": "Nuashonraigh",
|
"Update": "Nuashonraigh",
|
||||||
"Update and Copy Link": "Nuashonraigh agus Cóipeáil Nasc",
|
"Update and Copy Link": "Nuashonraigh agus Cóipeáil Nasc",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Nuashonrú le haghaidh na gnéithe agus na feabhsuithe is déanaí.",
|
"Update for the latest features and improvements.": "Nuashonrú le haghaidh na gnéithe agus na feabhsuithe is déanaí.",
|
||||||
"Update password": "Nuashonrú pasfhocal",
|
"Update password": "Nuashonrú pasfhocal",
|
||||||
"Updated": "Nuashonraithe",
|
"Updated": "Nuashonraithe",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Rachaidh do ranníocaíocht iomlán go díreach chuig an bhforbróir breiseán; Ní ghlacann CyberLover aon chéatadán. Mar sin féin, d'fhéadfadh a tháillí féin a bheith ag an ardán maoinithe roghnaithe.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Rachaidh do ranníocaíocht iomlán go díreach chuig an bhforbróir breiseán; Ní ghlacann CyberLover aon chéatadán. Mar sin féin, d'fhéadfadh a tháillí féin a bheith ag an ardán maoinithe roghnaithe.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Teanga Youtube",
|
"Youtube Language": "Teanga Youtube",
|
||||||
"Youtube Proxy URL": "URL Seachfhreastalaí YouTube"
|
"Youtube Proxy URL": "URL Seachfhreastalaí YouTube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Aggiungi un gruppo",
|
"Add Group": "Aggiungi un gruppo",
|
||||||
"Add Memory": "Aggiungi memoria",
|
"Add Memory": "Aggiungi memoria",
|
||||||
"Add Model": "Aggiungi un modello",
|
"Add Model": "Aggiungi un modello",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Aggiungi una reazione",
|
"Add Reaction": "Aggiungi una reazione",
|
||||||
"Add Tag": "Aggiungi un tag",
|
"Add Tag": "Aggiungi un tag",
|
||||||
"Add Tags": "Aggiungi dei tag",
|
"Add Tags": "Aggiungi dei tag",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Aggiungi utente",
|
"Add User": "Aggiungi utente",
|
||||||
"Add User Group": "Aggiungi gruppo utente",
|
"Add User Group": "Aggiungi gruppo utente",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Aprile",
|
"April": "Aprile",
|
||||||
"Archive": "Archivio",
|
"Archive": "Archivio",
|
||||||
"Archive All Chats": "Archivia tutte le chat",
|
"Archive All Chats": "Archivia tutte le chat",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Chat archiviate",
|
"Archived Chats": "Chat archiviate",
|
||||||
"archived-chat-export": "chat-archiviata-esportazione",
|
"archived-chat-export": "chat-archiviata-esportazione",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Sei sicuro di voler cancellare tutte le memorie? Questa operazione non può essere annullata.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Sei sicuro di voler cancellare tutte le memorie? Questa operazione non può essere annullata.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Banner",
|
"Banners": "Banner",
|
||||||
"Base Model (From)": "Modello base (da)",
|
"Base Model (From)": "Modello base (da)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "prima",
|
"before": "prima",
|
||||||
"Being lazy": "Faccio il pigro",
|
"Being lazy": "Faccio il pigro",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Bypassa il Web Loader",
|
"Bypass Web Loader": "Bypassa il Web Loader",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Calendario",
|
"Calendar": "Calendario",
|
||||||
"Call": "Chiamata",
|
|
||||||
"Call feature is not supported when using Web STT engine": "La funzione di chiamata non è supportata quando si utilizza il motore Web STT",
|
"Call feature is not supported when using Web STT engine": "La funzione di chiamata non è supportata quando si utilizza il motore Web STT",
|
||||||
"Camera": "Fotocamera",
|
"Camera": "Fotocamera",
|
||||||
"Cancel": "Annulla",
|
"Cancel": "Annulla",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Crea account",
|
"Create Account": "Crea account",
|
||||||
"Create Admin Account": "Crea account amministratore",
|
"Create Admin Account": "Crea account amministratore",
|
||||||
"Create Channel": "Crea canale",
|
"Create Channel": "Crea canale",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Crea gruppo",
|
"Create Group": "Crea gruppo",
|
||||||
"Create Knowledge": "Crea conoscenza",
|
"Create Knowledge": "Crea conoscenza",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "elimina questo link",
|
"delete this link": "elimina questo link",
|
||||||
"Delete tool?": "Elimina strumento?",
|
"Delete tool?": "Elimina strumento?",
|
||||||
"Delete User": "Elimina utente",
|
"Delete User": "Elimina utente",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} eliminato",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} eliminato",
|
||||||
"Deleted {{name}}": "{{name}} eliminato",
|
"Deleted {{name}}": "{{name}} eliminato",
|
||||||
"Deleted User": "Utente eliminato",
|
"Deleted User": "Utente eliminato",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Visualizza emoji nella chiamata",
|
"Display Emoji in Call": "Visualizza emoji nella chiamata",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Visualizza il nome utente invece di Tu nella chat",
|
"Display the username instead of You in the Chat": "Visualizza il nome utente invece di Tu nella chat",
|
||||||
"Displays citations in the response": "Visualizza citazioni nella risposta",
|
"Displays citations in the response": "Visualizza citazioni nella risposta",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Modifica Permessi Predefiniti",
|
"Edit Default Permissions": "Modifica Permessi Predefiniti",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Modifica Memoria",
|
"Edit Memory": "Modifica Memoria",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Modifica Utente",
|
"Edit User": "Modifica Utente",
|
||||||
"Edit User Group": "Modifica Gruppo Utente",
|
"Edit User Group": "Modifica Gruppo Utente",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL di ricerca web esterna",
|
"External Web Search URL": "URL di ricerca web esterna",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Impossibile aggiungere il file.",
|
"Failed to add file.": "Impossibile aggiungere il file.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Impossibile connettersi al server dello strumento OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Impossibile connettersi al server dello strumento OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Impossibile copiare il link",
|
"Failed to copy link": "Impossibile copiare il link",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Impossibile recuperare i modelli",
|
"Failed to fetch models": "Impossibile recuperare i modelli",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "Impossibile caricare il contenuto del file.",
|
"Failed to load file content.": "Impossibile caricare il contenuto del file.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Impossibile leggere il contenuto degli appunti",
|
"Failed to read clipboard contents": "Impossibile leggere il contenuto degli appunti",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Percorso del filesystem del modello rilevato. Il nome breve del modello è richiesto per l'aggiornamento, impossibile continuare.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Percorso del filesystem del modello rilevato. Il nome breve del modello è richiesto per l'aggiornamento, impossibile continuare.",
|
||||||
"Model Filtering": "Filtraggio modelli",
|
"Model Filtering": "Filtraggio modelli",
|
||||||
"Model ID": "ID modello",
|
"Model ID": "ID modello",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "ID modello",
|
"Model IDs": "ID modello",
|
||||||
"Model Name": "Nome modello",
|
"Model Name": "Nome modello",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nome",
|
"Name": "Nome",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Dai un nome alla tua base di conoscenza",
|
"Name your knowledge base": "Dai un nome alla tua base di conoscenza",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Si prega di inserire un URL valido",
|
"Please enter a valid URL": "Si prega di inserire un URL valido",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Si prega di compilare tutti i campi.",
|
"Please fill in all fields.": "Si prega di compilare tutti i campi.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Si prega di selezionare prima un modello.",
|
"Please select a model first.": "Si prega di selezionare prima un modello.",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "Senza titolo",
|
"Untitled": "Senza titolo",
|
||||||
"Update": "Aggiorna",
|
"Update": "Aggiorna",
|
||||||
"Update and Copy Link": "Aggiorna e Copia Link",
|
"Update and Copy Link": "Aggiorna e Copia Link",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Aggiorna per le ultime funzionalità e miglioramenti.",
|
"Update for the latest features and improvements.": "Aggiorna per le ultime funzionalità e miglioramenti.",
|
||||||
"Update password": "Aggiorna password",
|
"Update password": "Aggiorna password",
|
||||||
"Updated": "Aggiornato",
|
"Updated": "Aggiornato",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Il tuo intero contributo andrà direttamente allo sviluppatore del plugin; CyberLover non prende alcuna percentuale. Tuttavia, la piattaforma di finanziamento scelta potrebbe avere le proprie commissioni.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Il tuo intero contributo andrà direttamente allo sviluppatore del plugin; CyberLover non prende alcuna percentuale. Tuttavia, la piattaforma di finanziamento scelta potrebbe avere le proprie commissioni.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Lingua Youtube",
|
"Youtube Language": "Lingua Youtube",
|
||||||
"Youtube Proxy URL": "URL proxy Youtube"
|
"Youtube Proxy URL": "URL proxy Youtube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "グループを追加",
|
"Add Group": "グループを追加",
|
||||||
"Add Memory": "メモリを追加",
|
"Add Memory": "メモリを追加",
|
||||||
"Add Model": "モデルを追加",
|
"Add Model": "モデルを追加",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "リアクションを追加",
|
"Add Reaction": "リアクションを追加",
|
||||||
"Add Tag": "タグを追加",
|
"Add Tag": "タグを追加",
|
||||||
"Add Tags": "タグを追加",
|
"Add Tags": "タグを追加",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "ユーザーを追加",
|
"Add User": "ユーザーを追加",
|
||||||
"Add User Group": "ユーザーグループを追加",
|
"Add User Group": "ユーザーグループを追加",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "追加設定",
|
"Additional Config": "追加設定",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "markerの追加設定オプション。これはキーと値のペアを含むJSON文字列である必要があります(例: '{\"key\": \"value\"}')。次のキーに対応しています: disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count、default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "markerの追加設定オプション。これはキーと値のペアを含むJSON文字列である必要があります(例: '{\"key\": \"value\"}')。次のキーに対応しています: disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count、default_level",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "4月",
|
"April": "4月",
|
||||||
"Archive": "アーカイブ",
|
"Archive": "アーカイブ",
|
||||||
"Archive All Chats": "すべてのチャットをアーカイブする",
|
"Archive All Chats": "すべてのチャットをアーカイブする",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "チャット記録",
|
"Archived Chats": "チャット記録",
|
||||||
"archived-chat-export": "チャット記録のエクスポート",
|
"archived-chat-export": "チャット記録のエクスポート",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "すべてのメモリをクリアしますか?この操作は元に戻すことができません。",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "すべてのメモリをクリアしますか?この操作は元に戻すことができません。",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "バナー",
|
"Banners": "バナー",
|
||||||
"Base Model (From)": "ベースモデル (From)",
|
"Base Model (From)": "ベースモデル (From)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "ベースモデルリストキャッシュは、起動時または設定保存時にのみベースモデルを取得することでアクセスを高速化します。これにより高速になりますが、最近のベースモデルの変更が表示されない場合があります。",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "ベースモデルリストキャッシュは、起動時または設定保存時にのみベースモデルを取得することでアクセスを高速化します。これにより高速になりますが、最近のベースモデルの変更が表示されない場合があります。",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "以前",
|
"before": "以前",
|
||||||
"Being lazy": "怠惰な",
|
"Being lazy": "怠惰な",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Webローダーをバイパス",
|
"Bypass Web Loader": "Webローダーをバイパス",
|
||||||
"Cache Base Model List": "ベースモデルリストをキャッシュ",
|
"Cache Base Model List": "ベースモデルリストをキャッシュ",
|
||||||
"Calendar": "カレンダー",
|
"Calendar": "カレンダー",
|
||||||
"Call": "コール",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Web STTエンジンを使用している場合、コール機能は使用できません",
|
"Call feature is not supported when using Web STT engine": "Web STTエンジンを使用している場合、コール機能は使用できません",
|
||||||
"Camera": "カメラ",
|
"Camera": "カメラ",
|
||||||
"Cancel": "キャンセル",
|
"Cancel": "キャンセル",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "アカウントを作成",
|
"Create Account": "アカウントを作成",
|
||||||
"Create Admin Account": "管理者アカウントを作成",
|
"Create Admin Account": "管理者アカウントを作成",
|
||||||
"Create Channel": "チャンネルを作成",
|
"Create Channel": "チャンネルを作成",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "フォルダを作成",
|
"Create Folder": "フォルダを作成",
|
||||||
"Create Group": "グループを作成",
|
"Create Group": "グループを作成",
|
||||||
"Create Knowledge": "ナレッジベース作成",
|
"Create Knowledge": "ナレッジベース作成",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "このリンクを削除",
|
"delete this link": "このリンクを削除",
|
||||||
"Delete tool?": "ツールを削除しますか?",
|
"Delete tool?": "ツールを削除しますか?",
|
||||||
"Delete User": "ユーザーを削除",
|
"Delete User": "ユーザーを削除",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} を削除しました",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} を削除しました",
|
||||||
"Deleted {{name}}": "{{name}}を削除しました",
|
"Deleted {{name}}": "{{name}}を削除しました",
|
||||||
"Deleted User": "削除されたユーザー",
|
"Deleted User": "削除されたユーザー",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "コールで絵文字を表示",
|
"Display Emoji in Call": "コールで絵文字を表示",
|
||||||
"Display Multi-model Responses in Tabs": "複数モデルの応答をタブで表示する",
|
"Display Multi-model Responses in Tabs": "複数モデルの応答をタブで表示する",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "チャットで「あなた」の代わりにユーザー名を表示",
|
"Display the username instead of You in the Chat": "チャットで「あなた」の代わりにユーザー名を表示",
|
||||||
"Displays citations in the response": "応答に引用を表示",
|
"Displays citations in the response": "応答に引用を表示",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "デフォルトの許可を編集",
|
"Edit Default Permissions": "デフォルトの許可を編集",
|
||||||
"Edit Folder": "フォルダを編集",
|
"Edit Folder": "フォルダを編集",
|
||||||
"Edit Memory": "メモリを編集",
|
"Edit Memory": "メモリを編集",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "ユーザーを編集",
|
"Edit User": "ユーザーを編集",
|
||||||
"Edit User Group": "ユーザーグループを編集",
|
"Edit User Group": "ユーザーグループを編集",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "外部Web検索のURL",
|
"External Web Search URL": "外部Web検索のURL",
|
||||||
"Fade Effect for Streaming Text": "ストリームテキストのフェーディング効果",
|
"Fade Effect for Streaming Text": "ストリームテキストのフェーディング効果",
|
||||||
"Failed to add file.": "ファイルの追加に失敗しました。",
|
"Failed to add file.": "ファイルの追加に失敗しました。",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPIツールサーバーへの接続に失敗しました。",
|
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPIツールサーバーへの接続に失敗しました。",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "リンクのコピーに失敗しました。",
|
"Failed to copy link": "リンクのコピーに失敗しました。",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "モデルの取得に失敗しました。",
|
"Failed to fetch models": "モデルの取得に失敗しました。",
|
||||||
"Failed to generate title": "タイトルの生成に失敗しました。",
|
"Failed to generate title": "タイトルの生成に失敗しました。",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "チャットプレビューを読み込めませんでした。",
|
"Failed to load chat preview": "チャットプレビューを読み込めませんでした。",
|
||||||
"Failed to load file content.": "ファイルの内容を読み込めませんでした。",
|
"Failed to load file content.": "ファイルの内容を読み込めませんでした。",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "チャットの移動に失敗しました。",
|
"Failed to move chat": "チャットの移動に失敗しました。",
|
||||||
"Failed to read clipboard contents": "クリップボードの内容を読み取れませんでした。",
|
"Failed to read clipboard contents": "クリップボードの内容を読み取れませんでした。",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "モデルファイルシステムパスが検出されました。モデルの短縮名が必要です。更新できません。",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "モデルファイルシステムパスが検出されました。モデルの短縮名が必要です。更新できません。",
|
||||||
"Model Filtering": "モデルフィルタリング",
|
"Model Filtering": "モデルフィルタリング",
|
||||||
"Model ID": "モデルID",
|
"Model ID": "モデルID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "モデルIDは必須です",
|
"Model ID is required.": "モデルIDは必須です",
|
||||||
"Model IDs": "モデルID",
|
"Model IDs": "モデルID",
|
||||||
"Model Name": "モデル名",
|
"Model Name": "モデル名",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "より簡潔に",
|
"More Concise": "より簡潔に",
|
||||||
"More Options": "詳細オプション",
|
"More Options": "詳細オプション",
|
||||||
"Move": "移動",
|
"Move": "移動",
|
||||||
|
"My API": "",
|
||||||
"Name": "名前",
|
"Name": "名前",
|
||||||
"Name and ID are required, please fill them out": "名前とIDは必須です。項目を入力してください。",
|
"Name and ID are required, please fill them out": "名前とIDは必須です。項目を入力してください。",
|
||||||
"Name your knowledge base": "ナレッジベースに名前を付ける",
|
"Name your knowledge base": "ナレッジベースに名前を付ける",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "有効なURLを入力してください",
|
"Please enter a valid URL": "有効なURLを入力してください",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "すべてのフィールドを入力してください。",
|
"Please fill in all fields.": "すべてのフィールドを入力してください。",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "先にモデルを選択してください。",
|
"Please select a model first.": "先にモデルを選択してください。",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "タイトルなし",
|
"Untitled": "タイトルなし",
|
||||||
"Update": "更新",
|
"Update": "更新",
|
||||||
"Update and Copy Link": "リンクの更新とコピー",
|
"Update and Copy Link": "リンクの更新とコピー",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "最新の機能と改善点を更新します。",
|
"Update for the latest features and improvements.": "最新の機能と改善点を更新します。",
|
||||||
"Update password": "パスワードを更新",
|
"Update password": "パスワードを更新",
|
||||||
"Updated": "更新されました",
|
"Updated": "更新されました",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "あなたの全ての寄付はプラグイン開発者へ直接送られます。CyberLover は手数料を一切取りません。ただし、選択した資金提供プラットフォーム側に手数料が発生する場合があります。",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "あなたの全ての寄付はプラグイン開発者へ直接送られます。CyberLover は手数料を一切取りません。ただし、選択した資金提供プラットフォーム側に手数料が発生する場合があります。",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "YouTubeの言語",
|
"Youtube Language": "YouTubeの言語",
|
||||||
"Youtube Proxy URL": "YouTubeのプロキシURL"
|
"Youtube Proxy URL": "YouTubeのプロキシURL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "ჯგუფის დამატება",
|
"Add Group": "ჯგუფის დამატება",
|
||||||
"Add Memory": "მეხსიერების დამატება",
|
"Add Memory": "მეხსიერების დამატება",
|
||||||
"Add Model": "მოდელის დამატება",
|
"Add Model": "მოდელის დამატება",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "რეაქციის დამატება",
|
"Add Reaction": "რეაქციის დამატება",
|
||||||
"Add Tag": "ჭდის დამატება",
|
"Add Tag": "ჭდის დამატება",
|
||||||
"Add Tags": "ჭდეების დამატება",
|
"Add Tags": "ჭდეების დამატება",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "მომხმარებლის დამატება",
|
"Add User": "მომხმარებლის დამატება",
|
||||||
"Add User Group": "მომხმარებლის ჯგუფის დამატება",
|
"Add User Group": "მომხმარებლის ჯგუფის დამატება",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "დამატებითი კონფიგურაცია",
|
"Additional Config": "დამატებითი კონფიგურაცია",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "დამატებითი პარამეტრები",
|
"Additional Parameters": "დამატებითი პარამეტრები",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "აპრილი",
|
"April": "აპრილი",
|
||||||
"Archive": "დაარქივება",
|
"Archive": "დაარქივება",
|
||||||
"Archive All Chats": "ყველა ჩატის დაარქივება",
|
"Archive All Chats": "ყველა ჩატის დაარქივება",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "დაარქივებული ჩატები",
|
"Archived Chats": "დაარქივებული ჩატები",
|
||||||
"archived-chat-export": "დაარქივებული-ჩატის-გატანა",
|
"archived-chat-export": "დაარქივებული-ჩატის-გატანა",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "ბანერები",
|
"Banners": "ბანერები",
|
||||||
"Base Model (From)": "საბაზისო მოდელი (საიდან)",
|
"Base Model (From)": "საბაზისო მოდელი (საიდან)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "მითითებულ დრომდე",
|
"before": "მითითებულ დრომდე",
|
||||||
"Being lazy": "ზარმაცობა",
|
"Being lazy": "ზარმაცობა",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "ვებჩამტვირთავის გამოტოვება",
|
"Bypass Web Loader": "ვებჩამტვირთავის გამოტოვება",
|
||||||
"Cache Base Model List": "საბაზისო მოდელების სიის დაკეშვა",
|
"Cache Base Model List": "საბაზისო მოდელების სიის დაკეშვა",
|
||||||
"Calendar": "კალენდარი",
|
"Calendar": "კალენდარი",
|
||||||
"Call": "ზარი",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "კამერა",
|
"Camera": "კამერა",
|
||||||
"Cancel": "გაუქმება",
|
"Cancel": "გაუქმება",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "ანგარიშის შექმნა",
|
"Create Account": "ანგარიშის შექმნა",
|
||||||
"Create Admin Account": "ადმინისტრატორის ანგარიშის შექმნა",
|
"Create Admin Account": "ადმინისტრატორის ანგარიშის შექმნა",
|
||||||
"Create Channel": "არხის შექმნა",
|
"Create Channel": "არხის შექმნა",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "საქაღალდის შექმნა",
|
"Create Folder": "საქაღალდის შექმნა",
|
||||||
"Create Group": "ჯგუფის შექმნა",
|
"Create Group": "ჯგუფის შექმნა",
|
||||||
"Create Knowledge": "ცოდნის შექმნა",
|
"Create Knowledge": "ცოდნის შექმნა",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "ამ ბმული წაშლა",
|
"delete this link": "ამ ბმული წაშლა",
|
||||||
"Delete tool?": "წავშალო ხელსაწყო?",
|
"Delete tool?": "წავშალო ხელსაწყო?",
|
||||||
"Delete User": "მომხმარებლის წაშლა",
|
"Delete User": "მომხმარებლის წაშლა",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} წაშლილია",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} წაშლილია",
|
||||||
"Deleted {{name}}": "Deleted {{name}}",
|
"Deleted {{name}}": "Deleted {{name}}",
|
||||||
"Deleted User": "წაშლილი მომხმარებელი",
|
"Deleted User": "წაშლილი მომხმარებელი",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "ჩატში თქვენს მაგიერ მომხმარებლის სახელის ჩვენება",
|
"Display the username instead of You in the Chat": "ჩატში თქვენს მაგიერ მომხმარებლის სახელის ჩვენება",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "ნაგულისხმევი წვდომების ჩასწორება",
|
"Edit Default Permissions": "ნაგულისხმევი წვდომების ჩასწორება",
|
||||||
"Edit Folder": "საქაღალდის ჩასწორება",
|
"Edit Folder": "საქაღალდის ჩასწორება",
|
||||||
"Edit Memory": "მეხსიერების ჩასწორება",
|
"Edit Memory": "მეხსიერების ჩასწორება",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "მომხმარებლის ჩასწორება",
|
"Edit User": "მომხმარებლის ჩასწორება",
|
||||||
"Edit User Group": "მომხმარებლის ჯგუფის ჩასწორება",
|
"Edit User Group": "მომხმარებლის ჯგუფის ჩასწორება",
|
||||||
"edited": "ჩასწორებულია",
|
"edited": "ჩასწორებულია",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "გარე ვებძებნის URL",
|
"External Web Search URL": "გარე ვებძებნის URL",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "ფაილის დამატების შეცდომა.",
|
"Failed to add file.": "ფაილის დამატების შეცდომა.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "ბმულის კოპირება ჩავარდა",
|
"Failed to copy link": "ბმულის კოპირება ჩავარდა",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "მოდელების გამოთხოვა ჩავარდა",
|
"Failed to fetch models": "მოდელების გამოთხოვა ჩავარდა",
|
||||||
"Failed to generate title": "სათაურის გენერაცია ჩავარდა",
|
"Failed to generate title": "სათაურის გენერაცია ჩავარდა",
|
||||||
"Failed to import models": "მოდელების შემოტანა ჩავარდა",
|
"Failed to import models": "მოდელების შემოტანა ჩავარდა",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "ვიდეოს მინიატურის ჩატვირთვა ჩავარდა",
|
"Failed to load chat preview": "ვიდეოს მინიატურის ჩატვირთვა ჩავარდა",
|
||||||
"Failed to load file content.": "ფაილის შემცველობის ჩატვირთვა ჩავარდა.",
|
"Failed to load file content.": "ფაილის შემცველობის ჩატვირთვა ჩავარდა.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "ჩატის გადატანა ჩავარდა",
|
"Failed to move chat": "ჩატის გადატანა ჩავარდა",
|
||||||
"Failed to read clipboard contents": "ბუფერის შემცველობის წაკითხვა ჩავარდა",
|
"Failed to read clipboard contents": "ბუფერის შემცველობის წაკითხვა ჩავარდა",
|
||||||
"Failed to render diagram": "დიაგრამის რენდერი ჩავარდა",
|
"Failed to render diagram": "დიაგრამის რენდერი ჩავარდა",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "აღმოჩენილია მოდელის ფაილური სისტემის ბილიკი. განახლებისთვის საჭიროა მოდელის მოკლე სახელი, გაგრძელება შეუძლებელია.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "აღმოჩენილია მოდელის ფაილური სისტემის ბილიკი. განახლებისთვის საჭიროა მოდელის მოკლე სახელი, გაგრძელება შეუძლებელია.",
|
||||||
"Model Filtering": "მოდელების გაფილტვრა",
|
"Model Filtering": "მოდელების გაფილტვრა",
|
||||||
"Model ID": "მოდელის ID",
|
"Model ID": "მოდელის ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "მოდელის ID აუცილებელია.",
|
"Model ID is required.": "მოდელის ID აუცილებელია.",
|
||||||
"Model IDs": "მოდელის ID-ები",
|
"Model IDs": "მოდელის ID-ები",
|
||||||
"Model Name": "Მოდელის სახელი",
|
"Model Name": "Მოდელის სახელი",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "მეტი პარამეტრები",
|
"More Options": "მეტი პარამეტრები",
|
||||||
"Move": "გადატანა",
|
"Move": "გადატანა",
|
||||||
|
"My API": "",
|
||||||
"Name": "სახელი",
|
"Name": "სახელი",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "გთხოვთ, შეიყვანოთ სწორი URL",
|
"Please enter a valid URL": "გთხოვთ, შეიყვანოთ სწორი URL",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "შეავსეთ ყველა ველი ბოლომდე.",
|
"Please fill in all fields.": "შეავსეთ ყველა ველი ბოლომდე.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "ჯერ აირჩიეთ მოდელი, გეთაყვა.",
|
"Please select a model first.": "ჯერ აირჩიეთ მოდელი, გეთაყვა.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "უსათაურო",
|
"Untitled": "უსათაურო",
|
||||||
"Update": "განახლება",
|
"Update": "განახლება",
|
||||||
"Update and Copy Link": "განახლება და ბმულის კოპირება",
|
"Update and Copy Link": "განახლება და ბმულის კოპირება",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "პაროლის განახლება",
|
"Update password": "პაროლის განახლება",
|
||||||
"Updated": "განახლებულია",
|
"Updated": "განახლებულია",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube-ის ენა",
|
"Youtube Language": "Youtube-ის ენა",
|
||||||
"Youtube Proxy URL": "Youtube-ის პროქსის URL"
|
"Youtube Proxy URL": "Youtube-ის პროქსის URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Rnu agraw",
|
"Add Group": "Rnu agraw",
|
||||||
"Add Memory": "Rnu cfawat",
|
"Add Memory": "Rnu cfawat",
|
||||||
"Add Model": "Rnu tamudemt",
|
"Add Model": "Rnu tamudemt",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Rnu tamyigawt",
|
"Add Reaction": "Rnu tamyigawt",
|
||||||
"Add Tag": "Rnu tabzimt",
|
"Add Tag": "Rnu tabzimt",
|
||||||
"Add Tags": "Rnu tibzimin",
|
"Add Tags": "Rnu tibzimin",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Rnu aseqdac",
|
"Add User": "Rnu aseqdac",
|
||||||
"Add User Group": "Rnu agraw n iseqdacen",
|
"Add User Group": "Rnu agraw n iseqdacen",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Tawila tamernant",
|
"Additional Config": "Tawila tamernant",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "Iɣewwaren nniḍen",
|
"Additional Parameters": "Iɣewwaren nniḍen",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Yebrir",
|
"April": "Yebrir",
|
||||||
"Archive": "Seɣber",
|
"Archive": "Seɣber",
|
||||||
"Archive All Chats": "Ḥrez akk idiwenniyen",
|
"Archive All Chats": "Ḥrez akk idiwenniyen",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Idiwenniyen i yettwaḥerzen",
|
"Archived Chats": "Idiwenniyen i yettwaḥerzen",
|
||||||
"archived-chat-export": "asifeḍ n yidiwenniyen i yettwaḥerzen",
|
"archived-chat-export": "asifeḍ n yidiwenniyen i yettwaḥerzen",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Tetḥeqqeḍ tebɣiḍ ad tekkseḍ akk aktayen? Tigawt-a ur tettwakkes ara.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Tetḥeqqeḍ tebɣiḍ ad tekkseḍ akk aktayen? Tigawt-a ur tettwakkes ara.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Iɣerracen",
|
"Banners": "Iɣerracen",
|
||||||
"Base Model (From)": "Tamudemt tazadurt (Seg)",
|
"Base Model (From)": "Tamudemt tazadurt (Seg)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Umuɣ n uzadur n tebdart Cache yessazzel anekcum s tmudmin tidusanin kan deg ubeddu neɣ deg yiɣewwaren i d-yettwasellken — amestir, maca yezmer lḥal ur d-yesskan ara ibeddilen ineggura n tmudemt azadur.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Umuɣ n uzadur n tebdart Cache yessazzel anekcum s tmudmin tidusanin kan deg ubeddu neɣ deg yiɣewwaren i d-yettwasellken — amestir, maca yezmer lḥal ur d-yesskan ara ibeddilen ineggura n tmudemt azadur.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "send",
|
"before": "send",
|
||||||
"Being lazy": "Ili-k d ameɛdaz",
|
"Being lazy": "Ili-k d ameɛdaz",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Zgel asalay Web",
|
"Bypass Web Loader": "Zgel asalay Web",
|
||||||
"Cache Base Model List": "Ffer tabdart n tmudmiwin n taffa",
|
"Cache Base Model List": "Ffer tabdart n tmudmiwin n taffa",
|
||||||
"Calendar": "Awitay",
|
"Calendar": "Awitay",
|
||||||
"Call": "Siwel",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Tamahilt n usiwel ur tettwasefrak ara mi ara tesqedceḍ amsedday Web STT",
|
"Call feature is not supported when using Web STT engine": "Tamahilt n usiwel ur tettwasefrak ara mi ara tesqedceḍ amsedday Web STT",
|
||||||
"Camera": "Takamiṛatt",
|
"Camera": "Takamiṛatt",
|
||||||
"Cancel": "Semmet",
|
"Cancel": "Semmet",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Snulfu-d amiḍan",
|
"Create Account": "Snulfu-d amiḍan",
|
||||||
"Create Admin Account": "Snulfu-d amiḍan n unedbal",
|
"Create Admin Account": "Snulfu-d amiḍan n unedbal",
|
||||||
"Create Channel": "Snulfu-d abadu",
|
"Create Channel": "Snulfu-d abadu",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Snulfu-d akaram",
|
"Create Folder": "Snulfu-d akaram",
|
||||||
"Create Group": "Snulfu-d agraw",
|
"Create Group": "Snulfu-d agraw",
|
||||||
"Create Knowledge": "Snulfu-d tamusni",
|
"Create Knowledge": "Snulfu-d tamusni",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "kkes aseɣwen-a",
|
"delete this link": "kkes aseɣwen-a",
|
||||||
"Delete tool?": "Kkes afecku?",
|
"Delete tool?": "Kkes afecku?",
|
||||||
"Delete User": "Kkes aseqdac",
|
"Delete User": "Kkes aseqdac",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Yettwakkes {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Yettwakkes {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Yettwakkes {{name}}",
|
"Deleted {{name}}": "Yettwakkes {{name}}",
|
||||||
"Deleted User": "Yettwakkes useqdac",
|
"Deleted User": "Yettwakkes useqdac",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Sken imujitin lawan n usiwel",
|
"Display Emoji in Call": "Sken imujitin lawan n usiwel",
|
||||||
"Display Multi-model Responses in Tabs": "Sken tririyin n waget-tmudmiwin deg waccaren",
|
"Display Multi-model Responses in Tabs": "Sken tririyin n waget-tmudmiwin deg waccaren",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Sken isem n useqdac deg wadeg n \"Kečč⋅Kemm\" deg yidiwenniyen",
|
"Display the username instead of You in the Chat": "Sken isem n useqdac deg wadeg n \"Kečč⋅Kemm\" deg yidiwenniyen",
|
||||||
"Displays citations in the response": "Yeskan tibdarin deg tririt",
|
"Displays citations in the response": "Yeskan tibdarin deg tririt",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Senfel tisirag timezwar",
|
"Edit Default Permissions": "Senfel tisirag timezwar",
|
||||||
"Edit Folder": "Ẓreg akaram",
|
"Edit Folder": "Ẓreg akaram",
|
||||||
"Edit Memory": "Ẓreg takatut",
|
"Edit Memory": "Ẓreg takatut",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Ẓreg aseqdac",
|
"Edit User": "Ẓreg aseqdac",
|
||||||
"Edit User Group": "Ẓreg agraw n iseqdacen",
|
"Edit User Group": "Ẓreg agraw n iseqdacen",
|
||||||
"edited": "yettwaẓreg",
|
"edited": "yettwaẓreg",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "Tansa URL yeffɣen n unadi deg Web",
|
"External Web Search URL": "Tansa URL yeffɣen n unadi deg Web",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Tecceḍ tmerna n ufaylu.",
|
"Failed to add file.": "Tecceḍ tmerna n ufaylu.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Ur yessaweḍ ara ad yeqqen ɣer {{URL}} n uqeddac n yifecka OpenAPI",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Ur yessaweḍ ara ad yeqqen ɣer {{URL}} n uqeddac n yifecka OpenAPI",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Ur yessaweḍ ara ad yessukken aseɣwen",
|
"Failed to copy link": "Ur yessaweḍ ara ad yessukken aseɣwen",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Ur ssawḍent ara ad d-awint timudmin tigennawin",
|
"Failed to fetch models": "Ur ssawḍent ara ad d-awint timudmin tigennawin",
|
||||||
"Failed to generate title": "Ur yessaweḍ ara ad d-yawi azwel",
|
"Failed to generate title": "Ur yessaweḍ ara ad d-yawi azwel",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Yecceḍ usali n teskant n udiwenni",
|
"Failed to load chat preview": "Yecceḍ usali n teskant n udiwenni",
|
||||||
"Failed to load file content.": "Ur yessaweḍ ara ad d-yessali agbur n yifuyla.",
|
"Failed to load file content.": "Ur yessaweḍ ara ad d-yessali agbur n yifuyla.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "Tuccḍa deg unkaz n udiwenni",
|
"Failed to move chat": "Tuccḍa deg unkaz n udiwenni",
|
||||||
"Failed to read clipboard contents": "Ur yessaweḍ ara ad iɣer agbur n tfelwit",
|
"Failed to read clipboard contents": "Ur yessaweḍ ara ad iɣer agbur n tfelwit",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Abrid n unagraw n wammud iban-d. Isem n umudil yettwasra i uleqqem, ur yezmir ara ad ikemmel.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Abrid n unagraw n wammud iban-d. Isem n umudil yettwasra i uleqqem, ur yezmir ara ad ikemmel.",
|
||||||
"Model Filtering": "Asizdeg n tmudmiwin",
|
"Model Filtering": "Asizdeg n tmudmiwin",
|
||||||
"Model ID": "Asulay n tmudemt",
|
"Model ID": "Asulay n tmudemt",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "Asulay n timudemt yettwasra.",
|
"Model ID is required.": "Asulay n timudemt yettwasra.",
|
||||||
"Model IDs": "Isulayen n tmudmiwin",
|
"Model IDs": "Isulayen n tmudmiwin",
|
||||||
"Model Name": "Isem n tmudemt",
|
"Model Name": "Isem n tmudemt",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Awezlan ugar",
|
"More Concise": "Awezlan ugar",
|
||||||
"More Options": "Ugar n textiṛiyin",
|
"More Options": "Ugar n textiṛiyin",
|
||||||
"Move": "Senkez",
|
"Move": "Senkez",
|
||||||
|
"My API": "",
|
||||||
"Name": "Isem",
|
"Name": "Isem",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Mudd isem i taffa-k⋅m n tmussniwin",
|
"Name your knowledge base": "Mudd isem i taffa-k⋅m n tmussniwin",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Ma ulac aɣilif, sekcem URL tameɣtut",
|
"Please enter a valid URL": "Ma ulac aɣilif, sekcem URL tameɣtut",
|
||||||
"Please enter a valid URL.": "Ttxil, awi-d URL tameɣtut.",
|
"Please enter a valid URL.": "Ttxil, awi-d URL tameɣtut.",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Ttxil-k·m, fren tamudemt di tazwara.",
|
"Please select a model first.": "Ttxil-k·m, fren tamudemt di tazwara.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "War azwel",
|
"Untitled": "War azwel",
|
||||||
"Update": "Muceḍ",
|
"Update": "Muceḍ",
|
||||||
"Update and Copy Link": "Leqqem aseɣwen",
|
"Update and Copy Link": "Leqqem aseɣwen",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Leqqem tiɣawsiwin tineggura d usnerni.",
|
"Update for the latest features and improvements.": "Leqqem tiɣawsiwin tineggura d usnerni.",
|
||||||
"Update password": "Leqqem awal n uɛeddi",
|
"Update password": "Leqqem awal n uɛeddi",
|
||||||
"Updated": "Yettuleqqmen",
|
"Updated": "Yettuleqqmen",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "Tutlayt n Youtube",
|
"Youtube Language": "Tutlayt n Youtube",
|
||||||
"Youtube Proxy URL": "Tansa URL n upṛuksi Youtube"
|
"Youtube Proxy URL": "Tansa URL n upṛuksi Youtube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "그룹 추가",
|
"Add Group": "그룹 추가",
|
||||||
"Add Memory": "메모리 추가",
|
"Add Memory": "메모리 추가",
|
||||||
"Add Model": "모델 추가",
|
"Add Model": "모델 추가",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "리액션 추가",
|
"Add Reaction": "리액션 추가",
|
||||||
"Add Tag": "태그 추가",
|
"Add Tag": "태그 추가",
|
||||||
"Add Tags": "태그 추가",
|
"Add Tags": "태그 추가",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "사용자 추가",
|
"Add User": "사용자 추가",
|
||||||
"Add User Group": "사용자 그룹 추가",
|
"Add User Group": "사용자 그룹 추가",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "추가 설정",
|
"Additional Config": "추가 설정",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Marker에 대한 추가 설정 옵션입니다. 키-값 쌍으로 이루어진 JSON 문자열이어야 합니다. 예를 들어, '{\"key\": \"value\"}'와 같습니다. 지원되는 키는 다음과 같습니다: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Marker에 대한 추가 설정 옵션입니다. 키-값 쌍으로 이루어진 JSON 문자열이어야 합니다. 예를 들어, '{\"key\": \"value\"}'와 같습니다. 지원되는 키는 다음과 같습니다: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
||||||
"Additional Parameters": "추가 매개변수",
|
"Additional Parameters": "추가 매개변수",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "4월",
|
"April": "4월",
|
||||||
"Archive": "보관",
|
"Archive": "보관",
|
||||||
"Archive All Chats": "모든 채팅 보관",
|
"Archive All Chats": "모든 채팅 보관",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "보관된 채팅",
|
"Archived Chats": "보관된 채팅",
|
||||||
"archived-chat-export": "보관된 채팅 내보내기",
|
"archived-chat-export": "보관된 채팅 내보내기",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "정말 모든 메모리를 지우시겠습니까? 이 작업은 되돌릴 수 없습니다.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "정말 모든 메모리를 지우시겠습니까? 이 작업은 되돌릴 수 없습니다.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "배너",
|
"Banners": "배너",
|
||||||
"Base Model (From)": "기본 모델(시작)",
|
"Base Model (From)": "기본 모델(시작)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "기본 모델 목록 캐시는 시작 시 또는 설정 저장 시에만 기본 모델을 불러와 접근 속도를 높여줍니다. 이는 더 빠르지만, 최근 기본 모델 변경 사항이 반영되지 않을 수 있습니다.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "기본 모델 목록 캐시는 시작 시 또는 설정 저장 시에만 기본 모델을 불러와 접근 속도를 높여줍니다. 이는 더 빠르지만, 최근 기본 모델 변경 사항이 반영되지 않을 수 있습니다.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "이전",
|
"before": "이전",
|
||||||
"Being lazy": "게으름 피우기",
|
"Being lazy": "게으름 피우기",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "웹 콘텐츠 불러오기 생략",
|
"Bypass Web Loader": "웹 콘텐츠 불러오기 생략",
|
||||||
"Cache Base Model List": "기본 모델 목록 캐시",
|
"Cache Base Model List": "기본 모델 목록 캐시",
|
||||||
"Calendar": "캘린더",
|
"Calendar": "캘린더",
|
||||||
"Call": "음성 기능",
|
|
||||||
"Call feature is not supported when using Web STT engine": "웹 STT 엔진 사용 시, 음성 기능은 지원되지 않습니다.",
|
"Call feature is not supported when using Web STT engine": "웹 STT 엔진 사용 시, 음성 기능은 지원되지 않습니다.",
|
||||||
"Camera": "카메라",
|
"Camera": "카메라",
|
||||||
"Cancel": "취소",
|
"Cancel": "취소",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "계정 생성",
|
"Create Account": "계정 생성",
|
||||||
"Create Admin Account": "관리자 계정 생성",
|
"Create Admin Account": "관리자 계정 생성",
|
||||||
"Create Channel": "채널 생성",
|
"Create Channel": "채널 생성",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "폴더 생성",
|
"Create Folder": "폴더 생성",
|
||||||
"Create Group": "그룹 생성",
|
"Create Group": "그룹 생성",
|
||||||
"Create Knowledge": "지식 생성",
|
"Create Knowledge": "지식 생성",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "이 링크를 삭제합니다.",
|
"delete this link": "이 링크를 삭제합니다.",
|
||||||
"Delete tool?": "도구를 삭제하시겠습니까?",
|
"Delete tool?": "도구를 삭제하시겠습니까?",
|
||||||
"Delete User": "사용자 삭제",
|
"Delete User": "사용자 삭제",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} 삭제됨",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} 삭제됨",
|
||||||
"Deleted {{name}}": "{{name}}을(를) 삭제했습니다.",
|
"Deleted {{name}}": "{{name}}을(를) 삭제했습니다.",
|
||||||
"Deleted User": "삭제된 사용자",
|
"Deleted User": "삭제된 사용자",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "탭에 채팅 목록 표시",
|
"Display chat title in tab": "탭에 채팅 목록 표시",
|
||||||
"Display Emoji in Call": "음성기능에서 이모지 표시",
|
"Display Emoji in Call": "음성기능에서 이모지 표시",
|
||||||
"Display Multi-model Responses in Tabs": "탭에 여러 모델 응답 표시",
|
"Display Multi-model Responses in Tabs": "탭에 여러 모델 응답 표시",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "채팅에서 '당신' 대신 사용자 이름 표시",
|
"Display the username instead of You in the Chat": "채팅에서 '당신' 대신 사용자 이름 표시",
|
||||||
"Displays citations in the response": "응답에 인용 표시",
|
"Displays citations in the response": "응답에 인용 표시",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "기본 권한 편집",
|
"Edit Default Permissions": "기본 권한 편집",
|
||||||
"Edit Folder": "폴더 편집",
|
"Edit Folder": "폴더 편집",
|
||||||
"Edit Memory": "메모리 편집",
|
"Edit Memory": "메모리 편집",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "사용자 편집",
|
"Edit User": "사용자 편집",
|
||||||
"Edit User Group": "사용자 그룹 편집",
|
"Edit User Group": "사용자 그룹 편집",
|
||||||
"edited": "수정됨",
|
"edited": "수정됨",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "외부 웹 검색 URL",
|
"External Web Search URL": "외부 웹 검색 URL",
|
||||||
"Fade Effect for Streaming Text": "스트리밍 텍스트에 대한 페이드 효과",
|
"Fade Effect for Streaming Text": "스트리밍 텍스트에 대한 페이드 효과",
|
||||||
"Failed to add file.": "파일추가에 실패했습니다",
|
"Failed to add file.": "파일추가에 실패했습니다",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI 도구 서버 연결 실패",
|
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI 도구 서버 연결 실패",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "링크 복사 실패",
|
"Failed to copy link": "링크 복사 실패",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "모델 조회 실패",
|
"Failed to fetch models": "모델 조회 실패",
|
||||||
"Failed to generate title": "제목 생성 실패",
|
"Failed to generate title": "제목 생성 실패",
|
||||||
"Failed to import models": "모델 가져오기 실패",
|
"Failed to import models": "모델 가져오기 실패",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "채팅 미리보기 로드 실패",
|
"Failed to load chat preview": "채팅 미리보기 로드 실패",
|
||||||
"Failed to load file content.": "파일 내용 로드 실패.",
|
"Failed to load file content.": "파일 내용 로드 실패.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "채팅 이동 실패",
|
"Failed to move chat": "채팅 이동 실패",
|
||||||
"Failed to read clipboard contents": "클립보드 내용 가져오기를 실패하였습니다.",
|
"Failed to read clipboard contents": "클립보드 내용 가져오기를 실패하였습니다.",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "모델 파일 시스템 경로가 감지되었습니다. 업데이트하려면 모델 단축 이름이 필요하며 계속할 수 없습니다.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "모델 파일 시스템 경로가 감지되었습니다. 업데이트하려면 모델 단축 이름이 필요하며 계속할 수 없습니다.",
|
||||||
"Model Filtering": "모델 필터링",
|
"Model Filtering": "모델 필터링",
|
||||||
"Model ID": "모델 ID",
|
"Model ID": "모델 ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "모델 ID가 필요합니다",
|
"Model ID is required.": "모델 ID가 필요합니다",
|
||||||
"Model IDs": "모델 IDs",
|
"Model IDs": "모델 IDs",
|
||||||
"Model Name": "모델 이름",
|
"Model Name": "모델 이름",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "더 간결하게",
|
"More Concise": "더 간결하게",
|
||||||
"More Options": "추가 설정",
|
"More Options": "추가 설정",
|
||||||
"Move": "이동",
|
"Move": "이동",
|
||||||
|
"My API": "",
|
||||||
"Name": "이름",
|
"Name": "이름",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "지식 기반 이름을 지정하세요",
|
"Name your knowledge base": "지식 기반 이름을 지정하세요",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "올바른 URL을 입력하세요",
|
"Please enter a valid URL": "올바른 URL을 입력하세요",
|
||||||
"Please enter a valid URL.": "올바른 URL을 입력하세요.",
|
"Please enter a valid URL.": "올바른 URL을 입력하세요.",
|
||||||
"Please fill in all fields.": "모두 빈칸없이 채워주세요",
|
"Please fill in all fields.": "모두 빈칸없이 채워주세요",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "OAuth clith를 등록해주세요",
|
"Please register the OAuth client": "OAuth clith를 등록해주세요",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "먼저 모델을 선택하세요.",
|
"Please select a model first.": "먼저 모델을 선택하세요.",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "제목 없음",
|
"Untitled": "제목 없음",
|
||||||
"Update": "업데이트",
|
"Update": "업데이트",
|
||||||
"Update and Copy Link": "링크 업데이트 및 복사",
|
"Update and Copy Link": "링크 업데이트 및 복사",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "이번 업데이트의 새로운 기능과 개선",
|
"Update for the latest features and improvements.": "이번 업데이트의 새로운 기능과 개선",
|
||||||
"Update password": "비밀번호 업데이트",
|
"Update password": "비밀번호 업데이트",
|
||||||
"Updated": "업데이트됨",
|
"Updated": "업데이트됨",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "당신의 모든 기여는 곧바로 플러그인 개발자에게 갑니다; Open WebUI는 수수료를 받지 않습니다. 다만, 선택한 후원 플랫폼은 수수료를 가져갈 수 있습니다.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "당신의 모든 기여는 곧바로 플러그인 개발자에게 갑니다; Open WebUI는 수수료를 받지 않습니다. 다만, 선택한 후원 플랫폼은 수수료를 가져갈 수 있습니다.",
|
||||||
"YouTube": "유튜브",
|
"YouTube": "유튜브",
|
||||||
"Youtube Language": "Youtube 언어",
|
"Youtube Language": "Youtube 언어",
|
||||||
"Youtube Proxy URL": "Youtube 프록시 URL"
|
"Youtube Proxy URL": "Youtube 프록시 URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "Pridėti atminį",
|
"Add Memory": "Pridėti atminį",
|
||||||
"Add Model": "Pridėti modelį",
|
"Add Model": "Pridėti modelį",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "Pridėti žymą",
|
"Add Tag": "Pridėti žymą",
|
||||||
"Add Tags": "Pridėti žymas",
|
"Add Tags": "Pridėti žymas",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Pridėti naudotoją",
|
"Add User": "Pridėti naudotoją",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Balandis",
|
"April": "Balandis",
|
||||||
"Archive": "Archyvai",
|
"Archive": "Archyvai",
|
||||||
"Archive All Chats": "Archyvuoti visus pokalbius",
|
"Archive All Chats": "Archyvuoti visus pokalbius",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Archyvuoti pokalbiai",
|
"Archived Chats": "Archyvuoti pokalbiai",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Baneriai",
|
"Banners": "Baneriai",
|
||||||
"Base Model (From)": "Bazinis modelis",
|
"Base Model (From)": "Bazinis modelis",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "prieš",
|
"before": "prieš",
|
||||||
"Being lazy": "Būvimas tingiu",
|
"Being lazy": "Būvimas tingiu",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Skambinti",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Skambučio funkcionalumas neleidžiamas naudojant Web STT variklį",
|
"Call feature is not supported when using Web STT engine": "Skambučio funkcionalumas neleidžiamas naudojant Web STT variklį",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Atšaukti",
|
"Cancel": "Atšaukti",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Créer un compte",
|
"Create Account": "Créer un compte",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "Ištrinti nuorodą",
|
"delete this link": "Ištrinti nuorodą",
|
||||||
"Delete tool?": "Ištrinti įrankį?",
|
"Delete tool?": "Ištrinti įrankį?",
|
||||||
"Delete User": "Ištrinti naudotoją",
|
"Delete User": "Ištrinti naudotoją",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ištrinta",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ištrinta",
|
||||||
"Deleted {{name}}": "Ištrinta {{name}}",
|
"Deleted {{name}}": "Ištrinta {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Rodyti emoji pokalbiuose",
|
"Display Emoji in Call": "Rodyti emoji pokalbiuose",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Rodyti naudotojo vardą vietoje žodžio Jūs pokalbyje",
|
"Display the username instead of You in the Chat": "Rodyti naudotojo vardą vietoje žodžio Jūs pokalbyje",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Koreguoti atminį",
|
"Edit Memory": "Koreguoti atminį",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Redaguoti naudotoją",
|
"Edit User": "Redaguoti naudotoją",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Nepavyko perskaityti kopijuoklės",
|
"Failed to read clipboard contents": "Nepavyko perskaityti kopijuoklės",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modelio failų sistemos kelias aptiktas. Reikalingas trumpas modelio pavadinimas atnaujinimui.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modelio failų sistemos kelias aptiktas. Reikalingas trumpas modelio pavadinimas atnaujinimui.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "Modelio ID",
|
"Model ID": "Modelio ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Pavadinimas",
|
"Name": "Pavadinimas",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1649,6 +1662,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Atnaujinti",
|
"Update": "Atnaujinti",
|
||||||
"Update and Copy Link": "Atnaujinti ir kopijuoti nuorodą",
|
"Update and Copy Link": "Atnaujinti ir kopijuoti nuorodą",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "Atnaujinti slaptažodį",
|
"Update password": "Atnaujinti slaptažodį",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1764,5 +1778,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Jūsų finansinis prisidėjimas tiesiogiai keliaus modulio kūrėjui.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Jūsų finansinis prisidėjimas tiesiogiai keliaus modulio kūrėjui.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "Tambah Memori",
|
"Add Memory": "Tambah Memori",
|
||||||
"Add Model": "Tambah Model",
|
"Add Model": "Tambah Model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "Tambah Tag",
|
"Add Tag": "Tambah Tag",
|
||||||
"Add Tags": "Tambah Tag",
|
"Add Tags": "Tambah Tag",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Tambah Pengguna",
|
"Add User": "Tambah Pengguna",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "April",
|
"April": "April",
|
||||||
"Archive": "Arkib",
|
"Archive": "Arkib",
|
||||||
"Archive All Chats": "Arkibkan Semua Perbualan",
|
"Archive All Chats": "Arkibkan Semua Perbualan",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Perbualan yang diarkibkan",
|
"Archived Chats": "Perbualan yang diarkibkan",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Sepanduk",
|
"Banners": "Sepanduk",
|
||||||
"Base Model (From)": "Model Asas (Dari)",
|
"Base Model (From)": "Model Asas (Dari)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "sebelum,",
|
"before": "sebelum,",
|
||||||
"Being lazy": "Menjadi Malas",
|
"Being lazy": "Menjadi Malas",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Hubungi",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Ciri panggilan tidak disokong apabila menggunakan enjin Web STT",
|
"Call feature is not supported when using Web STT engine": "Ciri panggilan tidak disokong apabila menggunakan enjin Web STT",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Batal",
|
"Cancel": "Batal",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Cipta Akaun",
|
"Create Account": "Cipta Akaun",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "Padam pautan ini?",
|
"delete this link": "Padam pautan ini?",
|
||||||
"Delete tool?": "Padam alat?",
|
"Delete tool?": "Padam alat?",
|
||||||
"Delete User": "Padam Pengguna",
|
"Delete User": "Padam Pengguna",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} dipadam",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} dipadam",
|
||||||
"Deleted {{name}}": "{{name}} dipadam",
|
"Deleted {{name}}": "{{name}} dipadam",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Paparkan Emoji dalam Panggilan",
|
"Display Emoji in Call": "Paparkan Emoji dalam Panggilan",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Paparkan nama pengguna dan bukannya 'Anda' dalam Sembang",
|
"Display the username instead of You in the Chat": "Paparkan nama pengguna dan bukannya 'Anda' dalam Sembang",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Edit Memori",
|
"Edit Memory": "Edit Memori",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Edit Penggunal",
|
"Edit User": "Edit Penggunal",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Gagal membaca konten papan klip",
|
"Failed to read clipboard contents": "Gagal membaca konten papan klip",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Laluan sistem fail model dikesan. Nama pendek model diperlukan untuk kemas kini, tidak boleh diteruskan.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Laluan sistem fail model dikesan. Nama pendek model diperlukan untuk kemas kini, tidak boleh diteruskan.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ID Model",
|
"Model ID": "ID Model",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nama",
|
"Name": "Nama",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Kemaskini",
|
"Update": "Kemaskini",
|
||||||
"Update and Copy Link": "Kemaskini dan salin pautan",
|
"Update and Copy Link": "Kemaskini dan salin pautan",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "Kemaskini Kata Laluan",
|
"Update password": "Kemaskini Kata Laluan",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Seluruh sumbangan anda akan dihantar terus kepada pembangun 'plugin'; CyberLover tidak mengambil sebarang peratusan keuntungan daripadanya. Walau bagaimanapun, platform pembiayaan yang dipilih mungkin mempunyai caj tersendiri.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Seluruh sumbangan anda akan dihantar terus kepada pembangun 'plugin'; CyberLover tidak mengambil sebarang peratusan keuntungan daripadanya. Walau bagaimanapun, platform pembiayaan yang dipilih mungkin mempunyai caj tersendiri.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Legg til gruppe",
|
"Add Group": "Legg til gruppe",
|
||||||
"Add Memory": "Legg til minne",
|
"Add Memory": "Legg til minne",
|
||||||
"Add Model": "Legg til modell",
|
"Add Model": "Legg til modell",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Legg til reaksjon",
|
"Add Reaction": "Legg til reaksjon",
|
||||||
"Add Tag": "Legg til etikett",
|
"Add Tag": "Legg til etikett",
|
||||||
"Add Tags": "Legg til etiketter",
|
"Add Tags": "Legg til etiketter",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Legg til bruker",
|
"Add User": "Legg til bruker",
|
||||||
"Add User Group": "Legg til brukergruppe",
|
"Add User Group": "Legg til brukergruppe",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "april",
|
"April": "april",
|
||||||
"Archive": "Arkiv",
|
"Archive": "Arkiv",
|
||||||
"Archive All Chats": "Arkiver alle chatter",
|
"Archive All Chats": "Arkiver alle chatter",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arkiverte chatter",
|
"Archived Chats": "Arkiverte chatter",
|
||||||
"archived-chat-export": "archived-chat-export",
|
"archived-chat-export": "archived-chat-export",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannere",
|
"Banners": "Bannere",
|
||||||
"Base Model (From)": "Grunnmodell (fra)",
|
"Base Model (From)": "Grunnmodell (fra)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "før",
|
"before": "før",
|
||||||
"Being lazy": "Er lat",
|
"Being lazy": "Er lat",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Kalender",
|
"Calendar": "Kalender",
|
||||||
"Call": "Ring",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Ringefunksjonen støttes ikke når du bruker Web STT-motoren",
|
"Call feature is not supported when using Web STT engine": "Ringefunksjonen støttes ikke når du bruker Web STT-motoren",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Avbryt",
|
"Cancel": "Avbryt",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Opprett konto",
|
"Create Account": "Opprett konto",
|
||||||
"Create Admin Account": "Opprett administratorkonto",
|
"Create Admin Account": "Opprett administratorkonto",
|
||||||
"Create Channel": "Opprett kanal",
|
"Create Channel": "Opprett kanal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Opprett gruppe",
|
"Create Group": "Opprett gruppe",
|
||||||
"Create Knowledge": "Opprett kunnskap",
|
"Create Knowledge": "Opprett kunnskap",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "slett denne lenken",
|
"delete this link": "slett denne lenken",
|
||||||
"Delete tool?": "Slette verktøy?",
|
"Delete tool?": "Slette verktøy?",
|
||||||
"Delete User": "Slett bruker",
|
"Delete User": "Slett bruker",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Slettet {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Slettet {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Slettet {{name}}",
|
"Deleted {{name}}": "Slettet {{name}}",
|
||||||
"Deleted User": "Slettet bruker",
|
"Deleted User": "Slettet bruker",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Vis emoji i samtale",
|
"Display Emoji in Call": "Vis emoji i samtale",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Vis brukernavnet ditt i stedet for Du i chatten",
|
"Display the username instead of You in the Chat": "Vis brukernavnet ditt i stedet for Du i chatten",
|
||||||
"Displays citations in the response": "Vis kildehenvisninger i svaret",
|
"Displays citations in the response": "Vis kildehenvisninger i svaret",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Rediger standard tillatelser",
|
"Edit Default Permissions": "Rediger standard tillatelser",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Rediger minne",
|
"Edit Memory": "Rediger minne",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Rediger bruker",
|
"Edit User": "Rediger bruker",
|
||||||
"Edit User Group": "Rediger brukergruppe",
|
"Edit User Group": "Rediger brukergruppe",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Kan ikke legge til filen.",
|
"Failed to add file.": "Kan ikke legge til filen.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Kan ikke hente modeller",
|
"Failed to fetch models": "Kan ikke hente modeller",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Kan ikke lese utklippstavlens innhold",
|
"Failed to read clipboard contents": "Kan ikke lese utklippstavlens innhold",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modellfilsystembane oppdaget. Kan ikke fortsette fordi modellens kortnavn er påkrevd for oppdatering.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modellfilsystembane oppdaget. Kan ikke fortsette fordi modellens kortnavn er påkrevd for oppdatering.",
|
||||||
"Model Filtering": "Filtrering av modeller",
|
"Model Filtering": "Filtrering av modeller",
|
||||||
"Model ID": "Modell-ID",
|
"Model ID": "Modell-ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Modell-ID-er",
|
"Model IDs": "Modell-ID-er",
|
||||||
"Model Name": "Modell",
|
"Model Name": "Modell",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Navn",
|
"Name": "Navn",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Gi kunnskapsbasen et navn",
|
"Name your knowledge base": "Gi kunnskapsbasen et navn",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Fyll i alle felter",
|
"Please fill in all fields.": "Fyll i alle felter",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Velg en modeller først.",
|
"Please select a model first.": "Velg en modeller først.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Oppdater",
|
"Update": "Oppdater",
|
||||||
"Update and Copy Link": "Oppdater og kopier lenke",
|
"Update and Copy Link": "Oppdater og kopier lenke",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Oppdater for å få siste funksjoner og forbedringer.",
|
"Update for the latest features and improvements.": "Oppdater for å få siste funksjoner og forbedringer.",
|
||||||
"Update password": "Oppdater passord",
|
"Update password": "Oppdater passord",
|
||||||
"Updated": "Oppdatert",
|
"Updated": "Oppdatert",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Hele beløpet går uavkortet til utvikleren av tillegget. CyberLover mottar ikke deler av beløpet. Den valgte betalingsplattformen kan ha gebyrer.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Hele beløpet går uavkortet til utvikleren av tillegget. CyberLover mottar ikke deler av beløpet. Den valgte betalingsplattformen kan ha gebyrer.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Voeg groep toe",
|
"Add Group": "Voeg groep toe",
|
||||||
"Add Memory": "Voeg geheugen toe",
|
"Add Memory": "Voeg geheugen toe",
|
||||||
"Add Model": "Voeg model toe",
|
"Add Model": "Voeg model toe",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Voeg reactie toe",
|
"Add Reaction": "Voeg reactie toe",
|
||||||
"Add Tag": "Voeg tag toe",
|
"Add Tag": "Voeg tag toe",
|
||||||
"Add Tags": "Voeg tags toe",
|
"Add Tags": "Voeg tags toe",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Voeg gebruiker toe",
|
"Add User": "Voeg gebruiker toe",
|
||||||
"Add User Group": "Voeg gebruikersgroep toe",
|
"Add User Group": "Voeg gebruikersgroep toe",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Extra configuratie",
|
"Additional Config": "Extra configuratie",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "April",
|
"April": "April",
|
||||||
"Archive": "Archief",
|
"Archive": "Archief",
|
||||||
"Archive All Chats": "Archiveer alle chats",
|
"Archive All Chats": "Archiveer alle chats",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Chatrecord",
|
"Archived Chats": "Chatrecord",
|
||||||
"archived-chat-export": "gearchiveerde-chat-export",
|
"archived-chat-export": "gearchiveerde-chat-export",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Weet je zeker dat je alle herinneringen wil verwijderen? Deze actie kan niet ongedaan worden gemaakt.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Weet je zeker dat je alle herinneringen wil verwijderen? Deze actie kan niet ongedaan worden gemaakt.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Banners",
|
"Banners": "Banners",
|
||||||
"Base Model (From)": "Basismodel (Vanaf)",
|
"Base Model (From)": "Basismodel (Vanaf)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "voor",
|
"before": "voor",
|
||||||
"Being lazy": "Lui zijn",
|
"Being lazy": "Lui zijn",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Agenda",
|
"Calendar": "Agenda",
|
||||||
"Call": "Oproep",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Belfunctie wordt niet ondersteund bij gebruik van de Web STT engine",
|
"Call feature is not supported when using Web STT engine": "Belfunctie wordt niet ondersteund bij gebruik van de Web STT engine",
|
||||||
"Camera": "Camera",
|
"Camera": "Camera",
|
||||||
"Cancel": "Annuleren",
|
"Cancel": "Annuleren",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Maak account",
|
"Create Account": "Maak account",
|
||||||
"Create Admin Account": "Maak admin-account",
|
"Create Admin Account": "Maak admin-account",
|
||||||
"Create Channel": "Maak kanaal",
|
"Create Channel": "Maak kanaal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Maak groep",
|
"Create Group": "Maak groep",
|
||||||
"Create Knowledge": "Creër kennis",
|
"Create Knowledge": "Creër kennis",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "verwijder deze link",
|
"delete this link": "verwijder deze link",
|
||||||
"Delete tool?": "Verwijder tool?",
|
"Delete tool?": "Verwijder tool?",
|
||||||
"Delete User": "Verwijder gebruiker",
|
"Delete User": "Verwijder gebruiker",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} is verwijderd",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} is verwijderd",
|
||||||
"Deleted {{name}}": "{{name}} verwijderd",
|
"Deleted {{name}}": "{{name}} verwijderd",
|
||||||
"Deleted User": "Gebruiker verwijderd",
|
"Deleted User": "Gebruiker verwijderd",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Emoji tonen tijdens gesprek",
|
"Display Emoji in Call": "Emoji tonen tijdens gesprek",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Toon de gebruikersnaam in plaats van Jij in de Chat",
|
"Display the username instead of You in the Chat": "Toon de gebruikersnaam in plaats van Jij in de Chat",
|
||||||
"Displays citations in the response": "Toon citaten in het antwoord",
|
"Displays citations in the response": "Toon citaten in het antwoord",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Bewerk standaardrechten",
|
"Edit Default Permissions": "Bewerk standaardrechten",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Bewerk geheugen",
|
"Edit Memory": "Bewerk geheugen",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Wijzig gebruiker",
|
"Edit User": "Wijzig gebruiker",
|
||||||
"Edit User Group": "Bewerk gebruikergroep",
|
"Edit User Group": "Bewerk gebruikergroep",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Het is niet gelukt om het bestand toe te voegen.",
|
"Failed to add file.": "Het is niet gelukt om het bestand toe te voegen.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Kan geen verbinding maken met {{URL}} OpenAPI gereedschapserver",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Kan geen verbinding maken met {{URL}} OpenAPI gereedschapserver",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Kan modellen niet ophalen",
|
"Failed to fetch models": "Kan modellen niet ophalen",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Kan klembord inhoud niet lezen",
|
"Failed to read clipboard contents": "Kan klembord inhoud niet lezen",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filesystem path gedetecteerd. Model shortname is vereist voor update, kan niet doorgaan.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model filesystem path gedetecteerd. Model shortname is vereist voor update, kan niet doorgaan.",
|
||||||
"Model Filtering": "Modelfiltratie",
|
"Model Filtering": "Modelfiltratie",
|
||||||
"Model ID": "Model-ID",
|
"Model ID": "Model-ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Model-IDs",
|
"Model IDs": "Model-IDs",
|
||||||
"Model Name": "Modelnaam",
|
"Model Name": "Modelnaam",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Naam",
|
"Name": "Naam",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Geef je kennisbasis een naam",
|
"Name your knowledge base": "Geef je kennisbasis een naam",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Voer alle velden in",
|
"Please fill in all fields.": "Voer alle velden in",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Selecteer eerst een model",
|
"Please select a model first.": "Selecteer eerst een model",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Bijwerken",
|
"Update": "Bijwerken",
|
||||||
"Update and Copy Link": "Bijwerken en kopieer link",
|
"Update and Copy Link": "Bijwerken en kopieer link",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Bijwerken voor de nieuwste functies en verbeteringen",
|
"Update for the latest features and improvements.": "Bijwerken voor de nieuwste functies en verbeteringen",
|
||||||
"Update password": "Wijzig wachtwoord",
|
"Update password": "Wijzig wachtwoord",
|
||||||
"Updated": "Bijgewerkt",
|
"Updated": "Bijgewerkt",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Je volledige bijdrage gaat direct naar de ontwikkelaar van de plugin; CyberLover neemt hier geen deel van. Het gekozen financieringsplatform kan echter wel zijn eigen kosten hebben.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Je volledige bijdrage gaat direct naar de ontwikkelaar van de plugin; CyberLover neemt hier geen deel van. Het gekozen financieringsplatform kan echter wel zijn eigen kosten hebben.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube-taal",
|
"Youtube Language": "Youtube-taal",
|
||||||
"Youtube Proxy URL": "Youtube-proxy-URL"
|
"Youtube Proxy URL": "Youtube-proxy-URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "ਮਿਹਾਨ ਸ਼ਾਮਲ ਕਰੋ",
|
"Add Memory": "ਮਿਹਾਨ ਸ਼ਾਮਲ ਕਰੋ",
|
||||||
"Add Model": "ਮਾਡਲ ਸ਼ਾਮਲ ਕਰੋ",
|
"Add Model": "ਮਾਡਲ ਸ਼ਾਮਲ ਕਰੋ",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "ਟੈਗ ਸ਼ਾਮਲ ਕਰੋ",
|
"Add Tags": "ਟੈਗ ਸ਼ਾਮਲ ਕਰੋ",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "ਉਪਭੋਗਤਾ ਸ਼ਾਮਲ ਕਰੋ",
|
"Add User": "ਉਪਭੋਗਤਾ ਸ਼ਾਮਲ ਕਰੋ",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "ਅਪ੍ਰੈਲ",
|
"April": "ਅਪ੍ਰੈਲ",
|
||||||
"Archive": "ਆਰਕਾਈਵ",
|
"Archive": "ਆਰਕਾਈਵ",
|
||||||
"Archive All Chats": "ਸਾਰੀਆਂ ਚੈਟਾਂ ਨੂੰ ਆਰਕਾਈਵ ਕਰੋ",
|
"Archive All Chats": "ਸਾਰੀਆਂ ਚੈਟਾਂ ਨੂੰ ਆਰਕਾਈਵ ਕਰੋ",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "ਆਰਕਾਈਵ ਕੀਤੀਆਂ ਗੱਲਾਂ",
|
"Archived Chats": "ਆਰਕਾਈਵ ਕੀਤੀਆਂ ਗੱਲਾਂ",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "ਬੈਨਰ",
|
"Banners": "ਬੈਨਰ",
|
||||||
"Base Model (From)": "ਬੇਸ ਮਾਡਲ (ਤੋਂ)",
|
"Base Model (From)": "ਬੇਸ ਮਾਡਲ (ਤੋਂ)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "ਪਹਿਲਾਂ",
|
"before": "ਪਹਿਲਾਂ",
|
||||||
"Being lazy": "ਆਲਸੀ ਹੋਣਾ",
|
"Being lazy": "ਆਲਸੀ ਹੋਣਾ",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "ਰੱਦ ਕਰੋ",
|
"Cancel": "ਰੱਦ ਕਰੋ",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "ਖਾਤਾ ਬਣਾਓ",
|
"Create Account": "ਖਾਤਾ ਬਣਾਓ",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "ਇਸ ਲਿੰਕ ਨੂੰ ਮਿਟਾਓ",
|
"delete this link": "ਇਸ ਲਿੰਕ ਨੂੰ ਮਿਟਾਓ",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "ਉਪਭੋਗਤਾ ਮਿਟਾਓ",
|
"Delete User": "ਉਪਭੋਗਤਾ ਮਿਟਾਓ",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ਮਿਟਾਇਆ ਗਿਆ",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ਮਿਟਾਇਆ ਗਿਆ",
|
||||||
"Deleted {{name}}": "ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ {{name}}",
|
"Deleted {{name}}": "ਮਿਟਾ ਦਿੱਤਾ ਗਿਆ {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "ਗੱਲਬਾਤ 'ਚ ਤੁਹਾਡੇ ਸਥਾਨ 'ਤੇ ਉਪਭੋਗਤਾ ਨਾਮ ਦਿਖਾਓ",
|
"Display the username instead of You in the Chat": "ਗੱਲਬਾਤ 'ਚ ਤੁਹਾਡੇ ਸਥਾਨ 'ਤੇ ਉਪਭੋਗਤਾ ਨਾਮ ਦਿਖਾਓ",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "ਉਪਭੋਗਤਾ ਸੰਪਾਦਨ ਕਰੋ",
|
"Edit User": "ਉਪਭੋਗਤਾ ਸੰਪਾਦਨ ਕਰੋ",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਪੜ੍ਹਣ ਵਿੱਚ ਅਸਫਲ",
|
"Failed to read clipboard contents": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਪੜ੍ਹਣ ਵਿੱਚ ਅਸਫਲ",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ਮਾਡਲ ਫਾਈਲਸਿਸਟਮ ਪੱਥ ਪਾਇਆ ਗਿਆ। ਅੱਪਡੇਟ ਲਈ ਮਾਡਲ ਸ਼ੌਰਟਨੇਮ ਦੀ ਲੋੜ ਹੈ, ਜਾਰੀ ਨਹੀਂ ਰੱਖ ਸਕਦੇ।",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ਮਾਡਲ ਫਾਈਲਸਿਸਟਮ ਪੱਥ ਪਾਇਆ ਗਿਆ। ਅੱਪਡੇਟ ਲਈ ਮਾਡਲ ਸ਼ੌਰਟਨੇਮ ਦੀ ਲੋੜ ਹੈ, ਜਾਰੀ ਨਹੀਂ ਰੱਖ ਸਕਦੇ।",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ਮਾਡਲ ID",
|
"Model ID": "ਮਾਡਲ ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "ਨਾਮ",
|
"Name": "ਨਾਮ",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "ਅੱਪਡੇਟ ਕਰੋ ਅਤੇ ਲਿੰਕ ਕਾਪੀ ਕਰੋ",
|
"Update and Copy Link": "ਅੱਪਡੇਟ ਕਰੋ ਅਤੇ ਲਿੰਕ ਕਾਪੀ ਕਰੋ",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "ਪਾਸਵਰਡ ਅੱਪਡੇਟ ਕਰੋ",
|
"Update password": "ਪਾਸਵਰਡ ਅੱਪਡੇਟ ਕਰੋ",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "ਯੂਟਿਊਬ",
|
"YouTube": "ਯੂਟਿਊਬ",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Dodaj grupę",
|
"Add Group": "Dodaj grupę",
|
||||||
"Add Memory": "Dodaj pamięć",
|
"Add Memory": "Dodaj pamięć",
|
||||||
"Add Model": "Dodaj model",
|
"Add Model": "Dodaj model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Dodaj reakcję",
|
"Add Reaction": "Dodaj reakcję",
|
||||||
"Add Tag": "Dodaj tag",
|
"Add Tag": "Dodaj tag",
|
||||||
"Add Tags": "Dodaj tagi",
|
"Add Tags": "Dodaj tagi",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Dodaj użytkownika",
|
"Add User": "Dodaj użytkownika",
|
||||||
"Add User Group": "Dodaj grupę użytkowników",
|
"Add User Group": "Dodaj grupę użytkowników",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Kwiecień",
|
"April": "Kwiecień",
|
||||||
"Archive": "Archiwum",
|
"Archive": "Archiwum",
|
||||||
"Archive All Chats": "Archiwizuj wszystkie rozmowy",
|
"Archive All Chats": "Archiwizuj wszystkie rozmowy",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Zarchiwizowane rozmowy",
|
"Archived Chats": "Zarchiwizowane rozmowy",
|
||||||
"archived-chat-export": "archiwizowany eksport czatu",
|
"archived-chat-export": "archiwizowany eksport czatu",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Czy na pewno chcesz wyczyścić wszystkie wspomnienia? Tej akcji nie można cofnąć.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Czy na pewno chcesz wyczyścić wszystkie wspomnienia? Tej akcji nie można cofnąć.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannery",
|
"Banners": "Bannery",
|
||||||
"Base Model (From)": "Model bazowy (od)",
|
"Base Model (From)": "Model bazowy (od)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "przed",
|
"before": "przed",
|
||||||
"Being lazy": "Jest leniwy.",
|
"Being lazy": "Jest leniwy.",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Kalendarz",
|
"Calendar": "Kalendarz",
|
||||||
"Call": "Rozmowa",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Funkcja rozmowy nie jest obsługiwana podczas korzystania z silnika Web STT",
|
"Call feature is not supported when using Web STT engine": "Funkcja rozmowy nie jest obsługiwana podczas korzystania z silnika Web STT",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Anuluj",
|
"Cancel": "Anuluj",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Utwórz konto",
|
"Create Account": "Utwórz konto",
|
||||||
"Create Admin Account": "Utwórz konto administratora",
|
"Create Admin Account": "Utwórz konto administratora",
|
||||||
"Create Channel": "Utwórz kanał",
|
"Create Channel": "Utwórz kanał",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Utwórz folder",
|
"Create Folder": "Utwórz folder",
|
||||||
"Create Group": "Utwórz grupę",
|
"Create Group": "Utwórz grupę",
|
||||||
"Create Knowledge": "Utwórz wiedzę",
|
"Create Knowledge": "Utwórz wiedzę",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "usuń to połączenie",
|
"delete this link": "usuń to połączenie",
|
||||||
"Delete tool?": "Usunąć narzędzie?",
|
"Delete tool?": "Usunąć narzędzie?",
|
||||||
"Delete User": "Usuń użytkownika",
|
"Delete User": "Usuń użytkownika",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Usunieto {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Usunieto {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Usunięto użytkownika {{name}}",
|
"Deleted {{name}}": "Usunięto użytkownika {{name}}",
|
||||||
"Deleted User": "Usunięty użytkownik",
|
"Deleted User": "Usunięty użytkownik",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Wyświetl emoji w połączeniu",
|
"Display Emoji in Call": "Wyświetl emoji w połączeniu",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Wyświetl nazwę użytkownika zamiast 'You' w czacie.",
|
"Display the username instead of You in the Chat": "Wyświetl nazwę użytkownika zamiast 'You' w czacie.",
|
||||||
"Displays citations in the response": "Wyświetla cytowania w odpowiedzi",
|
"Displays citations in the response": "Wyświetla cytowania w odpowiedzi",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Edytuj domyślne uprawnienia",
|
"Edit Default Permissions": "Edytuj domyślne uprawnienia",
|
||||||
"Edit Folder": "Edytuj folder",
|
"Edit Folder": "Edytuj folder",
|
||||||
"Edit Memory": "Edytuj pamięć",
|
"Edit Memory": "Edytuj pamięć",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Edytuj profil użytkownika",
|
"Edit User": "Edytuj profil użytkownika",
|
||||||
"Edit User Group": "Edytuj grupa użytkowników",
|
"Edit User Group": "Edytuj grupa użytkowników",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Nie udało się dodać pliku.",
|
"Failed to add file.": "Nie udało się dodać pliku.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Nie udało się skopiować linku",
|
"Failed to copy link": "Nie udało się skopiować linku",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Nie udało się pobrać modeli",
|
"Failed to fetch models": "Nie udało się pobrać modeli",
|
||||||
"Failed to generate title": "Nie udało się wygenerować tytułu",
|
"Failed to generate title": "Nie udało się wygenerować tytułu",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "Nie udało się załadować zawartości pliku.",
|
"Failed to load file content.": "Nie udało się załadować zawartości pliku.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Nie udało się odczytać zawartości schowka",
|
"Failed to read clipboard contents": "Nie udało się odczytać zawartości schowka",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Wykryto ścieżkę systemu plików modelu. Podanie krótkiej nazwy modelu jest wymagane do aktualizacji, nie można kontynuować.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Wykryto ścieżkę systemu plików modelu. Podanie krótkiej nazwy modelu jest wymagane do aktualizacji, nie można kontynuować.",
|
||||||
"Model Filtering": "Filtracja modeli",
|
"Model Filtering": "Filtracja modeli",
|
||||||
"Model ID": "Identyfikator modelu",
|
"Model ID": "Identyfikator modelu",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Identyfikatory modeli",
|
"Model IDs": "Identyfikatory modeli",
|
||||||
"Model Name": "Nazwa modelu",
|
"Model Name": "Nazwa modelu",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nazwa",
|
"Name": "Nazwa",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Nazwij swoją bazę wiedzy",
|
"Name your knowledge base": "Nazwij swoją bazę wiedzy",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Proszę wypełnić wszystkie pola.",
|
"Please fill in all fields.": "Proszę wypełnić wszystkie pola.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Proszę najpierw wybrać model.",
|
"Please select a model first.": "Proszę najpierw wybrać model.",
|
||||||
|
|
@ -1649,6 +1662,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Aktualizacja",
|
"Update": "Aktualizacja",
|
||||||
"Update and Copy Link": "Aktualizuj i kopiuj link",
|
"Update and Copy Link": "Aktualizuj i kopiuj link",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Aktualizacja do najnowszych funkcji i ulepszeń.",
|
"Update for the latest features and improvements.": "Aktualizacja do najnowszych funkcji i ulepszeń.",
|
||||||
"Update password": "Zmiana hasła",
|
"Update password": "Zmiana hasła",
|
||||||
"Updated": "Zaktualizowano",
|
"Updated": "Zaktualizowano",
|
||||||
|
|
@ -1764,5 +1778,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Cała Twoja wpłata trafi bezpośrednio do dewelopera wtyczki; CyberLover nie pobiera żadnej prowizji. Należy jednak pamiętać, że wybrana platforma finansowania może mieć własne opłaty.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Cała Twoja wpłata trafi bezpośrednio do dewelopera wtyczki; CyberLover nie pobiera żadnej prowizji. Należy jednak pamiętać, że wybrana platforma finansowania może mieć własne opłaty.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Język Youtube",
|
"Youtube Language": "Język Youtube",
|
||||||
"Youtube Proxy URL": "URL proxy Youtube"
|
"Youtube Proxy URL": "URL proxy Youtube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Adicionar Grupo",
|
"Add Group": "Adicionar Grupo",
|
||||||
"Add Memory": "Adicionar Memória",
|
"Add Memory": "Adicionar Memória",
|
||||||
"Add Model": "Adicionar Modelo",
|
"Add Model": "Adicionar Modelo",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Adicionar reação",
|
"Add Reaction": "Adicionar reação",
|
||||||
"Add Tag": "Adicionar Tag",
|
"Add Tag": "Adicionar Tag",
|
||||||
"Add Tags": "Adicionar Tags",
|
"Add Tags": "Adicionar Tags",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Adicionar Usuário",
|
"Add User": "Adicionar Usuário",
|
||||||
"Add User Group": "Adicionar grupo de usuários",
|
"Add User Group": "Adicionar grupo de usuários",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Configuração adicional",
|
"Additional Config": "Configuração adicional",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opções de configuração adicionais para o marcador. Deve ser uma string JSON com pares chave-valor. Por exemplo, '{\"key\": \"value\"}'. As chaves suportadas incluem: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Opções de configuração adicionais para o marcador. Deve ser uma string JSON com pares chave-valor. Por exemplo, '{\"key\": \"value\"}'. As chaves suportadas incluem: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
||||||
"Additional Parameters": "Parâmetros adicionais",
|
"Additional Parameters": "Parâmetros adicionais",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Abril",
|
"April": "Abril",
|
||||||
"Archive": "Arquivar",
|
"Archive": "Arquivar",
|
||||||
"Archive All Chats": "Arquivar Todos os Chats",
|
"Archive All Chats": "Arquivar Todos os Chats",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Chats Arquivados",
|
"Archived Chats": "Chats Arquivados",
|
||||||
"archived-chat-export": "exportação de chats arquivados",
|
"archived-chat-export": "exportação de chats arquivados",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Tem certeza de que deseja apagar todas as memórias? Esta ação não pode ser desfeita.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Tem certeza de que deseja apagar todas as memórias? Esta ação não pode ser desfeita.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Banners",
|
"Banners": "Banners",
|
||||||
"Base Model (From)": "Modelo Base (De)",
|
"Base Model (From)": "Modelo Base (De)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "O cache da lista de modelos base acelera o acesso buscando modelos base somente na inicialização ou ao salvar as configurações — mais rápido, mas pode não mostrar alterações recentes no modelo base.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "O cache da lista de modelos base acelera o acesso buscando modelos base somente na inicialização ou ao salvar as configurações — mais rápido, mas pode não mostrar alterações recentes no modelo base.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "antes",
|
"before": "antes",
|
||||||
"Being lazy": "Sendo preguiçoso",
|
"Being lazy": "Sendo preguiçoso",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Ignorar carregador da Web",
|
"Bypass Web Loader": "Ignorar carregador da Web",
|
||||||
"Cache Base Model List": "Lista de modelos base de cache",
|
"Cache Base Model List": "Lista de modelos base de cache",
|
||||||
"Calendar": "Calendário",
|
"Calendar": "Calendário",
|
||||||
"Call": "Chamada",
|
|
||||||
"Call feature is not supported when using Web STT engine": "O recurso de chamada não é suportado ao usar o mecanismo Web STT",
|
"Call feature is not supported when using Web STT engine": "O recurso de chamada não é suportado ao usar o mecanismo Web STT",
|
||||||
"Camera": "Câmera",
|
"Camera": "Câmera",
|
||||||
"Cancel": "Cancelar",
|
"Cancel": "Cancelar",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Criar Conta",
|
"Create Account": "Criar Conta",
|
||||||
"Create Admin Account": "Criar Conta de Administrador",
|
"Create Admin Account": "Criar Conta de Administrador",
|
||||||
"Create Channel": "Criar Canal",
|
"Create Channel": "Criar Canal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Criar Pasta",
|
"Create Folder": "Criar Pasta",
|
||||||
"Create Group": "Criar Grupo",
|
"Create Group": "Criar Grupo",
|
||||||
"Create Knowledge": "Criar Base de Conhecimento",
|
"Create Knowledge": "Criar Base de Conhecimento",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "Excluir este link",
|
"delete this link": "Excluir este link",
|
||||||
"Delete tool?": "Excluir ferramenta?",
|
"Delete tool?": "Excluir ferramenta?",
|
||||||
"Delete User": "Excluir Usuário",
|
"Delete User": "Excluir Usuário",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Excluído {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Excluído {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Excluído {{name}}",
|
"Deleted {{name}}": "Excluído {{name}}",
|
||||||
"Deleted User": "Usuário Excluído",
|
"Deleted User": "Usuário Excluído",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "Exibir título do chat na aba",
|
"Display chat title in tab": "Exibir título do chat na aba",
|
||||||
"Display Emoji in Call": "Exibir Emoji na Chamada",
|
"Display Emoji in Call": "Exibir Emoji na Chamada",
|
||||||
"Display Multi-model Responses in Tabs": "Exibir respostas de vários modelos em guias",
|
"Display Multi-model Responses in Tabs": "Exibir respostas de vários modelos em guias",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Exibir o nome de usuário em vez de Você no Chat",
|
"Display the username instead of You in the Chat": "Exibir o nome de usuário em vez de Você no Chat",
|
||||||
"Displays citations in the response": "Exibir citações na resposta",
|
"Displays citations in the response": "Exibir citações na resposta",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Exibe atualizações de status (por exemplo, progresso da pesquisa na web) na resposta",
|
"Displays status updates (e.g., web search progress) in the response": "Exibe atualizações de status (por exemplo, progresso da pesquisa na web) na resposta",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Editar Permissões Padrão",
|
"Edit Default Permissions": "Editar Permissões Padrão",
|
||||||
"Edit Folder": "Editar Pasta",
|
"Edit Folder": "Editar Pasta",
|
||||||
"Edit Memory": "Editar Memória",
|
"Edit Memory": "Editar Memória",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Editar Usuário",
|
"Edit User": "Editar Usuário",
|
||||||
"Edit User Group": "Editar Grupo de Usuários",
|
"Edit User Group": "Editar Grupo de Usuários",
|
||||||
"edited": "editado",
|
"edited": "editado",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL de pesquisa na Web externa",
|
"External Web Search URL": "URL de pesquisa na Web externa",
|
||||||
"Fade Effect for Streaming Text": "Efeito de desbotamento para texto em streaming",
|
"Fade Effect for Streaming Text": "Efeito de desbotamento para texto em streaming",
|
||||||
"Failed to add file.": "Falha ao adicionar arquivo.",
|
"Failed to add file.": "Falha ao adicionar arquivo.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Falha ao conectar ao servidor da ferramenta OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Falha ao conectar ao servidor da ferramenta OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Falha ao copiar o link",
|
"Failed to copy link": "Falha ao copiar o link",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Falha ao buscar modelos",
|
"Failed to fetch models": "Falha ao buscar modelos",
|
||||||
"Failed to generate title": "Falha ao gerar título",
|
"Failed to generate title": "Falha ao gerar título",
|
||||||
"Failed to import models": "Falha ao importar modelos",
|
"Failed to import models": "Falha ao importar modelos",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Falha ao carregar a pré-visualização do chat",
|
"Failed to load chat preview": "Falha ao carregar a pré-visualização do chat",
|
||||||
"Failed to load file content.": "Falha ao carregar o conteúdo do arquivo.",
|
"Failed to load file content.": "Falha ao carregar o conteúdo do arquivo.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "Falha ao mover o chat",
|
"Failed to move chat": "Falha ao mover o chat",
|
||||||
"Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência",
|
"Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência",
|
||||||
"Failed to render diagram": "Falha ao renderizar o diagrama",
|
"Failed to render diagram": "Falha ao renderizar o diagrama",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Caminho do sistema de arquivos do modelo detectado. Nome curto do modelo é necessário para atualização, não é possível continuar.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Caminho do sistema de arquivos do modelo detectado. Nome curto do modelo é necessário para atualização, não é possível continuar.",
|
||||||
"Model Filtering": "Filtrando modelo",
|
"Model Filtering": "Filtrando modelo",
|
||||||
"Model ID": "ID do Modelo",
|
"Model ID": "ID do Modelo",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "É necessário o ID do modelo.",
|
"Model ID is required.": "É necessário o ID do modelo.",
|
||||||
"Model IDs": "IDs do modelo",
|
"Model IDs": "IDs do modelo",
|
||||||
"Model Name": "Nome do Modelo",
|
"Model Name": "Nome do Modelo",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Mais conciso",
|
"More Concise": "Mais conciso",
|
||||||
"More Options": "Mais opções",
|
"More Options": "Mais opções",
|
||||||
"Move": "Mover",
|
"Move": "Mover",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nome",
|
"Name": "Nome",
|
||||||
"Name and ID are required, please fill them out": "Nome e documento de identidade são obrigatórios, por favor preencha-os",
|
"Name and ID are required, please fill them out": "Nome e documento de identidade são obrigatórios, por favor preencha-os",
|
||||||
"Name your knowledge base": "Nome da sua base de conhecimento",
|
"Name your knowledge base": "Nome da sua base de conhecimento",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Por favor, insira uma URL válido",
|
"Please enter a valid URL": "Por favor, insira uma URL válido",
|
||||||
"Please enter a valid URL.": "Por favor, insira uma URL válida",
|
"Please enter a valid URL.": "Por favor, insira uma URL válida",
|
||||||
"Please fill in all fields.": "Por favor, preencha todos os campos.",
|
"Please fill in all fields.": "Por favor, preencha todos os campos.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "Por favor, registre o cliente OAuth",
|
"Please register the OAuth client": "Por favor, registre o cliente OAuth",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "Salve a conexão para persistir as informações do cliente OAuth e não altere o ID",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "Salve a conexão para persistir as informações do cliente OAuth e não altere o ID",
|
||||||
"Please select a model first.": "Selecione um modelo primeiro.",
|
"Please select a model first.": "Selecione um modelo primeiro.",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "Sem título",
|
"Untitled": "Sem título",
|
||||||
"Update": "Atualizar",
|
"Update": "Atualizar",
|
||||||
"Update and Copy Link": "Atualizar e Copiar Link",
|
"Update and Copy Link": "Atualizar e Copiar Link",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Atualizar para as novas funcionalidades e melhorias.",
|
"Update for the latest features and improvements.": "Atualizar para as novas funcionalidades e melhorias.",
|
||||||
"Update password": "Atualizar senha",
|
"Update password": "Atualizar senha",
|
||||||
"Updated": "Atualizado",
|
"Updated": "Atualizado",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Toda a sua contribuição irá diretamente para o desenvolvedor do plugin; o CyberLover não retém nenhuma porcentagem. No entanto, a plataforma de financiamento escolhida pode ter suas próprias taxas.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Toda a sua contribuição irá diretamente para o desenvolvedor do plugin; o CyberLover não retém nenhuma porcentagem. No entanto, a plataforma de financiamento escolhida pode ter suas próprias taxas.",
|
||||||
"YouTube": "",
|
"YouTube": "",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "Adicionar memória",
|
"Add Memory": "Adicionar memória",
|
||||||
"Add Model": "Adicionar modelo",
|
"Add Model": "Adicionar modelo",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "adicionar tags",
|
"Add Tags": "adicionar tags",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Adicionar Utilizador",
|
"Add User": "Adicionar Utilizador",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Abril",
|
"April": "Abril",
|
||||||
"Archive": "Arquivo",
|
"Archive": "Arquivo",
|
||||||
"Archive All Chats": "Arquivar todos os chats",
|
"Archive All Chats": "Arquivar todos os chats",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Conversas arquivadas",
|
"Archived Chats": "Conversas arquivadas",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Estandartes",
|
"Banners": "Estandartes",
|
||||||
"Base Model (From)": "Modelo Base (De)",
|
"Base Model (From)": "Modelo Base (De)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "antes",
|
"before": "antes",
|
||||||
"Being lazy": "Ser preguiçoso",
|
"Being lazy": "Ser preguiçoso",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Chamar",
|
|
||||||
"Call feature is not supported when using Web STT engine": "A funcionalide de Chamar não é suportada quando usa um motor Web STT",
|
"Call feature is not supported when using Web STT engine": "A funcionalide de Chamar não é suportada quando usa um motor Web STT",
|
||||||
"Camera": "Camera",
|
"Camera": "Camera",
|
||||||
"Cancel": "Cancelar",
|
"Cancel": "Cancelar",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Criar Conta",
|
"Create Account": "Criar Conta",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "apagar este link",
|
"delete this link": "apagar este link",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "Apagar Utilizador",
|
"Delete User": "Apagar Utilizador",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} apagado",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} apagado",
|
||||||
"Deleted {{name}}": "Apagado {{name}}",
|
"Deleted {{name}}": "Apagado {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Exibir o nome de utilizador em vez de Você na Conversa",
|
"Display the username instead of You in the Chat": "Exibir o nome de utilizador em vez de Você na Conversa",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Editar Utilizador",
|
"Edit User": "Editar Utilizador",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência",
|
"Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Dtectado caminho do sistema de ficheiros do modelo. É necessário o nome curto do modelo para atualização, não é possível continuar.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Dtectado caminho do sistema de ficheiros do modelo. É necessário o nome curto do modelo para atualização, não é possível continuar.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ID do modelo",
|
"Model ID": "ID do modelo",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nome",
|
"Name": "Nome",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "",
|
"Update": "",
|
||||||
"Update and Copy Link": "Atualizar e Copiar Link",
|
"Update and Copy Link": "Atualizar e Copiar Link",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "Atualizar senha",
|
"Update password": "Atualizar senha",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Adaugă grup",
|
"Add Group": "Adaugă grup",
|
||||||
"Add Memory": "Adaugă memorie",
|
"Add Memory": "Adaugă memorie",
|
||||||
"Add Model": "Adaugă model",
|
"Add Model": "Adaugă model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Adaugă reacție",
|
"Add Reaction": "Adaugă reacție",
|
||||||
"Add Tag": "Adaugă etichetă",
|
"Add Tag": "Adaugă etichetă",
|
||||||
"Add Tags": "Adaugă etichete",
|
"Add Tags": "Adaugă etichete",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Adaugă utilizator",
|
"Add User": "Adaugă utilizator",
|
||||||
"Add User Group": "Adaugă grup de utilizatori",
|
"Add User Group": "Adaugă grup de utilizatori",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Aprilie",
|
"April": "Aprilie",
|
||||||
"Archive": "Arhivează",
|
"Archive": "Arhivează",
|
||||||
"Archive All Chats": "Arhivează Toate Conversațiile",
|
"Archive All Chats": "Arhivează Toate Conversațiile",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Conversații Arhivate",
|
"Archived Chats": "Conversații Arhivate",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannere",
|
"Banners": "Bannere",
|
||||||
"Base Model (From)": "Model de Bază (De la)",
|
"Base Model (From)": "Model de Bază (De la)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "înainte",
|
"before": "înainte",
|
||||||
"Being lazy": "Fiind leneș",
|
"Being lazy": "Fiind leneș",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Apel",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Funcția de apel nu este suportată când se utilizează motorul Web STT",
|
"Call feature is not supported when using Web STT engine": "Funcția de apel nu este suportată când se utilizează motorul Web STT",
|
||||||
"Camera": "Cameră",
|
"Camera": "Cameră",
|
||||||
"Cancel": "Anulează",
|
"Cancel": "Anulează",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Creează Cont",
|
"Create Account": "Creează Cont",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "Creează canal",
|
"Create Channel": "Creează canal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Creează grup",
|
"Create Group": "Creează grup",
|
||||||
"Create Knowledge": "Creează cunoștințe",
|
"Create Knowledge": "Creează cunoștințe",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "șterge acest link",
|
"delete this link": "șterge acest link",
|
||||||
"Delete tool?": "Șterge instrumentul?",
|
"Delete tool?": "Șterge instrumentul?",
|
||||||
"Delete User": "Șterge Utilizatorul",
|
"Delete User": "Șterge Utilizatorul",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} șters",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} șters",
|
||||||
"Deleted {{name}}": "{{name}} șters",
|
"Deleted {{name}}": "{{name}} șters",
|
||||||
"Deleted User": "Utilizator șters",
|
"Deleted User": "Utilizator șters",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Afișează Emoji în Apel",
|
"Display Emoji in Call": "Afișează Emoji în Apel",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Afișează numele utilizatorului în loc de Tu în Conversație",
|
"Display the username instead of You in the Chat": "Afișează numele utilizatorului în loc de Tu în Conversație",
|
||||||
"Displays citations in the response": "Afișează citațiile în răspuns",
|
"Displays citations in the response": "Afișează citațiile în răspuns",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Editează permisiunile implicite",
|
"Edit Default Permissions": "Editează permisiunile implicite",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Editează Memorie",
|
"Edit Memory": "Editează Memorie",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Editează Utilizator",
|
"Edit User": "Editează Utilizator",
|
||||||
"Edit User Group": "Editează grupul de utilizatori",
|
"Edit User Group": "Editează grupul de utilizatori",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Eșec la adăugarea fișierului.",
|
"Failed to add file.": "Eșec la adăugarea fișierului.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Citirea conținutului clipboard-ului a eșuat",
|
"Failed to read clipboard contents": "Citirea conținutului clipboard-ului a eșuat",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Calea sistemului de fișiere al modelului detectată. Este necesar numele scurt al modelului pentru actualizare, nu se poate continua.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Calea sistemului de fișiere al modelului detectată. Este necesar numele scurt al modelului pentru actualizare, nu se poate continua.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ID Model",
|
"Model ID": "ID Model",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "Nume model",
|
"Model Name": "Nume model",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Nume",
|
"Name": "Nume",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Vă rugăm să completați toate câmpurile.",
|
"Please fill in all fields.": "Vă rugăm să completați toate câmpurile.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Actualizează",
|
"Update": "Actualizează",
|
||||||
"Update and Copy Link": "Actualizează și Copiază Link-ul",
|
"Update and Copy Link": "Actualizează și Copiază Link-ul",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Actualizare pentru cele mai recente caracteristici și îmbunătățiri.",
|
"Update for the latest features and improvements.": "Actualizare pentru cele mai recente caracteristici și îmbunătățiri.",
|
||||||
"Update password": "Actualizează parola",
|
"Update password": "Actualizează parola",
|
||||||
"Updated": "Actualizat",
|
"Updated": "Actualizat",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Întreaga dvs. contribuție va merge direct la dezvoltatorul plugin-ului; CyberLover nu ia niciun procent. Cu toate acestea, platforma de finanțare aleasă ar putea avea propriile taxe.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Întreaga dvs. contribuție va merge direct la dezvoltatorul plugin-ului; CyberLover nu ia niciun procent. Cu toate acestea, platforma de finanțare aleasă ar putea avea propriile taxe.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Добавить группу",
|
"Add Group": "Добавить группу",
|
||||||
"Add Memory": "Добавить воспоминание",
|
"Add Memory": "Добавить воспоминание",
|
||||||
"Add Model": "Добавить модель",
|
"Add Model": "Добавить модель",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Добавить реакцию",
|
"Add Reaction": "Добавить реакцию",
|
||||||
"Add Tag": "Добавить тег",
|
"Add Tag": "Добавить тег",
|
||||||
"Add Tags": "Добавить теги",
|
"Add Tags": "Добавить теги",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Добавить пользователя",
|
"Add User": "Добавить пользователя",
|
||||||
"Add User Group": "Добавить группу пользователей",
|
"Add User Group": "Добавить группу пользователей",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Дополнительные настройки",
|
"Additional Config": "Дополнительные настройки",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Дополнительные настройки для marker. Это должна быть строка JSON с ключами и значениями. Например, '{\"key\": \"value\"}'. Поддерживаемые ключи включают: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Дополнительные настройки для marker. Это должна быть строка JSON с ключами и значениями. Например, '{\"key\": \"value\"}'. Поддерживаемые ключи включают: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Апрель",
|
"April": "Апрель",
|
||||||
"Archive": "Архив",
|
"Archive": "Архив",
|
||||||
"Archive All Chats": "Архивировать все чаты",
|
"Archive All Chats": "Архивировать все чаты",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Архив чатов",
|
"Archived Chats": "Архив чатов",
|
||||||
"archived-chat-export": "экспорт-архивного-чата",
|
"archived-chat-export": "экспорт-архивного-чата",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Вы уверены, что хотите удалить все воспоминания? Это действие невозможно отменить.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Вы уверены, что хотите удалить все воспоминания? Это действие невозможно отменить.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Баннеры",
|
"Banners": "Баннеры",
|
||||||
"Base Model (From)": "Базовая модель (от)",
|
"Base Model (From)": "Базовая модель (от)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Кэш списка базовых моделей ускоряет доступ, загружая базовые модели только при запуске или сохранении настроек — быстрее, но может не показывать новые изменения в базовых моделях.",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "Кэш списка базовых моделей ускоряет доступ, загружая базовые модели только при запуске или сохранении настроек — быстрее, но может не показывать новые изменения в базовых моделях.",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "до",
|
"before": "до",
|
||||||
"Being lazy": "Лениво",
|
"Being lazy": "Лениво",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Обход веб-загрузчика",
|
"Bypass Web Loader": "Обход веб-загрузчика",
|
||||||
"Cache Base Model List": "Кэшировать список базовых моделей",
|
"Cache Base Model List": "Кэшировать список базовых моделей",
|
||||||
"Calendar": "Календарь",
|
"Calendar": "Календарь",
|
||||||
"Call": "Вызов",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Функция вызова не поддерживается при использовании Web STT (распознавание речи) движка",
|
"Call feature is not supported when using Web STT engine": "Функция вызова не поддерживается при использовании Web STT (распознавание речи) движка",
|
||||||
"Camera": "Камера",
|
"Camera": "Камера",
|
||||||
"Cancel": "Отменить",
|
"Cancel": "Отменить",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Создать аккаунт",
|
"Create Account": "Создать аккаунт",
|
||||||
"Create Admin Account": "Создать аккаунт Администратора",
|
"Create Admin Account": "Создать аккаунт Администратора",
|
||||||
"Create Channel": "Создать канал",
|
"Create Channel": "Создать канал",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Создать папку",
|
"Create Folder": "Создать папку",
|
||||||
"Create Group": "Создать группу",
|
"Create Group": "Создать группу",
|
||||||
"Create Knowledge": "Создать знание",
|
"Create Knowledge": "Создать знание",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "удалить эту ссылку",
|
"delete this link": "удалить эту ссылку",
|
||||||
"Delete tool?": "Удалить этот инструмент?",
|
"Delete tool?": "Удалить этот инструмент?",
|
||||||
"Delete User": "Удалить Пользователя",
|
"Delete User": "Удалить Пользователя",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Удалено {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Удалено {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Удалено {{name}}",
|
"Deleted {{name}}": "Удалено {{name}}",
|
||||||
"Deleted User": "Удалённый пользователь",
|
"Deleted User": "Удалённый пользователь",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Отображать эмодзи в вызовах",
|
"Display Emoji in Call": "Отображать эмодзи в вызовах",
|
||||||
"Display Multi-model Responses in Tabs": "Отображать ответы мультимодели во вкладках",
|
"Display Multi-model Responses in Tabs": "Отображать ответы мультимодели во вкладках",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Отображать имя пользователя вместо 'Вы' в чате",
|
"Display the username instead of You in the Chat": "Отображать имя пользователя вместо 'Вы' в чате",
|
||||||
"Displays citations in the response": "Отображает цитаты в ответе",
|
"Displays citations in the response": "Отображает цитаты в ответе",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "Отображает обновления статуса (например, прогресс поиска в сети) в ответе",
|
"Displays status updates (e.g., web search progress) in the response": "Отображает обновления статуса (например, прогресс поиска в сети) в ответе",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Изменить разрешения по умолчанию",
|
"Edit Default Permissions": "Изменить разрешения по умолчанию",
|
||||||
"Edit Folder": "Редактировать папку",
|
"Edit Folder": "Редактировать папку",
|
||||||
"Edit Memory": "Редактировать воспоминание",
|
"Edit Memory": "Редактировать воспоминание",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Редактировать пользователя",
|
"Edit User": "Редактировать пользователя",
|
||||||
"Edit User Group": "Редактировать Пользовательскую Группу",
|
"Edit User Group": "Редактировать Пользовательскую Группу",
|
||||||
"edited": "изменено",
|
"edited": "изменено",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "URL-адрес внешнего веб-поиска",
|
"External Web Search URL": "URL-адрес внешнего веб-поиска",
|
||||||
"Fade Effect for Streaming Text": "Эффект затухания для потокового текста",
|
"Fade Effect for Streaming Text": "Эффект затухания для потокового текста",
|
||||||
"Failed to add file.": "Не удалось добавить файл.",
|
"Failed to add file.": "Не удалось добавить файл.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Не удалось подключиться к серверу инструмента OpenAI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Не удалось подключиться к серверу инструмента OpenAI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Не удалось скопировать ссылку",
|
"Failed to copy link": "Не удалось скопировать ссылку",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Не удалось получить модели",
|
"Failed to fetch models": "Не удалось получить модели",
|
||||||
"Failed to generate title": "Не удалось сгенерировать заголовок",
|
"Failed to generate title": "Не удалось сгенерировать заголовок",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "Не удалось загрузить предпросмотр чата",
|
"Failed to load chat preview": "Не удалось загрузить предпросмотр чата",
|
||||||
"Failed to load file content.": "Не удалось загрузить содержимое файла.",
|
"Failed to load file content.": "Не удалось загрузить содержимое файла.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "Не удалось переместить чат",
|
"Failed to move chat": "Не удалось переместить чат",
|
||||||
"Failed to read clipboard contents": "Не удалось прочитать содержимое буфера обмена",
|
"Failed to read clipboard contents": "Не удалось прочитать содержимое буфера обмена",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Обнаружен путь к файловой системе модели. Для обновления требуется краткое имя модели, не удается продолжить.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Обнаружен путь к файловой системе модели. Для обновления требуется краткое имя модели, не удается продолжить.",
|
||||||
"Model Filtering": "Фильтрация Моделей",
|
"Model Filtering": "Фильтрация Моделей",
|
||||||
"Model ID": "ID Модели",
|
"Model ID": "ID Модели",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "Требуется ID модели.",
|
"Model ID is required.": "Требуется ID модели.",
|
||||||
"Model IDs": "IDs Модели",
|
"Model IDs": "IDs Модели",
|
||||||
"Model Name": "Название Модели",
|
"Model Name": "Название Модели",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "Более кратко",
|
"More Concise": "Более кратко",
|
||||||
"More Options": "Больше опций",
|
"More Options": "Больше опций",
|
||||||
"Move": "Переместить",
|
"Move": "Переместить",
|
||||||
|
"My API": "",
|
||||||
"Name": "Имя",
|
"Name": "Имя",
|
||||||
"Name and ID are required, please fill them out": "Имя и ID обязательны, пожалуйста, заполните их",
|
"Name and ID are required, please fill them out": "Имя и ID обязательны, пожалуйста, заполните их",
|
||||||
"Name your knowledge base": "Назовите свою базу знаний",
|
"Name your knowledge base": "Назовите свою базу знаний",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Пожалуйста, введите правильный URL",
|
"Please enter a valid URL": "Пожалуйста, введите правильный URL",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Пожалуйста, заполните все поля.",
|
"Please fill in all fields.": "Пожалуйста, заполните все поля.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Пожалуйста, сначала выберите модель.",
|
"Please select a model first.": "Пожалуйста, сначала выберите модель.",
|
||||||
|
|
@ -1649,6 +1662,7 @@
|
||||||
"Untitled": "Без заголовка",
|
"Untitled": "Без заголовка",
|
||||||
"Update": "Обновить",
|
"Update": "Обновить",
|
||||||
"Update and Copy Link": "Обновить и скопировать ссылку",
|
"Update and Copy Link": "Обновить и скопировать ссылку",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Обновитесь для получения последних функций и улучшений.",
|
"Update for the latest features and improvements.": "Обновитесь для получения последних функций и улучшений.",
|
||||||
"Update password": "Обновить пароль",
|
"Update password": "Обновить пароль",
|
||||||
"Updated": "Обновлено",
|
"Updated": "Обновлено",
|
||||||
|
|
@ -1764,5 +1778,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Весь ваш взнос будет направлен непосредственно разработчику плагина; CyberLover не взимает никаких процентов. Однако выбранная платформа финансирования может иметь свои собственные сборы.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Весь ваш взнос будет направлен непосредственно разработчику плагина; CyberLover не взимает никаких процентов. Однако выбранная платформа финансирования может иметь свои собственные сборы.",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "Язык YouTube",
|
"Youtube Language": "Язык YouTube",
|
||||||
"Youtube Proxy URL": "URL прокси для YouTube"
|
"Youtube Proxy URL": "URL прокси для YouTube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Pridať skupinu",
|
"Add Group": "Pridať skupinu",
|
||||||
"Add Memory": "Pridať pamäť",
|
"Add Memory": "Pridať pamäť",
|
||||||
"Add Model": "Pridať model",
|
"Add Model": "Pridať model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "Pridať štítok",
|
"Add Tag": "Pridať štítok",
|
||||||
"Add Tags": "Pridať štítky",
|
"Add Tags": "Pridať štítky",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Pridať užívateľa",
|
"Add User": "Pridať užívateľa",
|
||||||
"Add User Group": "Pridať skupinu užívateľov",
|
"Add User Group": "Pridať skupinu užívateľov",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Apríl",
|
"April": "Apríl",
|
||||||
"Archive": "Archivovať",
|
"Archive": "Archivovať",
|
||||||
"Archive All Chats": "Archivovať všetky konverzácie",
|
"Archive All Chats": "Archivovať všetky konverzácie",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Archivované konverzácie",
|
"Archived Chats": "Archivované konverzácie",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannery",
|
"Banners": "Bannery",
|
||||||
"Base Model (From)": "Základný model (z)",
|
"Base Model (From)": "Základný model (z)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "pred",
|
"before": "pred",
|
||||||
"Being lazy": "",
|
"Being lazy": "",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Volanie",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Funkcia volania nie je podporovaná pri použití Web STT engine.",
|
"Call feature is not supported when using Web STT engine": "Funkcia volania nie je podporovaná pri použití Web STT engine.",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Zrušiť",
|
"Cancel": "Zrušiť",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Vytvoriť účet",
|
"Create Account": "Vytvoriť účet",
|
||||||
"Create Admin Account": "Vytvoriť admin účet",
|
"Create Admin Account": "Vytvoriť admin účet",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Vytvoriť skupinu",
|
"Create Group": "Vytvoriť skupinu",
|
||||||
"Create Knowledge": "Vytvoriť knowledge",
|
"Create Knowledge": "Vytvoriť knowledge",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "odstrániť tento odkaz",
|
"delete this link": "odstrániť tento odkaz",
|
||||||
"Delete tool?": "Odstrániť nástroj?",
|
"Delete tool?": "Odstrániť nástroj?",
|
||||||
"Delete User": "Odstrániť užívateľa",
|
"Delete User": "Odstrániť užívateľa",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Odstránené {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Odstránené {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Odstránené {{name}}",
|
"Deleted {{name}}": "Odstránené {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Zobrazenie emoji počas hovoru",
|
"Display Emoji in Call": "Zobrazenie emoji počas hovoru",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Zobraziť užívateľské meno namiesto \"Vás\" v chate",
|
"Display the username instead of You in the Chat": "Zobraziť užívateľské meno namiesto \"Vás\" v chate",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Upraviť pamäť",
|
"Edit Memory": "Upraviť pamäť",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Upraviť užívateľa",
|
"Edit User": "Upraviť užívateľa",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Nepodarilo sa pridať súbor.",
|
"Failed to add file.": "Nepodarilo sa pridať súbor.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Nepodarilo sa prečítať obsah schránky",
|
"Failed to read clipboard contents": "Nepodarilo sa prečítať obsah schránky",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Zistená cesta v súborovom systéme. Je vyžadovaný krátky názov modelu pre aktualizáciu, nemožno pokračovať.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Zistená cesta v súborovom systéme. Je vyžadovaný krátky názov modelu pre aktualizáciu, nemožno pokračovať.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ID modelu",
|
"Model ID": "ID modelu",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "Názov modelu",
|
"Model Name": "Názov modelu",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Meno",
|
"Name": "Meno",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Prosím, vyplňte všetky polia.",
|
"Please fill in all fields.": "Prosím, vyplňte všetky polia.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1649,6 +1662,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Aktualizovať",
|
"Update": "Aktualizovať",
|
||||||
"Update and Copy Link": "Aktualizovať a skopírovať odkaz",
|
"Update and Copy Link": "Aktualizovať a skopírovať odkaz",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Aktualizácia pre najnovšie funkcie a vylepšenia.",
|
"Update for the latest features and improvements.": "Aktualizácia pre najnovšie funkcie a vylepšenia.",
|
||||||
"Update password": "Aktualizovať heslo",
|
"Update password": "Aktualizovať heslo",
|
||||||
"Updated": "Aktualizované",
|
"Updated": "Aktualizované",
|
||||||
|
|
@ -1764,5 +1778,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Celý váš príspevok pôjde priamo vývojárovi pluginu; CyberLover si neberie žiadne percento. Zvolená platforma na financovanie však môže mať vlastné poplatky.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Celý váš príspevok pôjde priamo vývojárovi pluginu; CyberLover si neberie žiadne percento. Zvolená platforma na financovanie však môže mať vlastné poplatky.",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Додај групу",
|
"Add Group": "Додај групу",
|
||||||
"Add Memory": "Додај сећање",
|
"Add Memory": "Додај сећање",
|
||||||
"Add Model": "Додај модел",
|
"Add Model": "Додај модел",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "Додај ознаку",
|
"Add Tag": "Додај ознаку",
|
||||||
"Add Tags": "Додај ознаке",
|
"Add Tags": "Додај ознаке",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Додај корисника",
|
"Add User": "Додај корисника",
|
||||||
"Add User Group": "Додај корисничку групу",
|
"Add User Group": "Додај корисничку групу",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Април",
|
"April": "Април",
|
||||||
"Archive": "Архивирај",
|
"Archive": "Архивирај",
|
||||||
"Archive All Chats": "Архивирај сва ћаскања",
|
"Archive All Chats": "Архивирај сва ћаскања",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Архиве",
|
"Archived Chats": "Архиве",
|
||||||
"archived-chat-export": "izvezena-arhiva",
|
"archived-chat-export": "izvezena-arhiva",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Барјаке",
|
"Banners": "Барјаке",
|
||||||
"Base Model (From)": "Основни модел (од)",
|
"Base Model (From)": "Основни модел (од)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "пре",
|
"before": "пре",
|
||||||
"Being lazy": "Бити лењ",
|
"Being lazy": "Бити лењ",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "Позив",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "Камера",
|
"Camera": "Камера",
|
||||||
"Cancel": "Откажи",
|
"Cancel": "Откажи",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Направи налог",
|
"Create Account": "Направи налог",
|
||||||
"Create Admin Account": "Направи админ налог",
|
"Create Admin Account": "Направи админ налог",
|
||||||
"Create Channel": "Направи канал",
|
"Create Channel": "Направи канал",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Направи групу",
|
"Create Group": "Направи групу",
|
||||||
"Create Knowledge": "Направи знање",
|
"Create Knowledge": "Направи знање",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "обриши ову везу",
|
"delete this link": "обриши ову везу",
|
||||||
"Delete tool?": "Обрисати алат?",
|
"Delete tool?": "Обрисати алат?",
|
||||||
"Delete User": "Обриши корисника",
|
"Delete User": "Обриши корисника",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Обрисано {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Обрисано {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Избрисано {{наме}}",
|
"Deleted {{name}}": "Избрисано {{наме}}",
|
||||||
"Deleted User": "Обрисани корисници",
|
"Deleted User": "Обрисани корисници",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Прикажи емоџије у позиву",
|
"Display Emoji in Call": "Прикажи емоџије у позиву",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Прикажи корисничко уместо Ти у ћаскању",
|
"Display the username instead of You in the Chat": "Прикажи корисничко уместо Ти у ћаскању",
|
||||||
"Displays citations in the response": "Прикажи цитате у одговору",
|
"Displays citations in the response": "Прикажи цитате у одговору",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Измени подразумевана овлашћења",
|
"Edit Default Permissions": "Измени подразумевана овлашћења",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Измени сећање",
|
"Edit Memory": "Измени сећање",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Измени корисника",
|
"Edit User": "Измени корисника",
|
||||||
"Edit User Group": "Измени корисничку групу",
|
"Edit User Group": "Измени корисничку групу",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Неуспешно читање садржаја оставе",
|
"Failed to read clipboard contents": "Неуспешно читање садржаја оставе",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Откривена путања система датотека модела. За ажурирање је потребан кратак назив модела, не може се наставити.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Откривена путања система датотека модела. За ажурирање је потребан кратак назив модела, не може се наставити.",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ИД модела",
|
"Model ID": "ИД модела",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Име",
|
"Name": "Име",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1648,6 +1661,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Ажурирај",
|
"Update": "Ажурирај",
|
||||||
"Update and Copy Link": "Ажурирај и копирај везу",
|
"Update and Copy Link": "Ажурирај и копирај везу",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Ажурирајте за најновије могућности и побољшања.",
|
"Update for the latest features and improvements.": "Ажурирајте за најновије могућности и побољшања.",
|
||||||
"Update password": "Ажурирај лозинку",
|
"Update password": "Ажурирај лозинку",
|
||||||
"Updated": "Ажурирано",
|
"Updated": "Ажурирано",
|
||||||
|
|
@ -1763,5 +1777,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "Јутјуб",
|
"YouTube": "Јутјуб",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Lägg till grupp",
|
"Add Group": "Lägg till grupp",
|
||||||
"Add Memory": "Lägg till minne",
|
"Add Memory": "Lägg till minne",
|
||||||
"Add Model": "Lägg till modell",
|
"Add Model": "Lägg till modell",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Lägg till reaktion",
|
"Add Reaction": "Lägg till reaktion",
|
||||||
"Add Tag": "Lägg till tagg",
|
"Add Tag": "Lägg till tagg",
|
||||||
"Add Tags": "Lägg till taggar",
|
"Add Tags": "Lägg till taggar",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Lägg till användare",
|
"Add User": "Lägg till användare",
|
||||||
"Add User Group": "Lägg till användargrupp",
|
"Add User Group": "Lägg till användargrupp",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "april",
|
"April": "april",
|
||||||
"Archive": "Arkiv",
|
"Archive": "Arkiv",
|
||||||
"Archive All Chats": "Arkivera alla chattar",
|
"Archive All Chats": "Arkivera alla chattar",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arkiverade chattar",
|
"Archived Chats": "Arkiverade chattar",
|
||||||
"archived-chat-export": "arkiverad-chatt-export",
|
"archived-chat-export": "arkiverad-chatt-export",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Är du säker på att du vill rensa alla minnen? Denna åtgärd kan inte ångras.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Är du säker på att du vill rensa alla minnen? Denna åtgärd kan inte ångras.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Banners",
|
"Banners": "Banners",
|
||||||
"Base Model (From)": "Basmodell (Från)",
|
"Base Model (From)": "Basmodell (Från)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "före",
|
"before": "före",
|
||||||
"Being lazy": "Är lat",
|
"Being lazy": "Är lat",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Kringgå webbläsare",
|
"Bypass Web Loader": "Kringgå webbläsare",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Kalender",
|
"Calendar": "Kalender",
|
||||||
"Call": "Samtal",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Samtalsfunktionen är inte kompatibel med Web Tal-till-text motor",
|
"Call feature is not supported when using Web STT engine": "Samtalsfunktionen är inte kompatibel med Web Tal-till-text motor",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Avbryt",
|
"Cancel": "Avbryt",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Skapa konto",
|
"Create Account": "Skapa konto",
|
||||||
"Create Admin Account": "Skapa administratörskonto",
|
"Create Admin Account": "Skapa administratörskonto",
|
||||||
"Create Channel": "Skapa kanal",
|
"Create Channel": "Skapa kanal",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Skapa grupp",
|
"Create Group": "Skapa grupp",
|
||||||
"Create Knowledge": "Skapa kunskap",
|
"Create Knowledge": "Skapa kunskap",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "radera denna länk",
|
"delete this link": "radera denna länk",
|
||||||
"Delete tool?": "Radera verktyg?",
|
"Delete tool?": "Radera verktyg?",
|
||||||
"Delete User": "Radera användare",
|
"Delete User": "Radera användare",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Raderad {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Raderad {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Borttagen {{name}}",
|
"Deleted {{name}}": "Borttagen {{name}}",
|
||||||
"Deleted User": "Raderad användare",
|
"Deleted User": "Raderad användare",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Visa Emoji under samtal",
|
"Display Emoji in Call": "Visa Emoji under samtal",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Visa användarnamnet istället för du i chatten",
|
"Display the username instead of You in the Chat": "Visa användarnamnet istället för du i chatten",
|
||||||
"Displays citations in the response": "Visar citeringar i svaret",
|
"Displays citations in the response": "Visar citeringar i svaret",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Redigera standardbehörigheter",
|
"Edit Default Permissions": "Redigera standardbehörigheter",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Redigera minne",
|
"Edit Memory": "Redigera minne",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Redigera användare",
|
"Edit User": "Redigera användare",
|
||||||
"Edit User Group": "Redigera användargrupp",
|
"Edit User Group": "Redigera användargrupp",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "Extern webbsökning URL",
|
"External Web Search URL": "Extern webbsökning URL",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Misslyckades med att lägga till fil.",
|
"Failed to add file.": "Misslyckades med att lägga till fil.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Misslyckades med att ansluta till {{URL}} OpenAPI-verktygsserver",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Misslyckades med att ansluta till {{URL}} OpenAPI-verktygsserver",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Misslyckades med att kopiera länk",
|
"Failed to copy link": "Misslyckades med att kopiera länk",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Misslyckades med att hämta modeller",
|
"Failed to fetch models": "Misslyckades med att hämta modeller",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "Misslyckades med att läsa in filinnehåll.",
|
"Failed to load file content.": "Misslyckades med att läsa in filinnehåll.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Misslyckades med att läsa urklippsinnehåll",
|
"Failed to read clipboard contents": "Misslyckades med att läsa urklippsinnehåll",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modellens filsystemväg hittades. Modellens kortnamn krävs för uppdatering, kan inte fortsätta.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Modellens filsystemväg hittades. Modellens kortnamn krävs för uppdatering, kan inte fortsätta.",
|
||||||
"Model Filtering": "Modellfiltrering",
|
"Model Filtering": "Modellfiltrering",
|
||||||
"Model ID": "Modell-ID",
|
"Model ID": "Modell-ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Modell-ID:n",
|
"Model IDs": "Modell-ID:n",
|
||||||
"Model Name": "Modellnamn",
|
"Model Name": "Modellnamn",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Namn",
|
"Name": "Namn",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Namnge din kunskapsbas",
|
"Name your knowledge base": "Namnge din kunskapsbas",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Vänligen ange en giltig URL",
|
"Please enter a valid URL": "Vänligen ange en giltig URL",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Vänligen fyll i alla fält.",
|
"Please fill in all fields.": "Vänligen fyll i alla fält.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Vänligen välj en modell först.",
|
"Please select a model first.": "Vänligen välj en modell först.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Namnlös",
|
"Untitled": "Namnlös",
|
||||||
"Update": "Uppdatera",
|
"Update": "Uppdatera",
|
||||||
"Update and Copy Link": "Uppdatera och kopiera länk",
|
"Update and Copy Link": "Uppdatera och kopiera länk",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Uppdatera för att få de senaste funktionerna och förbättringarna.",
|
"Update for the latest features and improvements.": "Uppdatera för att få de senaste funktionerna och förbättringarna.",
|
||||||
"Update password": "Uppdatera lösenord",
|
"Update password": "Uppdatera lösenord",
|
||||||
"Updated": "Uppdaterad",
|
"Updated": "Uppdaterad",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Hela ditt bidrag går direkt till pluginutvecklaren; CyberLover tar ingen procentandel. Däremot kan den valda finansieringsplattformen ha egna avgifter.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Hela ditt bidrag går direkt till pluginutvecklaren; CyberLover tar ingen procentandel. Däremot kan den valda finansieringsplattformen ha egna avgifter.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube-språk",
|
"Youtube Language": "Youtube-språk",
|
||||||
"Youtube Proxy URL": "Youtube Proxy URL"
|
"Youtube Proxy URL": "Youtube Proxy URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "เพิ่มกลุ่ม",
|
"Add Group": "เพิ่มกลุ่ม",
|
||||||
"Add Memory": "เพิ่มความจำ",
|
"Add Memory": "เพิ่มความจำ",
|
||||||
"Add Model": "เพิ่มโมเดล",
|
"Add Model": "เพิ่มโมเดล",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "เพิ่มแท็ก",
|
"Add Tags": "เพิ่มแท็ก",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "เพิ่มผู้ใช้",
|
"Add User": "เพิ่มผู้ใช้",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "เมษายน",
|
"April": "เมษายน",
|
||||||
"Archive": "เก็บถาวร",
|
"Archive": "เก็บถาวร",
|
||||||
"Archive All Chats": "เก็บถาวรการสนทนาทั้งหมด",
|
"Archive All Chats": "เก็บถาวรการสนทนาทั้งหมด",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "การสนทนาที่เก็บถาวร",
|
"Archived Chats": "การสนทนาที่เก็บถาวร",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "แบนเนอร์",
|
"Banners": "แบนเนอร์",
|
||||||
"Base Model (From)": "โมเดลพื้นฐาน (จาก)",
|
"Base Model (From)": "โมเดลพื้นฐาน (จาก)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "ก่อน",
|
"before": "ก่อน",
|
||||||
"Being lazy": "ขี้เกียจ",
|
"Being lazy": "ขี้เกียจ",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "โทร",
|
|
||||||
"Call feature is not supported when using Web STT engine": "ไม่รองรับฟีเจอร์การโทรเมื่อใช้เครื่องยนต์ Web STT",
|
"Call feature is not supported when using Web STT engine": "ไม่รองรับฟีเจอร์การโทรเมื่อใช้เครื่องยนต์ Web STT",
|
||||||
"Camera": "กล้อง",
|
"Camera": "กล้อง",
|
||||||
"Cancel": "ยกเลิก",
|
"Cancel": "ยกเลิก",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "สร้างบัญชี",
|
"Create Account": "สร้างบัญชี",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "ลบลิงก์นี้",
|
"delete this link": "ลบลิงก์นี้",
|
||||||
"Delete tool?": "ลบเครื่องมือ?",
|
"Delete tool?": "ลบเครื่องมือ?",
|
||||||
"Delete User": "ลบผู้ใช้",
|
"Delete User": "ลบผู้ใช้",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "ลบ {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "ลบ {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "ลบ {{name}}",
|
"Deleted {{name}}": "ลบ {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "แสดงอิโมจิในการโทร",
|
"Display Emoji in Call": "แสดงอิโมจิในการโทร",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "แสดงชื่อผู้ใช้แทนคุณในการแชท",
|
"Display the username instead of You in the Chat": "แสดงชื่อผู้ใช้แทนคุณในการแชท",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "แก้ไขความจำ",
|
"Edit Memory": "แก้ไขความจำ",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "แก้ไขผู้ใช้",
|
"Edit User": "แก้ไขผู้ใช้",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "อ่านเนื้อหาคลิปบอร์ดล้มเหลว",
|
"Failed to read clipboard contents": "อ่านเนื้อหาคลิปบอร์ดล้มเหลว",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ตรวจพบเส้นทางระบบไฟล์ของโมเดล ต้องการชื่อย่อของโมเดลสำหรับการอัปเดต ไม่สามารถดำเนินการต่อได้",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ตรวจพบเส้นทางระบบไฟล์ของโมเดล ต้องการชื่อย่อของโมเดลสำหรับการอัปเดต ไม่สามารถดำเนินการต่อได้",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "รหัสโมเดล",
|
"Model ID": "รหัสโมเดล",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "ชื่อ",
|
"Name": "ชื่อ",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "อัปเดต",
|
"Update": "อัปเดต",
|
||||||
"Update and Copy Link": "อัปเดตและคัดลอกลิงก์",
|
"Update and Copy Link": "อัปเดตและคัดลอกลิงก์",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "อัปเดตรหัสผ่าน",
|
"Update password": "อัปเดตรหัสผ่าน",
|
||||||
"Updated": "",
|
"Updated": "",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "การสนับสนุนทั้งหมดของคุณจะไปยังนักพัฒนาปลั๊กอินโดยตรง; CyberLover ไม่รับส่วนแบ่งใด ๆ อย่างไรก็ตาม แพลตฟอร์มการระดมทุนที่เลือกอาจมีค่าธรรมเนียมของตัวเอง",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "การสนับสนุนทั้งหมดของคุณจะไปยังนักพัฒนาปลั๊กอินโดยตรง; CyberLover ไม่รับส่วนแบ่งใด ๆ อย่างไรก็ตาม แพลตฟอร์มการระดมทุนที่เลือกอาจมีค่าธรรมเนียมของตัวเอง",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "Ýat goş",
|
"Add Memory": "Ýat goş",
|
||||||
"Add Model": "Model goş",
|
"Add Model": "Model goş",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "",
|
"Add Tag": "",
|
||||||
"Add Tags": "Taglar goş",
|
"Add Tags": "Taglar goş",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Ulanyjy goş",
|
"Add User": "Ulanyjy goş",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Aprel",
|
"April": "Aprel",
|
||||||
"Archive": "Arhiw",
|
"Archive": "Arhiw",
|
||||||
"Archive All Chats": "Ähli Çatlary Arhiwle",
|
"Archive All Chats": "Ähli Çatlary Arhiwle",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arhiwlenen Çatlar",
|
"Archived Chats": "Arhiwlenen Çatlar",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannerler",
|
"Banners": "Bannerler",
|
||||||
"Base Model (From)": "Esasy Model (Kimden)",
|
"Base Model (From)": "Esasy Model (Kimden)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "öň",
|
"before": "öň",
|
||||||
"Being lazy": "Ýaltalyk",
|
"Being lazy": "Ýaltalyk",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "",
|
|
||||||
"Call feature is not supported when using Web STT engine": "",
|
"Call feature is not supported when using Web STT engine": "",
|
||||||
"Camera": "",
|
"Camera": "",
|
||||||
"Cancel": "Ýatyrmak",
|
"Cancel": "Ýatyrmak",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Hasap döret",
|
"Create Account": "Hasap döret",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "",
|
"Create Knowledge": "",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "",
|
"delete this link": "",
|
||||||
"Delete tool?": "",
|
"Delete tool?": "",
|
||||||
"Delete User": "",
|
"Delete User": "",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "",
|
"Deleted {{deleteModelTag}}": "",
|
||||||
"Deleted {{name}}": "",
|
"Deleted {{name}}": "",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "",
|
"Display Emoji in Call": "",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "",
|
"Display the username instead of You in the Chat": "",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "",
|
"Edit Memory": "",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "",
|
"Edit User": "",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "",
|
"Failed to add file.": "",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "",
|
"Failed to read clipboard contents": "",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "",
|
"Model ID": "",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "",
|
"Model Name": "",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Ady",
|
"Name": "Ady",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "",
|
"Please fill in all fields.": "",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Täzeläň",
|
"Update": "Täzeläň",
|
||||||
"Update and Copy Link": "",
|
"Update and Copy Link": "",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "",
|
"Update for the latest features and improvements.": "",
|
||||||
"Update password": "",
|
"Update password": "",
|
||||||
"Updated": "Täzelenen",
|
"Updated": "Täzelenen",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "",
|
||||||
"YouTube": "",
|
"YouTube": "",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Grup Ekle",
|
"Add Group": "Grup Ekle",
|
||||||
"Add Memory": "Bellek Ekle",
|
"Add Memory": "Bellek Ekle",
|
||||||
"Add Model": "Model Ekle",
|
"Add Model": "Model Ekle",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Tepki Ekle",
|
"Add Reaction": "Tepki Ekle",
|
||||||
"Add Tag": "Etiket Ekle",
|
"Add Tag": "Etiket Ekle",
|
||||||
"Add Tags": "Etiketler Ekle",
|
"Add Tags": "Etiketler Ekle",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Kullanıcı Ekle",
|
"Add User": "Kullanıcı Ekle",
|
||||||
"Add User Group": "Kullanıcı Grubu Ekle",
|
"Add User Group": "Kullanıcı Grubu Ekle",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "Ek Yapılandırma",
|
"Additional Config": "Ek Yapılandırma",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "Ek Parametreler",
|
"Additional Parameters": "Ek Parametreler",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Nisan",
|
"April": "Nisan",
|
||||||
"Archive": "Arşiv",
|
"Archive": "Arşiv",
|
||||||
"Archive All Chats": "Tüm Sohbetleri Arşivle",
|
"Archive All Chats": "Tüm Sohbetleri Arşivle",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arşivlenmiş Sohbetler",
|
"Archived Chats": "Arşivlenmiş Sohbetler",
|
||||||
"archived-chat-export": "arşivlenmiş-sohbet-aktarımı",
|
"archived-chat-export": "arşivlenmiş-sohbet-aktarımı",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Afişler",
|
"Banners": "Afişler",
|
||||||
"Base Model (From)": "Temel Model ('den)",
|
"Base Model (From)": "Temel Model ('den)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "önce",
|
"before": "önce",
|
||||||
"Being lazy": "Tembelleşiyor",
|
"Being lazy": "Tembelleşiyor",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Takvim",
|
"Calendar": "Takvim",
|
||||||
"Call": "Arama",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Web STT motoru kullanılırken arama özelliği desteklenmiyor",
|
"Call feature is not supported when using Web STT engine": "Web STT motoru kullanılırken arama özelliği desteklenmiyor",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "İptal",
|
"Cancel": "İptal",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Hesap Oluştur",
|
"Create Account": "Hesap Oluştur",
|
||||||
"Create Admin Account": "Yönetici Hesabı Oluştur",
|
"Create Admin Account": "Yönetici Hesabı Oluştur",
|
||||||
"Create Channel": "Kanal Oluştur",
|
"Create Channel": "Kanal Oluştur",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "Klasör Oluştur",
|
"Create Folder": "Klasör Oluştur",
|
||||||
"Create Group": "Grup Oluştur",
|
"Create Group": "Grup Oluştur",
|
||||||
"Create Knowledge": "Bilgi Oluştur",
|
"Create Knowledge": "Bilgi Oluştur",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "bu bağlantıyı sil",
|
"delete this link": "bu bağlantıyı sil",
|
||||||
"Delete tool?": "Aracı sil?",
|
"Delete tool?": "Aracı sil?",
|
||||||
"Delete User": "Kullanıcıyı Sil",
|
"Delete User": "Kullanıcıyı Sil",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} silindi",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} silindi",
|
||||||
"Deleted {{name}}": "{{name}} silindi",
|
"Deleted {{name}}": "{{name}} silindi",
|
||||||
"Deleted User": "Kullanıcı Silindi",
|
"Deleted User": "Kullanıcı Silindi",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Aramada Emoji Göster",
|
"Display Emoji in Call": "Aramada Emoji Göster",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Sohbet'te Siz yerine kullanıcı adını göster",
|
"Display the username instead of You in the Chat": "Sohbet'te Siz yerine kullanıcı adını göster",
|
||||||
"Displays citations in the response": "Yanıtta alıntıları gösterir",
|
"Displays citations in the response": "Yanıtta alıntıları gösterir",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Varsayılan İzinleri Düzenle",
|
"Edit Default Permissions": "Varsayılan İzinleri Düzenle",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Belleği Düzenle",
|
"Edit Memory": "Belleği Düzenle",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Kullanıcıyı Düzenle",
|
"Edit User": "Kullanıcıyı Düzenle",
|
||||||
"Edit User Group": "Kullanıcı Grubunu Düzenle",
|
"Edit User Group": "Kullanıcı Grubunu Düzenle",
|
||||||
"edited": "düzenlendi",
|
"edited": "düzenlendi",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Dosya eklenemedi.",
|
"Failed to add file.": "Dosya eklenemedi.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Pano içeriği okunamadı",
|
"Failed to read clipboard contents": "Pano içeriği okunamadı",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model dosya sistemi yolu algılandı. Güncelleme için model kısa adı gerekli, devam edilemiyor.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model dosya sistemi yolu algılandı. Güncelleme için model kısa adı gerekli, devam edilemiyor.",
|
||||||
"Model Filtering": "Model Filtreleme",
|
"Model Filtering": "Model Filtreleme",
|
||||||
"Model ID": "Model ID",
|
"Model ID": "Model ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Model Kimlikleri",
|
"Model IDs": "Model Kimlikleri",
|
||||||
"Model Name": "Model Adı",
|
"Model Name": "Model Adı",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Ad",
|
"Name": "Ad",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Bilgi tabanınıza bir ad verin",
|
"Name your knowledge base": "Bilgi tabanınıza bir ad verin",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Lütfen geçerli bir URL adresi girin",
|
"Please enter a valid URL": "Lütfen geçerli bir URL adresi girin",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Lütfen tüm alanları doldurun.",
|
"Please fill in all fields.": "Lütfen tüm alanları doldurun.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Lütfen önce bir model seçin.",
|
"Please select a model first.": "Lütfen önce bir model seçin.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Başlıksız",
|
"Untitled": "Başlıksız",
|
||||||
"Update": "Güncelle",
|
"Update": "Güncelle",
|
||||||
"Update and Copy Link": "Güncelle ve Bağlantıyı Kopyala",
|
"Update and Copy Link": "Güncelle ve Bağlantıyı Kopyala",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "En son özellikler ve iyileştirmeler için güncelleyin.",
|
"Update for the latest features and improvements.": "En son özellikler ve iyileştirmeler için güncelleyin.",
|
||||||
"Update password": "Parolayı Güncelle",
|
"Update password": "Parolayı Güncelle",
|
||||||
"Updated": "Güncellendi",
|
"Updated": "Güncellendi",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Tüm katkınız doğrudan eklenti geliştiricisine gidecektir; CyberLover herhangi bir yüzde almaz. Ancak seçilen finansman platformunun kendi ücretleri olabilir.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Tüm katkınız doğrudan eklenti geliştiricisine gidecektir; CyberLover herhangi bir yüzde almaz. Ancak seçilen finansman platformunun kendi ücretleri olabilir.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube Dili",
|
"Youtube Language": "Youtube Dili",
|
||||||
"Youtube Proxy URL": "Youtube Vekil URL'si"
|
"Youtube Proxy URL": "Youtube Vekil URL'si",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "گۇرۇپپا قوشۇش",
|
"Add Group": "گۇرۇپپا قوشۇش",
|
||||||
"Add Memory": "ئەسلەتمە قوشۇش",
|
"Add Memory": "ئەسلەتمە قوشۇش",
|
||||||
"Add Model": "مودېل قوشۇش",
|
"Add Model": "مودېل قوشۇش",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "ئىنكاس قوشۇش",
|
"Add Reaction": "ئىنكاس قوشۇش",
|
||||||
"Add Tag": "تەغ قوشۇش",
|
"Add Tag": "تەغ قوشۇش",
|
||||||
"Add Tags": "تەغلەر قوشۇش",
|
"Add Tags": "تەغلەر قوشۇش",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "ئىشلەتكۈچى قوشۇش",
|
"Add User": "ئىشلەتكۈچى قوشۇش",
|
||||||
"Add User Group": "ئىشلەتكۈچى گۇرۇپپىسى قوشۇش",
|
"Add User Group": "ئىشلەتكۈچى گۇرۇپپىسى قوشۇش",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "ئاپرىل",
|
"April": "ئاپرىل",
|
||||||
"Archive": "ئارخىپلاش",
|
"Archive": "ئارخىپلاش",
|
||||||
"Archive All Chats": "بارلىق سۆھبەتلەرنى ئارخىپلاش",
|
"Archive All Chats": "بارلىق سۆھبەتلەرنى ئارخىپلاش",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "ئارخىپلانغان سۆھبەتلەر",
|
"Archived Chats": "ئارخىپلانغان سۆھبەتلەر",
|
||||||
"archived-chat-export": "ئارخىپلانغان-سۆھبەت-چىقىرىش",
|
"archived-chat-export": "ئارخىپلانغان-سۆھبەت-چىقىرىش",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "بارلىق ئەسلەتمىلەرنى تازىلامسىز؟ بۇ ھەرىكەتنى ئەمدى ئەسلىگە كەلتۈرگىلى بولمايدۇ.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "بارلىق ئەسلەتمىلەرنى تازىلامسىز؟ بۇ ھەرىكەتنى ئەمدى ئەسلىگە كەلتۈرگىلى بولمايدۇ.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "لوزۇنكىلار",
|
"Banners": "لوزۇنكىلار",
|
||||||
"Base Model (From)": "ئاساسىي مودېل (مەنبە)",
|
"Base Model (From)": "ئاساسىي مودېل (مەنبە)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "بۇرۇن",
|
"before": "بۇرۇن",
|
||||||
"Being lazy": "ھورۇن بۇلۇش",
|
"Being lazy": "ھورۇن بۇلۇش",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "تور يۈكلىگۈچتىن ئۆتۈپ كېتىش",
|
"Bypass Web Loader": "تور يۈكلىگۈچتىن ئۆتۈپ كېتىش",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "كالىندار",
|
"Calendar": "كالىندار",
|
||||||
"Call": "چاقىرىش",
|
|
||||||
"Call feature is not supported when using Web STT engine": "تور STT ماتورى ئىشلىتىلگەندە چاقىرىش ئىقتىدارى قوللىنىلمايدۇ",
|
"Call feature is not supported when using Web STT engine": "تور STT ماتورى ئىشلىتىلگەندە چاقىرىش ئىقتىدارى قوللىنىلمايدۇ",
|
||||||
"Camera": "كامېرا",
|
"Camera": "كامېرا",
|
||||||
"Cancel": "بىكار قىلىش",
|
"Cancel": "بىكار قىلىش",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "ھېساب قۇرۇش",
|
"Create Account": "ھېساب قۇرۇش",
|
||||||
"Create Admin Account": "باشقۇرغۇچى ھېساباتى قۇرۇش",
|
"Create Admin Account": "باشقۇرغۇچى ھېساباتى قۇرۇش",
|
||||||
"Create Channel": "قانال قۇرۇش",
|
"Create Channel": "قانال قۇرۇش",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "گۇرۇپپا قۇرۇش",
|
"Create Group": "گۇرۇپپا قۇرۇش",
|
||||||
"Create Knowledge": "بىلىم قۇرۇش",
|
"Create Knowledge": "بىلىم قۇرۇش",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "بۇ ئۇلانما ئۆچۈرۈش",
|
"delete this link": "بۇ ئۇلانما ئۆچۈرۈش",
|
||||||
"Delete tool?": "قورال ئۆچۈرەمسىز؟",
|
"Delete tool?": "قورال ئۆچۈرەمسىز؟",
|
||||||
"Delete User": "ئىشلەتكۈچى ئۆچۈرۈش",
|
"Delete User": "ئىشلەتكۈچى ئۆچۈرۈش",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ئۆچۈرۈلدى",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ئۆچۈرۈلدى",
|
||||||
"Deleted {{name}}": "{{name}} ئۆچۈرۈلدى",
|
"Deleted {{name}}": "{{name}} ئۆچۈرۈلدى",
|
||||||
"Deleted User": "ئۆچۈرۈلگەن ئىشلەتكۈچى",
|
"Deleted User": "ئۆچۈرۈلگەن ئىشلەتكۈچى",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "چاقىرىشتا ئېموجىنى كۆرسىتىش",
|
"Display Emoji in Call": "چاقىرىشتا ئېموجىنى كۆرسىتىش",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "سۆھبەتتە 'سىز' ئورنىغا ئىشلەتكۈچى ئىسمىنى كۆرسىتىش",
|
"Display the username instead of You in the Chat": "سۆھبەتتە 'سىز' ئورنىغا ئىشلەتكۈچى ئىسمىنى كۆرسىتىش",
|
||||||
"Displays citations in the response": "ئىنكاستا نەقىللەرنى كۆرسىتىدۇ",
|
"Displays citations in the response": "ئىنكاستا نەقىللەرنى كۆرسىتىدۇ",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "كۆڭۈلدىكى ھوقۇقلارنى تەھرىرلەش",
|
"Edit Default Permissions": "كۆڭۈلدىكى ھوقۇقلارنى تەھرىرلەش",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "ئەسلەتمە تەھرىرلەش",
|
"Edit Memory": "ئەسلەتمە تەھرىرلەش",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "ئىشلەتكۈچى تەھرىرلەش",
|
"Edit User": "ئىشلەتكۈچى تەھرىرلەش",
|
||||||
"Edit User Group": "ئىشلەتكۈچى گۇرۇپپىسى تەھرىرلەش",
|
"Edit User Group": "ئىشلەتكۈچى گۇرۇپپىسى تەھرىرلەش",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "سىرتقى تور ئىزدەش URL",
|
"External Web Search URL": "سىرتقى تور ئىزدەش URL",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "ھۆججەت قوشۇش مەغلۇپ بولدى.",
|
"Failed to add file.": "ھۆججەت قوشۇش مەغلۇپ بولدى.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI قورال مۇلازىمېتىرىغا ئۇلىنىش مەغلۇپ بولدى",
|
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI قورال مۇلازىمېتىرىغا ئۇلىنىش مەغلۇپ بولدى",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "ئۇلانما كۆچۈرۈش مەغلۇپ بولدى",
|
"Failed to copy link": "ئۇلانما كۆچۈرۈش مەغلۇپ بولدى",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "مودېللارنى ئېلىش مەغلۇپ بولدى",
|
"Failed to fetch models": "مودېللارنى ئېلىش مەغلۇپ بولدى",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "ھۆججەت مەزمۇنى يۈكلەش مەغلۇپ بولدى.",
|
"Failed to load file content.": "ھۆججەت مەزمۇنى يۈكلەش مەغلۇپ بولدى.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "چاپلاش تاختىسى مەزمۇنىنى ئوقۇش مەغلۇپ بولدى",
|
"Failed to read clipboard contents": "چاپلاش تاختىسى مەزمۇنىنى ئوقۇش مەغلۇپ بولدى",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "مودېل ھۆججەت ساندىكى يول بايقالدى. يېڭىلاش ئۈچۈن مودېل قىسقا نامى زۆرۈر، داۋام قىلغىلى بولمايدۇ.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "مودېل ھۆججەت ساندىكى يول بايقالدى. يېڭىلاش ئۈچۈن مودېل قىسقا نامى زۆرۈر، داۋام قىلغىلى بولمايدۇ.",
|
||||||
"Model Filtering": "مودېل سۈزگۈچ",
|
"Model Filtering": "مودېل سۈزگۈچ",
|
||||||
"Model ID": "مودېل ID",
|
"Model ID": "مودېل ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "مودېل IDلىرى",
|
"Model IDs": "مودېل IDلىرى",
|
||||||
"Model Name": "مودېل نامى",
|
"Model Name": "مودېل نامى",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "ئات",
|
"Name": "ئات",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "بىلىم ئاساسى نامىنى كىرگۈزۈڭ",
|
"Name your knowledge base": "بىلىم ئاساسى نامىنى كىرگۈزۈڭ",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "توغرا URL كىرگۈزۈڭ",
|
"Please enter a valid URL": "توغرا URL كىرگۈزۈڭ",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "بارلىق رايونلارنى تولدۇرۇڭ.",
|
"Please fill in all fields.": "بارلىق رايونلارنى تولدۇرۇڭ.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "ئالدى بىلەن مودېل تاللاڭ.",
|
"Please select a model first.": "ئالدى بىلەن مودېل تاللاڭ.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "تېماسىز",
|
"Untitled": "تېماسىز",
|
||||||
"Update": "يېڭىلاش",
|
"Update": "يېڭىلاش",
|
||||||
"Update and Copy Link": "يېڭىلاش ۋە ئۇلانما كۆچۈرۈش",
|
"Update and Copy Link": "يېڭىلاش ۋە ئۇلانما كۆچۈرۈش",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "ئەڭ يېڭى ئىقتىدار ۋە ياخشىلاشلار ئۈچۈن يېڭىلاڭ.",
|
"Update for the latest features and improvements.": "ئەڭ يېڭى ئىقتىدار ۋە ياخشىلاشلار ئۈچۈن يېڭىلاڭ.",
|
||||||
"Update password": "پارول يېڭىلاش",
|
"Update password": "پارول يېڭىلاش",
|
||||||
"Updated": "يېڭىلاندى",
|
"Updated": "يېڭىلاندى",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "تۆلەم پۇلىڭىز بىۋاسىتە قىستۇرما تەرەققىياتچىسىغا بېرىلىدۇ؛ CyberLover ھېچقانداق پىرسېنت ئالمايدۇ. بىراق تاللانغان مالىيە پلاتفورمىسىنىڭ ئۆزىنىڭ ھەققى بولۇشى مۇمكىن.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "تۆلەم پۇلىڭىز بىۋاسىتە قىستۇرما تەرەققىياتچىسىغا بېرىلىدۇ؛ CyberLover ھېچقانداق پىرسېنت ئالمايدۇ. بىراق تاللانغان مالىيە پلاتفورمىسىنىڭ ئۆزىنىڭ ھەققى بولۇشى مۇمكىن.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube تىلى",
|
"Youtube Language": "Youtube تىلى",
|
||||||
"Youtube Proxy URL": "Youtube ۋاكالەتچى URL"
|
"Youtube Proxy URL": "Youtube ۋاكالەتچى URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Додати групу",
|
"Add Group": "Додати групу",
|
||||||
"Add Memory": "Додати пам'ять",
|
"Add Memory": "Додати пам'ять",
|
||||||
"Add Model": "Додати модель",
|
"Add Model": "Додати модель",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Додати реакцію",
|
"Add Reaction": "Додати реакцію",
|
||||||
"Add Tag": "Додати тег",
|
"Add Tag": "Додати тег",
|
||||||
"Add Tags": "Додати теги",
|
"Add Tags": "Додати теги",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Додати користувача",
|
"Add User": "Додати користувача",
|
||||||
"Add User Group": "Додати групу користувачів",
|
"Add User Group": "Додати групу користувачів",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Квітень",
|
"April": "Квітень",
|
||||||
"Archive": "Архів",
|
"Archive": "Архів",
|
||||||
"Archive All Chats": "Архівувати усі чати",
|
"Archive All Chats": "Архівувати усі чати",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Архівовані чати",
|
"Archived Chats": "Архівовані чати",
|
||||||
"archived-chat-export": "експорт-архівованих-чатів",
|
"archived-chat-export": "експорт-архівованих-чатів",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Ви впевнені, що хочете очистити усі спогади? Цю дію неможливо скасувати.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Ви впевнені, що хочете очистити усі спогади? Цю дію неможливо скасувати.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Прапори",
|
"Banners": "Прапори",
|
||||||
"Base Model (From)": "Базова модель (від)",
|
"Base Model (From)": "Базова модель (від)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "до того, як",
|
"before": "до того, як",
|
||||||
"Being lazy": "Не поспішати",
|
"Being lazy": "Не поспішати",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Календар",
|
"Calendar": "Календар",
|
||||||
"Call": "Виклик",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Функція виклику не підтримується при використанні Web STT (розпізнавання мовлення) рушія",
|
"Call feature is not supported when using Web STT engine": "Функція виклику не підтримується при використанні Web STT (розпізнавання мовлення) рушія",
|
||||||
"Camera": "Камера",
|
"Camera": "Камера",
|
||||||
"Cancel": "Скасувати",
|
"Cancel": "Скасувати",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Створити обліковий запис",
|
"Create Account": "Створити обліковий запис",
|
||||||
"Create Admin Account": "Створити обліковий запис адміністратора",
|
"Create Admin Account": "Створити обліковий запис адміністратора",
|
||||||
"Create Channel": "Створити канал",
|
"Create Channel": "Створити канал",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Створити групу",
|
"Create Group": "Створити групу",
|
||||||
"Create Knowledge": "Створити знання",
|
"Create Knowledge": "Створити знання",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "видалити це посилання",
|
"delete this link": "видалити це посилання",
|
||||||
"Delete tool?": "Видалити інструмент?",
|
"Delete tool?": "Видалити інструмент?",
|
||||||
"Delete User": "Видалити користувача",
|
"Delete User": "Видалити користувача",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Видалено {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Видалено {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Видалено {{name}}",
|
"Deleted {{name}}": "Видалено {{name}}",
|
||||||
"Deleted User": "Видалений користувач",
|
"Deleted User": "Видалений користувач",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Відображати емодзі у викликах",
|
"Display Emoji in Call": "Відображати емодзі у викликах",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Показувати ім'я користувача замість 'Ви' в чаті",
|
"Display the username instead of You in the Chat": "Показувати ім'я користувача замість 'Ви' в чаті",
|
||||||
"Displays citations in the response": "Показує посилання у відповіді",
|
"Displays citations in the response": "Показує посилання у відповіді",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Редагувати дозволи за замовчуванням",
|
"Edit Default Permissions": "Редагувати дозволи за замовчуванням",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Редагувати пам'ять",
|
"Edit Memory": "Редагувати пам'ять",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Редагувати користувача",
|
"Edit User": "Редагувати користувача",
|
||||||
"Edit User Group": "Редагувати групу користувачів",
|
"Edit User Group": "Редагувати групу користувачів",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Не вдалося додати файл.",
|
"Failed to add file.": "Не вдалося додати файл.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Не вдалося підключитися до серверу інструментів OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Не вдалося підключитися до серверу інструментів OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Не вдалося отримати моделі",
|
"Failed to fetch models": "Не вдалося отримати моделі",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Не вдалося прочитати вміст буфера обміну",
|
"Failed to read clipboard contents": "Не вдалося прочитати вміст буфера обміну",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Виявлено шлях до файлової системи моделі. Для оновлення потрібно вказати коротке ім'я моделі, не вдасться продовжити.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Виявлено шлях до файлової системи моделі. Для оновлення потрібно вказати коротке ім'я моделі, не вдасться продовжити.",
|
||||||
"Model Filtering": "Фільтрація моделей",
|
"Model Filtering": "Фільтрація моделей",
|
||||||
"Model ID": "ID моделі",
|
"Model ID": "ID моделі",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "ID моделей",
|
"Model IDs": "ID моделей",
|
||||||
"Model Name": "Назва моделі",
|
"Model Name": "Назва моделі",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Ім'я",
|
"Name": "Ім'я",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Назвіть вашу базу знань",
|
"Name your knowledge base": "Назвіть вашу базу знань",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Будь ласка, заповніть усі поля.",
|
"Please fill in all fields.": "Будь ласка, заповніть усі поля.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Будь ласка, спочатку виберіть модель.",
|
"Please select a model first.": "Будь ласка, спочатку виберіть модель.",
|
||||||
|
|
@ -1649,6 +1662,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Оновлення",
|
"Update": "Оновлення",
|
||||||
"Update and Copy Link": "Оновлення та копіювання посилання",
|
"Update and Copy Link": "Оновлення та копіювання посилання",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Оновіть програми для нових функцій та покращень.",
|
"Update for the latest features and improvements.": "Оновіть програми для нових функцій та покращень.",
|
||||||
"Update password": "Оновити пароль",
|
"Update password": "Оновити пароль",
|
||||||
"Updated": "Оновлено",
|
"Updated": "Оновлено",
|
||||||
|
|
@ -1764,5 +1778,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Весь ваш внесок піде безпосередньо розробнику плагіна; CyberLover не бере жодних відсотків. Однак, обрана платформа фінансування може мати свої власні збори.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Весь ваш внесок піде безпосередньо розробнику плагіна; CyberLover не бере жодних відсотків. Однак, обрана платформа фінансування може мати свої власні збори.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Мова YouTube",
|
"Youtube Language": "Мова YouTube",
|
||||||
"Youtube Proxy URL": "URL проксі-сервера YouTube"
|
"Youtube Proxy URL": "URL проксі-сервера YouTube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "",
|
"Add Group": "",
|
||||||
"Add Memory": "میموری شامل کریں",
|
"Add Memory": "میموری شامل کریں",
|
||||||
"Add Model": "ماڈل شامل کریں",
|
"Add Model": "ماڈل شامل کریں",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "",
|
"Add Reaction": "",
|
||||||
"Add Tag": "ٹیگ شامل کریں",
|
"Add Tag": "ٹیگ شامل کریں",
|
||||||
"Add Tags": "ٹیگز شامل کریں",
|
"Add Tags": "ٹیگز شامل کریں",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "صارف شامل کریں",
|
"Add User": "صارف شامل کریں",
|
||||||
"Add User Group": "",
|
"Add User Group": "",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "اپریل",
|
"April": "اپریل",
|
||||||
"Archive": "آرکائیو",
|
"Archive": "آرکائیو",
|
||||||
"Archive All Chats": "تمام چیٹس محفوظ کریں",
|
"Archive All Chats": "تمام چیٹس محفوظ کریں",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "محفوظ شدہ بات چیت",
|
"Archived Chats": "محفوظ شدہ بات چیت",
|
||||||
"archived-chat-export": "",
|
"archived-chat-export": "",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "بینرز",
|
"Banners": "بینرز",
|
||||||
"Base Model (From)": "بیس ماڈل (سے)",
|
"Base Model (From)": "بیس ماڈل (سے)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "پہلے",
|
"before": "پہلے",
|
||||||
"Being lazy": "سستی کر رہا ہے",
|
"Being lazy": "سستی کر رہا ہے",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "",
|
"Calendar": "",
|
||||||
"Call": "کال کریں",
|
|
||||||
"Call feature is not supported when using Web STT engine": "کال کی خصوصیت ویب STT انجن استعمال کرتے وقت معاونت یافتہ نہیں ہے",
|
"Call feature is not supported when using Web STT engine": "کال کی خصوصیت ویب STT انجن استعمال کرتے وقت معاونت یافتہ نہیں ہے",
|
||||||
"Camera": "کیمرہ",
|
"Camera": "کیمرہ",
|
||||||
"Cancel": "منسوخ کریں",
|
"Cancel": "منسوخ کریں",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "اکاؤنٹ بنائیں",
|
"Create Account": "اکاؤنٹ بنائیں",
|
||||||
"Create Admin Account": "",
|
"Create Admin Account": "",
|
||||||
"Create Channel": "",
|
"Create Channel": "",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "",
|
"Create Group": "",
|
||||||
"Create Knowledge": "علم بنائیں",
|
"Create Knowledge": "علم بنائیں",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "اس لنک کو حذف کریں",
|
"delete this link": "اس لنک کو حذف کریں",
|
||||||
"Delete tool?": "کیا آپ حذف کرنا چاہتے ہیں؟",
|
"Delete tool?": "کیا آپ حذف کرنا چاہتے ہیں؟",
|
||||||
"Delete User": "صارف کو حذف کریں",
|
"Delete User": "صارف کو حذف کریں",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} حذف کر دیا گیا",
|
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} حذف کر دیا گیا",
|
||||||
"Deleted {{name}}": "حذف کر دیا گیا {{name}}",
|
"Deleted {{name}}": "حذف کر دیا گیا {{name}}",
|
||||||
"Deleted User": "",
|
"Deleted User": "",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "کال میں ایموجی دکھائیں",
|
"Display Emoji in Call": "کال میں ایموجی دکھائیں",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "چیٹ میں \"آپ\" کے بجائے صارف نام دکھائیں",
|
"Display the username instead of You in the Chat": "چیٹ میں \"آپ\" کے بجائے صارف نام دکھائیں",
|
||||||
"Displays citations in the response": "",
|
"Displays citations in the response": "",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "",
|
"Edit Default Permissions": "",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "یادداشت میں ترمیم کریں",
|
"Edit Memory": "یادداشت میں ترمیم کریں",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "صارف میں ترمیم کریں",
|
"Edit User": "صارف میں ترمیم کریں",
|
||||||
"Edit User Group": "",
|
"Edit User Group": "",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "فائل شامل کرنے میں ناکام",
|
"Failed to add file.": "فائل شامل کرنے میں ناکام",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
"Failed to connect to {{URL}} OpenAPI tool server": "",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "",
|
"Failed to fetch models": "",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "کلپ بورڈ مواد کو پڑھنے میں ناکام",
|
"Failed to read clipboard contents": "کلپ بورڈ مواد کو پڑھنے میں ناکام",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ماڈل فائل سسٹم کا راستہ مل گیا ماڈل کا مختصر نام اپڈیٹ کے لیے ضروری ہے، جاری نہیں رہ سکتا",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ماڈل فائل سسٹم کا راستہ مل گیا ماڈل کا مختصر نام اپڈیٹ کے لیے ضروری ہے، جاری نہیں رہ سکتا",
|
||||||
"Model Filtering": "",
|
"Model Filtering": "",
|
||||||
"Model ID": "ماڈل آئی ڈی",
|
"Model ID": "ماڈل آئی ڈی",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "",
|
"Model IDs": "",
|
||||||
"Model Name": "ماڈل نام",
|
"Model Name": "ماڈل نام",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "نام",
|
"Name": "نام",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "",
|
"Name your knowledge base": "",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "",
|
"Please enter a valid URL": "",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "براہ کرم تمام فیلڈز مکمل کریں",
|
"Please fill in all fields.": "براہ کرم تمام فیلڈز مکمل کریں",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "",
|
"Please select a model first.": "",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "اپ ڈیٹ کریں",
|
"Update": "اپ ڈیٹ کریں",
|
||||||
"Update and Copy Link": "اپڈیٹ اور لنک کاپی کریں",
|
"Update and Copy Link": "اپڈیٹ اور لنک کاپی کریں",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "تازہ ترین خصوصیات اور بہتریوں کے لیے اپ ڈیٹ کریں",
|
"Update for the latest features and improvements.": "تازہ ترین خصوصیات اور بہتریوں کے لیے اپ ڈیٹ کریں",
|
||||||
"Update password": "پاس ورڈ اپ ڈیٹ کریں",
|
"Update password": "پاس ورڈ اپ ڈیٹ کریں",
|
||||||
"Updated": "اپ ڈیٹ کیا گیا",
|
"Updated": "اپ ڈیٹ کیا گیا",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "آپ کی پوری شراکت براہ راست پلگ ان ڈیولپر کو جائے گی؛ اوپن ویب یو آئی کوئی فیصد نہیں لیتی تاہم، منتخب کردہ فنڈنگ پلیٹ فارم کی اپنی فیس ہو سکتی ہیں",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "آپ کی پوری شراکت براہ راست پلگ ان ڈیولپر کو جائے گی؛ اوپن ویب یو آئی کوئی فیصد نہیں لیتی تاہم، منتخب کردہ فنڈنگ پلیٹ فارم کی اپنی فیس ہو سکتی ہیں",
|
||||||
"YouTube": "یوٹیوب",
|
"YouTube": "یوٹیوب",
|
||||||
"Youtube Language": "",
|
"Youtube Language": "",
|
||||||
"Youtube Proxy URL": ""
|
"Youtube Proxy URL": "",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Гуруҳ қўшиш",
|
"Add Group": "Гуруҳ қўшиш",
|
||||||
"Add Memory": "Хотира қўшиш",
|
"Add Memory": "Хотира қўшиш",
|
||||||
"Add Model": "Модел қўшиш",
|
"Add Model": "Модел қўшиш",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Реакция қўшинг",
|
"Add Reaction": "Реакция қўшинг",
|
||||||
"Add Tag": "Тег қўшиш",
|
"Add Tag": "Тег қўшиш",
|
||||||
"Add Tags": "Теглар қўшиш",
|
"Add Tags": "Теглар қўшиш",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Фойдаланувчи қўшиш",
|
"Add User": "Фойдаланувчи қўшиш",
|
||||||
"Add User Group": "Фойдаланувчилар гуруҳини қўшиш",
|
"Add User Group": "Фойдаланувчилар гуруҳини қўшиш",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "апрел",
|
"April": "апрел",
|
||||||
"Archive": "Архив",
|
"Archive": "Архив",
|
||||||
"Archive All Chats": "Барча суҳбатларни архивлаш",
|
"Archive All Chats": "Барча суҳбатларни архивлаш",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Архивланган чатлар",
|
"Archived Chats": "Архивланган чатлар",
|
||||||
"archived-chat-export": "архивланган-чат-экспорт",
|
"archived-chat-export": "архивланган-чат-экспорт",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Ҳақиқатан ҳам барча хотираларни тозаламоқчимисиз? Бу амални ортга қайтариб бўлмайди.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Ҳақиқатан ҳам барча хотираларни тозаламоқчимисиз? Бу амални ортга қайтариб бўлмайди.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Баннерлар",
|
"Banners": "Баннерлар",
|
||||||
"Base Model (From)": "Асосий модел (дан бошлаб)",
|
"Base Model (From)": "Асосий модел (дан бошлаб)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "олдин",
|
"before": "олдин",
|
||||||
"Being lazy": "Дангаса бўлиш",
|
"Being lazy": "Дангаса бўлиш",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Веб юклагични четлаб ўтиш",
|
"Bypass Web Loader": "Веб юклагични четлаб ўтиш",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Календар",
|
"Calendar": "Календар",
|
||||||
"Call": "Қўнғироқ қилинг",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Wеб СТТ механизмидан фойдаланилганда қўнғироқ функсияси қўллаб-қувватланмайди",
|
"Call feature is not supported when using Web STT engine": "Wеб СТТ механизмидан фойдаланилганда қўнғироқ функсияси қўллаб-қувватланмайди",
|
||||||
"Camera": "Камера",
|
"Camera": "Камера",
|
||||||
"Cancel": "Бекор қилиш",
|
"Cancel": "Бекор қилиш",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Ҳисоб яратиш",
|
"Create Account": "Ҳисоб яратиш",
|
||||||
"Create Admin Account": "Администратор ҳисобини яратинг",
|
"Create Admin Account": "Администратор ҳисобини яратинг",
|
||||||
"Create Channel": "Канал яратиш",
|
"Create Channel": "Канал яратиш",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Гуруҳ яратиш",
|
"Create Group": "Гуруҳ яратиш",
|
||||||
"Create Knowledge": "Билим яратиш",
|
"Create Knowledge": "Билим яратиш",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "ушбу ҳаволани ўчиринг",
|
"delete this link": "ушбу ҳаволани ўчиринг",
|
||||||
"Delete tool?": "Асбоб ўчирилсинми?",
|
"Delete tool?": "Асбоб ўчирилсинми?",
|
||||||
"Delete User": "Фойдаланувчини ўчириш",
|
"Delete User": "Фойдаланувчини ўчириш",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Ўчирилди {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Ўчирилди {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "{{name}} ўчирилди",
|
"Deleted {{name}}": "{{name}} ўчирилди",
|
||||||
"Deleted User": "Ўчирилган фойдаланувчи",
|
"Deleted User": "Ўчирилган фойдаланувчи",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Чақирувда кулгичларни кўрсатиш",
|
"Display Emoji in Call": "Чақирувда кулгичларни кўрсатиш",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Чатда Сиз ўрнига фойдаланувчи номини кўрсатинг",
|
"Display the username instead of You in the Chat": "Чатда Сиз ўрнига фойдаланувчи номини кўрсатинг",
|
||||||
"Displays citations in the response": "Жавобда иқтибосларни кўрсатади",
|
"Displays citations in the response": "Жавобда иқтибосларни кўрсатади",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Стандарт рухсатларни таҳрирлаш",
|
"Edit Default Permissions": "Стандарт рухсатларни таҳрирлаш",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Хотирани таҳрирлаш",
|
"Edit Memory": "Хотирани таҳрирлаш",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Фойдаланувчини таҳрирлаш",
|
"Edit User": "Фойдаланувчини таҳрирлаш",
|
||||||
"Edit User Group": "Фойдаланувчилар гуруҳини таҳрирлаш",
|
"Edit User Group": "Фойдаланувчилар гуруҳини таҳрирлаш",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "Ташқи веб-қидирув УРЛ манзили",
|
"External Web Search URL": "Ташқи веб-қидирув УРЛ манзили",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Файл қўшиб бўлмади.",
|
"Failed to add file.": "Файл қўшиб бўлмади.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "{{УРЛ}} ОпенАПИ асбоб серверига уланиб бўлмади",
|
"Failed to connect to {{URL}} OpenAPI tool server": "{{УРЛ}} ОпенАПИ асбоб серверига уланиб бўлмади",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Ҳаволани нусхалаб бўлмади",
|
"Failed to copy link": "Ҳаволани нусхалаб бўлмади",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Моделларни олиб бўлмади",
|
"Failed to fetch models": "Моделларни олиб бўлмади",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "Файл таркибини юклаб бўлмади.",
|
"Failed to load file content.": "Файл таркибини юклаб бўлмади.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Буфер таркибини ўқиб бўлмади",
|
"Failed to read clipboard contents": "Буфер таркибини ўқиб бўлмади",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Модел файл тизими йўли аниқланди. Янгилаш учун модел қисқа номи талаб қилинади, давом эттириб бўлмайди.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Модел файл тизими йўли аниқланди. Янгилаш учун модел қисқа номи талаб қилинади, давом эттириб бўлмайди.",
|
||||||
"Model Filtering": "Моделни филтрлаш",
|
"Model Filtering": "Моделни филтрлаш",
|
||||||
"Model ID": "Модел ИД",
|
"Model ID": "Модел ИД",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Модел идентификаторлари",
|
"Model IDs": "Модел идентификаторлари",
|
||||||
"Model Name": "Модел номи",
|
"Model Name": "Модел номи",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Исм",
|
"Name": "Исм",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Билимлар базасини номланг",
|
"Name your knowledge base": "Билимлар базасини номланг",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Яроқли УРЛ манзилини киритинг",
|
"Please enter a valid URL": "Яроқли УРЛ манзилини киритинг",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Илтимос, барча майдонларни тўлдиринг.",
|
"Please fill in all fields.": "Илтимос, барча майдонларни тўлдиринг.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Илтимос, аввал моделни танланг.",
|
"Please select a model first.": "Илтимос, аввал моделни танланг.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Сарлавҳасиз",
|
"Untitled": "Сарлавҳасиз",
|
||||||
"Update": "Янгилаш",
|
"Update": "Янгилаш",
|
||||||
"Update and Copy Link": "Ҳаволани янгилаш ва нусхалаш",
|
"Update and Copy Link": "Ҳаволани янгилаш ва нусхалаш",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Энг янги хусусиятлар ва яхшиланишлар учун янгиланг.",
|
"Update for the latest features and improvements.": "Энг янги хусусиятлар ва яхшиланишлар учун янгиланг.",
|
||||||
"Update password": "Паролни янгиланг",
|
"Update password": "Паролни янгиланг",
|
||||||
"Updated": "Янгиланган",
|
"Updated": "Янгиланган",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Сизнинг барча ҳиссангиз тўғридан-тўғри плагин ишлаб чиқарувчисига ўтади; CyberLover ҳеч қандай фоизни олмайди. Бироқ, танланган молиялаштириш платформаси ўз тўловларига эга бўлиши мумкин.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Сизнинг барча ҳиссангиз тўғридан-тўғри плагин ишлаб чиқарувчисига ўтади; CyberLover ҳеч қандай фоизни олмайди. Бироқ, танланган молиялаштириш платформаси ўз тўловларига эга бўлиши мумкин.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube тили",
|
"Youtube Language": "Youtube тили",
|
||||||
"Youtube Proxy URL": "Youtube прокси УРЛ"
|
"Youtube Proxy URL": "Youtube прокси УРЛ",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Guruh qo'shish",
|
"Add Group": "Guruh qo'shish",
|
||||||
"Add Memory": "Xotira qo'shish",
|
"Add Memory": "Xotira qo'shish",
|
||||||
"Add Model": "Model qo'shish",
|
"Add Model": "Model qo'shish",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Reaktsiya qo'shing",
|
"Add Reaction": "Reaktsiya qo'shing",
|
||||||
"Add Tag": "Teg qo'shish",
|
"Add Tag": "Teg qo'shish",
|
||||||
"Add Tags": "Teglar qo'shish",
|
"Add Tags": "Teglar qo'shish",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Foydalanuvchi qo'shish",
|
"Add User": "Foydalanuvchi qo'shish",
|
||||||
"Add User Group": "Foydalanuvchilar guruhini qo'shish",
|
"Add User Group": "Foydalanuvchilar guruhini qo'shish",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "aprel",
|
"April": "aprel",
|
||||||
"Archive": "Arxiv",
|
"Archive": "Arxiv",
|
||||||
"Archive All Chats": "Barcha suhbatlarni arxivlash",
|
"Archive All Chats": "Barcha suhbatlarni arxivlash",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Arxivlangan chatlar",
|
"Archived Chats": "Arxivlangan chatlar",
|
||||||
"archived-chat-export": "arxivlangan-chat-eksport",
|
"archived-chat-export": "arxivlangan-chat-eksport",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Haqiqatan ham barcha xotiralarni tozalamoqchimisiz? Bu amalni ortga qaytarib bo‘lmaydi.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Haqiqatan ham barcha xotiralarni tozalamoqchimisiz? Bu amalni ortga qaytarib bo‘lmaydi.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Bannerlar",
|
"Banners": "Bannerlar",
|
||||||
"Base Model (From)": "Asosiy model (dan boshlab)",
|
"Base Model (From)": "Asosiy model (dan boshlab)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "oldin",
|
"before": "oldin",
|
||||||
"Being lazy": "Dangasa bo'lish",
|
"Being lazy": "Dangasa bo'lish",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "Veb yuklagichni chetlab o'tish",
|
"Bypass Web Loader": "Veb yuklagichni chetlab o'tish",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Kalendar",
|
"Calendar": "Kalendar",
|
||||||
"Call": "Qo'ng'iroq qiling",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Web STT mexanizmidan foydalanilganda qo'ng'iroq funksiyasi qo'llab-quvvatlanmaydi",
|
"Call feature is not supported when using Web STT engine": "Web STT mexanizmidan foydalanilganda qo'ng'iroq funksiyasi qo'llab-quvvatlanmaydi",
|
||||||
"Camera": "Kamera",
|
"Camera": "Kamera",
|
||||||
"Cancel": "Bekor qilish",
|
"Cancel": "Bekor qilish",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Hisob yaratish",
|
"Create Account": "Hisob yaratish",
|
||||||
"Create Admin Account": "Administrator hisobini yarating",
|
"Create Admin Account": "Administrator hisobini yarating",
|
||||||
"Create Channel": "Kanal yaratish",
|
"Create Channel": "Kanal yaratish",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Guruh yaratish",
|
"Create Group": "Guruh yaratish",
|
||||||
"Create Knowledge": "Bilim yaratish",
|
"Create Knowledge": "Bilim yaratish",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "ushbu havolani o'chiring",
|
"delete this link": "ushbu havolani o'chiring",
|
||||||
"Delete tool?": "Asbob oʻchirilsinmi?",
|
"Delete tool?": "Asbob oʻchirilsinmi?",
|
||||||
"Delete User": "Foydalanuvchini oʻchirish",
|
"Delete User": "Foydalanuvchini oʻchirish",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Oʻchirildi {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Oʻchirildi {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "{{name}} oʻchirildi",
|
"Deleted {{name}}": "{{name}} oʻchirildi",
|
||||||
"Deleted User": "O'chirilgan foydalanuvchi",
|
"Deleted User": "O'chirilgan foydalanuvchi",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Chaqiruvda kulgichlarni ko‘rsatish",
|
"Display Emoji in Call": "Chaqiruvda kulgichlarni ko‘rsatish",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Chatda Siz o'rniga foydalanuvchi nomini ko'rsating",
|
"Display the username instead of You in the Chat": "Chatda Siz o'rniga foydalanuvchi nomini ko'rsating",
|
||||||
"Displays citations in the response": "Javobda iqtiboslarni ko'rsatadi",
|
"Displays citations in the response": "Javobda iqtiboslarni ko'rsatadi",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Standart ruxsatlarni tahrirlash",
|
"Edit Default Permissions": "Standart ruxsatlarni tahrirlash",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Xotirani tahrirlash",
|
"Edit Memory": "Xotirani tahrirlash",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Foydalanuvchini tahrirlash",
|
"Edit User": "Foydalanuvchini tahrirlash",
|
||||||
"Edit User Group": "Foydalanuvchilar guruhini tahrirlash",
|
"Edit User Group": "Foydalanuvchilar guruhini tahrirlash",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "Tashqi veb-qidiruv URL manzili",
|
"External Web Search URL": "Tashqi veb-qidiruv URL manzili",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Fayl qo‘shib bo‘lmadi.",
|
"Failed to add file.": "Fayl qo‘shib bo‘lmadi.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI asbob serveriga ulanib boʻlmadi",
|
"Failed to connect to {{URL}} OpenAPI tool server": "{{URL}} OpenAPI asbob serveriga ulanib boʻlmadi",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "Havolani nusxalab bo‘lmadi",
|
"Failed to copy link": "Havolani nusxalab bo‘lmadi",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Modellarni olib bo‘lmadi",
|
"Failed to fetch models": "Modellarni olib bo‘lmadi",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "Fayl tarkibini yuklab bo‘lmadi.",
|
"Failed to load file content.": "Fayl tarkibini yuklab bo‘lmadi.",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Bufer tarkibini o‘qib bo‘lmadi",
|
"Failed to read clipboard contents": "Bufer tarkibini o‘qib bo‘lmadi",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model fayl tizimi yoʻli aniqlandi. Yangilash uchun model qisqa nomi talab qilinadi, davom ettirib bo‘lmaydi.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Model fayl tizimi yoʻli aniqlandi. Yangilash uchun model qisqa nomi talab qilinadi, davom ettirib bo‘lmaydi.",
|
||||||
"Model Filtering": "Modelni filtrlash",
|
"Model Filtering": "Modelni filtrlash",
|
||||||
"Model ID": "Model ID",
|
"Model ID": "Model ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Model identifikatorlari",
|
"Model IDs": "Model identifikatorlari",
|
||||||
"Model Name": "Model nomi",
|
"Model Name": "Model nomi",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Ism",
|
"Name": "Ism",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Bilimlar bazasini nomlang",
|
"Name your knowledge base": "Bilimlar bazasini nomlang",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Yaroqli URL manzilini kiriting",
|
"Please enter a valid URL": "Yaroqli URL manzilini kiriting",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Iltimos, barcha maydonlarni toʻldiring.",
|
"Please fill in all fields.": "Iltimos, barcha maydonlarni toʻldiring.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Iltimos, avval modelni tanlang.",
|
"Please select a model first.": "Iltimos, avval modelni tanlang.",
|
||||||
|
|
@ -1647,6 +1660,7 @@
|
||||||
"Untitled": "Sarlavhasiz",
|
"Untitled": "Sarlavhasiz",
|
||||||
"Update": "Yangilash",
|
"Update": "Yangilash",
|
||||||
"Update and Copy Link": "Havolani yangilash va nusxalash",
|
"Update and Copy Link": "Havolani yangilash va nusxalash",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Eng yangi xususiyatlar va yaxshilanishlar uchun yangilang.",
|
"Update for the latest features and improvements.": "Eng yangi xususiyatlar va yaxshilanishlar uchun yangilang.",
|
||||||
"Update password": "Parolni yangilang",
|
"Update password": "Parolni yangilang",
|
||||||
"Updated": "Yangilangan",
|
"Updated": "Yangilangan",
|
||||||
|
|
@ -1762,5 +1776,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Sizning barcha hissangiz to'g'ridan-to'g'ri plagin ishlab chiqaruvchisiga o'tadi; CyberLover hech qanday foizni olmaydi. Biroq, tanlangan moliyalashtirish platformasi o'z to'lovlariga ega bo'lishi mumkin.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Sizning barcha hissangiz to'g'ridan-to'g'ri plagin ishlab chiqaruvchisiga o'tadi; CyberLover hech qanday foizni olmaydi. Biroq, tanlangan moliyalashtirish platformasi o'z to'lovlariga ega bo'lishi mumkin.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Youtube tili",
|
"Youtube Language": "Youtube tili",
|
||||||
"Youtube Proxy URL": "Youtube proksi URL"
|
"Youtube Proxy URL": "Youtube proksi URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "Thêm Nhóm",
|
"Add Group": "Thêm Nhóm",
|
||||||
"Add Memory": "Thêm bộ nhớ",
|
"Add Memory": "Thêm bộ nhớ",
|
||||||
"Add Model": "Thêm model",
|
"Add Model": "Thêm model",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "Thêm phản ứng",
|
"Add Reaction": "Thêm phản ứng",
|
||||||
"Add Tag": "Thêm thẻ",
|
"Add Tag": "Thêm thẻ",
|
||||||
"Add Tags": "thêm thẻ",
|
"Add Tags": "thêm thẻ",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "Thêm người dùng",
|
"Add User": "Thêm người dùng",
|
||||||
"Add User Group": "Thêm Nhóm Người dùng",
|
"Add User Group": "Thêm Nhóm Người dùng",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "",
|
"Additional Config": "",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "",
|
||||||
"Additional Parameters": "",
|
"Additional Parameters": "",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "Tháng 4",
|
"April": "Tháng 4",
|
||||||
"Archive": "Lưu trữ",
|
"Archive": "Lưu trữ",
|
||||||
"Archive All Chats": "Lưu tất cả các cuộc Chat",
|
"Archive All Chats": "Lưu tất cả các cuộc Chat",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "Lưu các cuộc Chat",
|
"Archived Chats": "Lưu các cuộc Chat",
|
||||||
"archived-chat-export": "xuất-chat-lưu-trữ",
|
"archived-chat-export": "xuất-chat-lưu-trữ",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "Bạn có chắc chắn muốn xóa tất cả bộ nhớ không? Hành động này không thể hoàn tác.",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "Bạn có chắc chắn muốn xóa tất cả bộ nhớ không? Hành động này không thể hoàn tác.",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "Biểu ngữ",
|
"Banners": "Biểu ngữ",
|
||||||
"Base Model (From)": "Mô hình cơ sở (từ)",
|
"Base Model (From)": "Mô hình cơ sở (từ)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "",
|
"Bearer": "",
|
||||||
"before": "trước",
|
"before": "trước",
|
||||||
"Being lazy": "Lười biếng",
|
"Being lazy": "Lười biếng",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "",
|
"Bypass Web Loader": "",
|
||||||
"Cache Base Model List": "",
|
"Cache Base Model List": "",
|
||||||
"Calendar": "Lịch",
|
"Calendar": "Lịch",
|
||||||
"Call": "Gọi",
|
|
||||||
"Call feature is not supported when using Web STT engine": "Tính năng gọi điện không được hỗ trợ khi sử dụng công cụ Web STT",
|
"Call feature is not supported when using Web STT engine": "Tính năng gọi điện không được hỗ trợ khi sử dụng công cụ Web STT",
|
||||||
"Camera": "Máy ảnh",
|
"Camera": "Máy ảnh",
|
||||||
"Cancel": "Hủy bỏ",
|
"Cancel": "Hủy bỏ",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "Tạo Tài khoản",
|
"Create Account": "Tạo Tài khoản",
|
||||||
"Create Admin Account": "Tạo Tài khoản Quản trị",
|
"Create Admin Account": "Tạo Tài khoản Quản trị",
|
||||||
"Create Channel": "Tạo Kênh",
|
"Create Channel": "Tạo Kênh",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "",
|
"Create Folder": "",
|
||||||
"Create Group": "Tạo Nhóm",
|
"Create Group": "Tạo Nhóm",
|
||||||
"Create Knowledge": "Tạo Kiến thức",
|
"Create Knowledge": "Tạo Kiến thức",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "Xóa link này",
|
"delete this link": "Xóa link này",
|
||||||
"Delete tool?": "Xóa tool?",
|
"Delete tool?": "Xóa tool?",
|
||||||
"Delete User": "Xóa người dùng",
|
"Delete User": "Xóa người dùng",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "Đã xóa {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "Đã xóa {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "Đã xóa {{name}}",
|
"Deleted {{name}}": "Đã xóa {{name}}",
|
||||||
"Deleted User": "Người dùng đã xóa",
|
"Deleted User": "Người dùng đã xóa",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "",
|
"Display chat title in tab": "",
|
||||||
"Display Emoji in Call": "Hiển thị Emoji trong cuộc gọi",
|
"Display Emoji in Call": "Hiển thị Emoji trong cuộc gọi",
|
||||||
"Display Multi-model Responses in Tabs": "",
|
"Display Multi-model Responses in Tabs": "",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "Hiển thị tên người sử dụng thay vì 'Bạn' trong nội dung chat",
|
"Display the username instead of You in the Chat": "Hiển thị tên người sử dụng thay vì 'Bạn' trong nội dung chat",
|
||||||
"Displays citations in the response": "Hiển thị trích dẫn trong phản hồi",
|
"Displays citations in the response": "Hiển thị trích dẫn trong phản hồi",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "",
|
"Displays status updates (e.g., web search progress) in the response": "",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "Chỉnh sửa Quyền Mặc định",
|
"Edit Default Permissions": "Chỉnh sửa Quyền Mặc định",
|
||||||
"Edit Folder": "",
|
"Edit Folder": "",
|
||||||
"Edit Memory": "Sửa Memory",
|
"Edit Memory": "Sửa Memory",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "Thay đổi thông tin người sử dụng",
|
"Edit User": "Thay đổi thông tin người sử dụng",
|
||||||
"Edit User Group": "Chỉnh sửa Nhóm Người dùng",
|
"Edit User Group": "Chỉnh sửa Nhóm Người dùng",
|
||||||
"edited": "",
|
"edited": "",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "",
|
"External Web Search URL": "",
|
||||||
"Fade Effect for Streaming Text": "",
|
"Fade Effect for Streaming Text": "",
|
||||||
"Failed to add file.": "Không thể thêm tệp.",
|
"Failed to add file.": "Không thể thêm tệp.",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "Không thể kết nối đến máy chủ công cụ OpenAPI {{URL}}",
|
"Failed to connect to {{URL}} OpenAPI tool server": "Không thể kết nối đến máy chủ công cụ OpenAPI {{URL}}",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "",
|
"Failed to copy link": "",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "Không thể lấy danh sách mô hình",
|
"Failed to fetch models": "Không thể lấy danh sách mô hình",
|
||||||
"Failed to generate title": "",
|
"Failed to generate title": "",
|
||||||
"Failed to import models": "",
|
"Failed to import models": "",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "",
|
"Failed to load chat preview": "",
|
||||||
"Failed to load file content.": "",
|
"Failed to load file content.": "",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "",
|
"Failed to move chat": "",
|
||||||
"Failed to read clipboard contents": "Không thể đọc nội dung clipboard",
|
"Failed to read clipboard contents": "Không thể đọc nội dung clipboard",
|
||||||
"Failed to render diagram": "",
|
"Failed to render diagram": "",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Đường dẫn hệ thống tệp mô hình được phát hiện. Tên viết tắt mô hình là bắt buộc để cập nhật, không thể tiếp tục.",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Đường dẫn hệ thống tệp mô hình được phát hiện. Tên viết tắt mô hình là bắt buộc để cập nhật, không thể tiếp tục.",
|
||||||
"Model Filtering": "Lọc Mô hình",
|
"Model Filtering": "Lọc Mô hình",
|
||||||
"Model ID": "ID mẫu",
|
"Model ID": "ID mẫu",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "",
|
"Model ID is required.": "",
|
||||||
"Model IDs": "Các ID Mô hình",
|
"Model IDs": "Các ID Mô hình",
|
||||||
"Model Name": "Tên Mô hình",
|
"Model Name": "Tên Mô hình",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "",
|
"More Concise": "",
|
||||||
"More Options": "",
|
"More Options": "",
|
||||||
"Move": "",
|
"Move": "",
|
||||||
|
"My API": "",
|
||||||
"Name": "Tên",
|
"Name": "Tên",
|
||||||
"Name and ID are required, please fill them out": "",
|
"Name and ID are required, please fill them out": "",
|
||||||
"Name your knowledge base": "Đặt tên cho cơ sở kiến thức của bạn",
|
"Name your knowledge base": "Đặt tên cho cơ sở kiến thức của bạn",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "Vui lòng nhập một URL hợp lệ",
|
"Please enter a valid URL": "Vui lòng nhập một URL hợp lệ",
|
||||||
"Please enter a valid URL.": "",
|
"Please enter a valid URL.": "",
|
||||||
"Please fill in all fields.": "Vui lòng điền vào tất cả các trường.",
|
"Please fill in all fields.": "Vui lòng điền vào tất cả các trường.",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "",
|
"Please register the OAuth client": "",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "",
|
||||||
"Please select a model first.": "Vui lòng chọn một mô hình trước.",
|
"Please select a model first.": "Vui lòng chọn một mô hình trước.",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "",
|
"Untitled": "",
|
||||||
"Update": "Cập nhật",
|
"Update": "Cập nhật",
|
||||||
"Update and Copy Link": "Cập nhật và sao chép link",
|
"Update and Copy Link": "Cập nhật và sao chép link",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "Cập nhật để có các tính năng và cải tiến mới nhất.",
|
"Update for the latest features and improvements.": "Cập nhật để có các tính năng và cải tiến mới nhất.",
|
||||||
"Update password": "Cập nhật mật khẩu",
|
"Update password": "Cập nhật mật khẩu",
|
||||||
"Updated": "Đã cập nhật",
|
"Updated": "Đã cập nhật",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Toàn bộ đóng góp của bạn sẽ được chuyển trực tiếp đến nhà phát triển plugin; CyberLover không lấy bất kỳ tỷ lệ phần trăm nào. Tuy nhiên, nền tảng được chọn tài trợ có thể có phí riêng.",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "Toàn bộ đóng góp của bạn sẽ được chuyển trực tiếp đến nhà phát triển plugin; CyberLover không lấy bất kỳ tỷ lệ phần trăm nào. Tuy nhiên, nền tảng được chọn tài trợ có thể có phí riêng.",
|
||||||
"YouTube": "Youtube",
|
"YouTube": "Youtube",
|
||||||
"Youtube Language": "Ngôn ngữ Youtube",
|
"Youtube Language": "Ngôn ngữ Youtube",
|
||||||
"Youtube Proxy URL": "URL Proxy Youtube"
|
"Youtube Proxy URL": "URL Proxy Youtube",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "添加权限组",
|
"Add Group": "添加权限组",
|
||||||
"Add Memory": "添加记忆",
|
"Add Memory": "添加记忆",
|
||||||
"Add Model": "添加模型",
|
"Add Model": "添加模型",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "添加表情",
|
"Add Reaction": "添加表情",
|
||||||
"Add Tag": "添加标签",
|
"Add Tag": "添加标签",
|
||||||
"Add Tags": "添加标签",
|
"Add Tags": "添加标签",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "添加用户",
|
"Add User": "添加用户",
|
||||||
"Add User Group": "添加权限组",
|
"Add User Group": "添加权限组",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "额外配置项",
|
"Additional Config": "额外配置项",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Datalab Marker 的额外配置项,可以填写一个包含键值对的 JSON 字符串。例如:{\"key\": \"value\"}。支持的键包括:disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count 和 default_level。",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Datalab Marker 的额外配置项,可以填写一个包含键值对的 JSON 字符串。例如:{\"key\": \"value\"}。支持的键包括:disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count 和 default_level。",
|
||||||
"Additional Parameters": "额外参数",
|
"Additional Parameters": "额外参数",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "四月",
|
"April": "四月",
|
||||||
"Archive": "归档",
|
"Archive": "归档",
|
||||||
"Archive All Chats": "归档所有对话记录",
|
"Archive All Chats": "归档所有对话记录",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "已归档对话",
|
"Archived Chats": "已归档对话",
|
||||||
"archived-chat-export": "导出已归档对话",
|
"archived-chat-export": "导出已归档对话",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "您确认要清除所有记忆吗?清除后无法还原。",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "您确认要清除所有记忆吗?清除后无法还原。",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "公告横幅",
|
"Banners": "公告横幅",
|
||||||
"Base Model (From)": "基础模型(来自)",
|
"Base Model (From)": "基础模型(来自)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "仅在启动或保存设置时获取基础模型列表以提升访问速度,但显示的模型列表可能不是最新的。",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "仅在启动或保存设置时获取基础模型列表以提升访问速度,但显示的模型列表可能不是最新的。",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "密钥(Bearer)",
|
"Bearer": "密钥(Bearer)",
|
||||||
"before": "之前",
|
"before": "之前",
|
||||||
"Being lazy": "回答不完整或敷衍了事",
|
"Being lazy": "回答不完整或敷衍了事",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "绕过网页加载器",
|
"Bypass Web Loader": "绕过网页加载器",
|
||||||
"Cache Base Model List": "缓存基础模型列表",
|
"Cache Base Model List": "缓存基础模型列表",
|
||||||
"Calendar": "日历",
|
"Calendar": "日历",
|
||||||
"Call": "语音通话",
|
|
||||||
"Call feature is not supported when using Web STT engine": "使用 Web 语音转文字引擎时不支持语音通话功能",
|
"Call feature is not supported when using Web STT engine": "使用 Web 语音转文字引擎时不支持语音通话功能",
|
||||||
"Camera": "摄像头",
|
"Camera": "摄像头",
|
||||||
"Cancel": "取消",
|
"Cancel": "取消",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "创建账号",
|
"Create Account": "创建账号",
|
||||||
"Create Admin Account": "创建管理员账号",
|
"Create Admin Account": "创建管理员账号",
|
||||||
"Create Channel": "创建频道",
|
"Create Channel": "创建频道",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "创建分组",
|
"Create Folder": "创建分组",
|
||||||
"Create Group": "创建权限组",
|
"Create Group": "创建权限组",
|
||||||
"Create Knowledge": "创建知识",
|
"Create Knowledge": "创建知识",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "此处删除这个链接",
|
"delete this link": "此处删除这个链接",
|
||||||
"Delete tool?": "要删除此工具吗?",
|
"Delete tool?": "要删除此工具吗?",
|
||||||
"Delete User": "删除用户",
|
"Delete User": "删除用户",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "已删除 {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "已删除 {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "已删除 {{name}}",
|
"Deleted {{name}}": "已删除 {{name}}",
|
||||||
"Deleted User": "已删除用户",
|
"Deleted User": "已删除用户",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "在浏览器标签页中显示对话标题",
|
"Display chat title in tab": "在浏览器标签页中显示对话标题",
|
||||||
"Display Emoji in Call": "在通话中显示 Emoji",
|
"Display Emoji in Call": "在通话中显示 Emoji",
|
||||||
"Display Multi-model Responses in Tabs": "以标签页的形式展示多个模型的回答",
|
"Display Multi-model Responses in Tabs": "以标签页的形式展示多个模型的回答",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "在对话中显示用户名而不是“你”",
|
"Display the username instead of You in the Chat": "在对话中显示用户名而不是“你”",
|
||||||
"Displays citations in the response": "在回答中显示引用来源",
|
"Displays citations in the response": "在回答中显示引用来源",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "在回答中显示实时状态信息(例如:网络搜索进度)",
|
"Displays status updates (e.g., web search progress) in the response": "在回答中显示实时状态信息(例如:网络搜索进度)",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "编辑默认权限",
|
"Edit Default Permissions": "编辑默认权限",
|
||||||
"Edit Folder": "编辑分组",
|
"Edit Folder": "编辑分组",
|
||||||
"Edit Memory": "编辑记忆",
|
"Edit Memory": "编辑记忆",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "编辑用户",
|
"Edit User": "编辑用户",
|
||||||
"Edit User Group": "编辑用户组",
|
"Edit User Group": "编辑用户组",
|
||||||
"edited": "已编辑",
|
"edited": "已编辑",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "外部联网搜索 URL",
|
"External Web Search URL": "外部联网搜索 URL",
|
||||||
"Fade Effect for Streaming Text": "流式输出内容时启用动态渐显效果",
|
"Fade Effect for Streaming Text": "流式输出内容时启用动态渐显效果",
|
||||||
"Failed to add file.": "添加文件失败",
|
"Failed to add file.": "添加文件失败",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "连接到 {{URL}} OpenAPI 工具服务器失败",
|
"Failed to connect to {{URL}} OpenAPI tool server": "连接到 {{URL}} OpenAPI 工具服务器失败",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "复制链接失败",
|
"Failed to copy link": "复制链接失败",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "获取模型失败",
|
"Failed to fetch models": "获取模型失败",
|
||||||
"Failed to generate title": "生成标题失败",
|
"Failed to generate title": "生成标题失败",
|
||||||
"Failed to import models": "导入模型配置失败",
|
"Failed to import models": "导入模型配置失败",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "对话预览加载失败",
|
"Failed to load chat preview": "对话预览加载失败",
|
||||||
"Failed to load file content.": "文件内容加载失败",
|
"Failed to load file content.": "文件内容加载失败",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "移动对话失败",
|
"Failed to move chat": "移动对话失败",
|
||||||
"Failed to read clipboard contents": "读取剪贴板内容失败",
|
"Failed to read clipboard contents": "读取剪贴板内容失败",
|
||||||
"Failed to render diagram": "渲染图表失败",
|
"Failed to render diagram": "渲染图表失败",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "检测到模型名字为文件路径。需要提供模型简称才能继续执行更新。",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "检测到模型名字为文件路径。需要提供模型简称才能继续执行更新。",
|
||||||
"Model Filtering": "模型白名单",
|
"Model Filtering": "模型白名单",
|
||||||
"Model ID": "模型 ID",
|
"Model ID": "模型 ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "模型 ID 是必填项。",
|
"Model ID is required.": "模型 ID 是必填项。",
|
||||||
"Model IDs": "模型 ID",
|
"Model IDs": "模型 ID",
|
||||||
"Model Name": "模型名称",
|
"Model Name": "模型名称",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "精炼表达",
|
"More Concise": "精炼表达",
|
||||||
"More Options": "更多选项",
|
"More Options": "更多选项",
|
||||||
"Move": "移动",
|
"Move": "移动",
|
||||||
|
"My API": "",
|
||||||
"Name": "名称",
|
"Name": "名称",
|
||||||
"Name and ID are required, please fill them out": "名称和 ID 是必填项,请填写。",
|
"Name and ID are required, please fill them out": "名称和 ID 是必填项,请填写。",
|
||||||
"Name your knowledge base": "为您的知识库命名",
|
"Name your knowledge base": "为您的知识库命名",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "请输入有效的 URL",
|
"Please enter a valid URL": "请输入有效的 URL",
|
||||||
"Please enter a valid URL.": "请输入有效的 URL。",
|
"Please enter a valid URL.": "请输入有效的 URL。",
|
||||||
"Please fill in all fields.": "请填写所有字段。",
|
"Please fill in all fields.": "请填写所有字段。",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "请注册 OAuth 客户端",
|
"Please register the OAuth client": "请注册 OAuth 客户端",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "请保存连接以保留 OAuth 客户端信息,并确保不要更改 ID",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "请保存连接以保留 OAuth 客户端信息,并确保不要更改 ID",
|
||||||
"Please select a model first.": "请先选择模型",
|
"Please select a model first.": "请先选择模型",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "无标题",
|
"Untitled": "无标题",
|
||||||
"Update": "更新",
|
"Update": "更新",
|
||||||
"Update and Copy Link": "更新和复制链接",
|
"Update and Copy Link": "更新和复制链接",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "更新以获取最新功能与优化",
|
"Update for the latest features and improvements.": "更新以获取最新功能与优化",
|
||||||
"Update password": "更新密码",
|
"Update password": "更新密码",
|
||||||
"Updated": "已更新",
|
"Updated": "已更新",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "您的全部捐款将直接给到插件开发者,CyberLover 不会收取任何分成。但众筹平台可能会有服务费。",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "您的全部捐款将直接给到插件开发者,CyberLover 不会收取任何分成。但众筹平台可能会有服务费。",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "Youtube 语言",
|
"Youtube Language": "Youtube 语言",
|
||||||
"Youtube Proxy URL": "Youtube 代理 URL"
|
"Youtube Proxy URL": "Youtube 代理 URL",
|
||||||
|
"余额": "余额",
|
||||||
|
"余额不足": "余额不足",
|
||||||
|
"余额修改记录": "余额修改记录",
|
||||||
|
"余额详情": "余额详情",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "充值中...",
|
||||||
|
"充值失败: ": "充值失败: ",
|
||||||
|
"充值成功!余额: ": "充值成功!余额: ",
|
||||||
|
"充值管理": "充值管理",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "充值金额(元)",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "最近30天",
|
||||||
|
"最近7天": "最近7天",
|
||||||
|
"最近90天": "最近90天",
|
||||||
|
"冻结": "冻结",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "加载余额失败: ",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "加载更多",
|
||||||
|
"加载消费记录失败: ": "加载消费记录失败: ",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "备注",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "当前余额",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "您的账户余额不足,已被冻结。请联系管理员充值。",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "时间",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "暂无消费记录",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "查询统计失败: ",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "模型",
|
||||||
|
"模型消费分布": "模型消费分布",
|
||||||
|
"正常": "正常",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "每日消费趋势",
|
||||||
|
"消费统计": "消费统计",
|
||||||
|
"消费记录": "消费记录",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "用户ID",
|
||||||
|
"用户充值": "用户充值",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "确认充值",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "类型",
|
||||||
|
"累计消费": "累计消费",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "计费中心",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "请及时充值以免影响使用。",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "请填写正确的用户ID和充值金额",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "账户已冻结",
|
||||||
|
"费用": "费用",
|
||||||
|
"输入": "输入",
|
||||||
|
"输入Token": "输入Token",
|
||||||
|
"输出": "输出",
|
||||||
|
"输出Token": "输出Token",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
|
|
@ -57,6 +57,7 @@
|
||||||
"Add Group": "新增群組",
|
"Add Group": "新增群組",
|
||||||
"Add Memory": "新增記憶",
|
"Add Memory": "新增記憶",
|
||||||
"Add Model": "新增模型",
|
"Add Model": "新增模型",
|
||||||
|
"Add My API": "",
|
||||||
"Add Reaction": "新增動作",
|
"Add Reaction": "新增動作",
|
||||||
"Add Tag": "新增標籤",
|
"Add Tag": "新增標籤",
|
||||||
"Add Tags": "新增標籤",
|
"Add Tags": "新增標籤",
|
||||||
|
|
@ -64,6 +65,7 @@
|
||||||
"Add User": "新增使用者",
|
"Add User": "新增使用者",
|
||||||
"Add User Group": "新增使用者群組",
|
"Add User Group": "新增使用者群組",
|
||||||
"Add your first memory": "",
|
"Add your first memory": "",
|
||||||
|
"Added": "",
|
||||||
"Additional Config": "額外設定",
|
"Additional Config": "額外設定",
|
||||||
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Datalab Marker 的額外設定選項,可以填寫一個包含鍵值對的 JSON 字串。例如:{\"key\": \"value\"}。支援的鍵包括:disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count 和 default_level。",
|
"Additional configuration options for marker. This should be a JSON string with key-value pairs. For example, '{\"key\": \"value\"}'. Supported keys include: disable_links, keep_pageheader_in_output, keep_pagefooter_in_output, filter_blank_pages, drop_repeated_text, layout_coverage_threshold, merge_threshold, height_tolerance, gap_threshold, image_threshold, min_line_length, level_count, default_level": "Datalab Marker 的額外設定選項,可以填寫一個包含鍵值對的 JSON 字串。例如:{\"key\": \"value\"}。支援的鍵包括:disable_links、keep_pageheader_in_output、keep_pagefooter_in_output、filter_blank_pages、drop_repeated_text、layout_coverage_threshold、merge_threshold、height_tolerance、gap_threshold、image_threshold、min_line_length、level_count 和 default_level。",
|
||||||
"Additional Parameters": "額外參數",
|
"Additional Parameters": "額外參數",
|
||||||
|
|
@ -140,6 +142,7 @@
|
||||||
"April": "4 月",
|
"April": "4 月",
|
||||||
"Archive": "封存",
|
"Archive": "封存",
|
||||||
"Archive All Chats": "封存所有對話紀錄",
|
"Archive All Chats": "封存所有對話紀錄",
|
||||||
|
"Archived": "",
|
||||||
"Archived Chats": "封存的對話紀錄",
|
"Archived Chats": "封存的對話紀錄",
|
||||||
"archived-chat-export": "archived-chat-export",
|
"archived-chat-export": "archived-chat-export",
|
||||||
"Are you sure you want to clear all memories? This action cannot be undone.": "您確定要清除所有記憶嗎?此操作無法復原。",
|
"Are you sure you want to clear all memories? This action cannot be undone.": "您確定要清除所有記憶嗎?此操作無法復原。",
|
||||||
|
|
@ -187,6 +190,7 @@
|
||||||
"Banners": "橫幅",
|
"Banners": "橫幅",
|
||||||
"Base Model (From)": "基礎模型(來自)",
|
"Base Model (From)": "基礎模型(來自)",
|
||||||
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "基礎模型清單快取僅在啟動或儲存設定時獲取基礎模型從而加快存取速度,但可能不會顯示最近的基礎模型變更。",
|
"Base Model List Cache speeds up access by fetching base models only at startup or on settings save—faster, but may not show recent base model changes.": "基礎模型清單快取僅在啟動或儲存設定時獲取基礎模型從而加快存取速度,但可能不會顯示最近的基礎模型變更。",
|
||||||
|
"Base URL": "",
|
||||||
"Bearer": "Bearer",
|
"Bearer": "Bearer",
|
||||||
"before": "之前",
|
"before": "之前",
|
||||||
"Being lazy": "懶惰模式",
|
"Being lazy": "懶惰模式",
|
||||||
|
|
@ -210,7 +214,6 @@
|
||||||
"Bypass Web Loader": "繞過網頁載入器",
|
"Bypass Web Loader": "繞過網頁載入器",
|
||||||
"Cache Base Model List": "快取基礎模型清單",
|
"Cache Base Model List": "快取基礎模型清單",
|
||||||
"Calendar": "日曆",
|
"Calendar": "日曆",
|
||||||
"Call": "通話",
|
|
||||||
"Call feature is not supported when using Web STT engine": "使用網頁語音辨識 (Web STT) 引擎時不支援通話功能",
|
"Call feature is not supported when using Web STT engine": "使用網頁語音辨識 (Web STT) 引擎時不支援通話功能",
|
||||||
"Camera": "相機",
|
"Camera": "相機",
|
||||||
"Cancel": "取消",
|
"Cancel": "取消",
|
||||||
|
|
@ -346,6 +349,7 @@
|
||||||
"Create Account": "建立帳號",
|
"Create Account": "建立帳號",
|
||||||
"Create Admin Account": "建立管理員賬號",
|
"Create Admin Account": "建立管理員賬號",
|
||||||
"Create Channel": "建立頻道",
|
"Create Channel": "建立頻道",
|
||||||
|
"Create failed": "",
|
||||||
"Create Folder": "建立分組",
|
"Create Folder": "建立分組",
|
||||||
"Create Group": "建立群組",
|
"Create Group": "建立群組",
|
||||||
"Create Knowledge": "建立知識",
|
"Create Knowledge": "建立知識",
|
||||||
|
|
@ -414,6 +418,7 @@
|
||||||
"delete this link": "刪除此連結",
|
"delete this link": "刪除此連結",
|
||||||
"Delete tool?": "刪除工具?",
|
"Delete tool?": "刪除工具?",
|
||||||
"Delete User": "刪除使用者",
|
"Delete User": "刪除使用者",
|
||||||
|
"Deleted": "",
|
||||||
"Deleted {{deleteModelTag}}": "已刪除 {{deleteModelTag}}",
|
"Deleted {{deleteModelTag}}": "已刪除 {{deleteModelTag}}",
|
||||||
"Deleted {{name}}": "已刪除 {{name}}",
|
"Deleted {{name}}": "已刪除 {{name}}",
|
||||||
"Deleted User": "刪除使用者?",
|
"Deleted User": "刪除使用者?",
|
||||||
|
|
@ -447,6 +452,7 @@
|
||||||
"Display chat title in tab": "在瀏覽器分頁標籤上顯示對話標題",
|
"Display chat title in tab": "在瀏覽器分頁標籤上顯示對話標題",
|
||||||
"Display Emoji in Call": "在通話中顯示表情符號",
|
"Display Emoji in Call": "在通話中顯示表情符號",
|
||||||
"Display Multi-model Responses in Tabs": "以標籤頁的形式展示多個模型的回應",
|
"Display Multi-model Responses in Tabs": "以標籤頁的形式展示多個模型的回應",
|
||||||
|
"Display Name": "",
|
||||||
"Display the username instead of You in the Chat": "在對話中顯示使用者名稱,而非「您」",
|
"Display the username instead of You in the Chat": "在對話中顯示使用者名稱,而非「您」",
|
||||||
"Displays citations in the response": "在回應中顯示引用",
|
"Displays citations in the response": "在回應中顯示引用",
|
||||||
"Displays status updates (e.g., web search progress) in the response": "在回應中顯示進度狀態(例如:網路搜尋進度)",
|
"Displays status updates (e.g., web search progress) in the response": "在回應中顯示進度狀態(例如:網路搜尋進度)",
|
||||||
|
|
@ -501,6 +507,7 @@
|
||||||
"Edit Default Permissions": "編輯預設權限",
|
"Edit Default Permissions": "編輯預設權限",
|
||||||
"Edit Folder": "編輯分組",
|
"Edit Folder": "編輯分組",
|
||||||
"Edit Memory": "編輯記憶",
|
"Edit Memory": "編輯記憶",
|
||||||
|
"Edit My API": "",
|
||||||
"Edit User": "編輯使用者",
|
"Edit User": "編輯使用者",
|
||||||
"Edit User Group": "編輯使用者群組",
|
"Edit User Group": "編輯使用者群組",
|
||||||
"edited": "已編輯",
|
"edited": "已編輯",
|
||||||
|
|
@ -698,6 +705,7 @@
|
||||||
"External Web Search URL": "外部網路搜尋 URL",
|
"External Web Search URL": "外部網路搜尋 URL",
|
||||||
"Fade Effect for Streaming Text": "串流文字淡入效果",
|
"Fade Effect for Streaming Text": "串流文字淡入效果",
|
||||||
"Failed to add file.": "新增檔案失敗。",
|
"Failed to add file.": "新增檔案失敗。",
|
||||||
|
"Failed to archive": "",
|
||||||
"Failed to connect to {{URL}} OpenAPI tool server": "無法連線至 {{URL}} OpenAPI 工具伺服器",
|
"Failed to connect to {{URL}} OpenAPI tool server": "無法連線至 {{URL}} OpenAPI 工具伺服器",
|
||||||
"Failed to convert OpenAI chats": "",
|
"Failed to convert OpenAI chats": "",
|
||||||
"Failed to copy link": "複製連結失敗",
|
"Failed to copy link": "複製連結失敗",
|
||||||
|
|
@ -708,9 +716,11 @@
|
||||||
"Failed to fetch models": "取得模型失敗",
|
"Failed to fetch models": "取得模型失敗",
|
||||||
"Failed to generate title": "產生標題失敗",
|
"Failed to generate title": "產生標題失敗",
|
||||||
"Failed to import models": "匯入模型失敗",
|
"Failed to import models": "匯入模型失敗",
|
||||||
|
"Failed to load announcements": "",
|
||||||
"Failed to load chat preview": "對話預覽載入失敗",
|
"Failed to load chat preview": "對話預覽載入失敗",
|
||||||
"Failed to load file content.": "載入檔案內容失敗。",
|
"Failed to load file content.": "載入檔案內容失敗。",
|
||||||
"Failed to load memories": "",
|
"Failed to load memories": "",
|
||||||
|
"Failed to mark read": "",
|
||||||
"Failed to move chat": "移動對話失敗",
|
"Failed to move chat": "移動對話失敗",
|
||||||
"Failed to read clipboard contents": "讀取剪貼簿內容失敗",
|
"Failed to read clipboard contents": "讀取剪貼簿內容失敗",
|
||||||
"Failed to render diagram": "繪製圖表失敗",
|
"Failed to render diagram": "繪製圖表失敗",
|
||||||
|
|
@ -1025,6 +1035,7 @@
|
||||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "偵測到模型檔案系統路徑。更新需要模型簡稱,因此無法繼續。",
|
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "偵測到模型檔案系統路徑。更新需要模型簡稱,因此無法繼續。",
|
||||||
"Model Filtering": "模型篩選",
|
"Model Filtering": "模型篩選",
|
||||||
"Model ID": "模型 ID",
|
"Model ID": "模型 ID",
|
||||||
|
"Model ID and API Key are required": "",
|
||||||
"Model ID is required.": "模型 ID 是必填項。",
|
"Model ID is required.": "模型 ID 是必填項。",
|
||||||
"Model IDs": "模型 IDs",
|
"Model IDs": "模型 IDs",
|
||||||
"Model Name": "模型名稱",
|
"Model Name": "模型名稱",
|
||||||
|
|
@ -1047,6 +1058,7 @@
|
||||||
"More Concise": "精煉表達",
|
"More Concise": "精煉表達",
|
||||||
"More Options": "更多選項",
|
"More Options": "更多選項",
|
||||||
"Move": "移動",
|
"Move": "移動",
|
||||||
|
"My API": "",
|
||||||
"Name": "名稱",
|
"Name": "名稱",
|
||||||
"Name and ID are required, please fill them out": "名稱和 ID 為必填項目,請填寫",
|
"Name and ID are required, please fill them out": "名稱和 ID 為必填項目,請填寫",
|
||||||
"Name your knowledge base": "命名您的知識庫",
|
"Name your knowledge base": "命名您的知識庫",
|
||||||
|
|
@ -1218,6 +1230,7 @@
|
||||||
"Please enter a valid URL": "請輸入有效 URL",
|
"Please enter a valid URL": "請輸入有效 URL",
|
||||||
"Please enter a valid URL.": "請輸入有效的 URL。",
|
"Please enter a valid URL.": "請輸入有效的 URL。",
|
||||||
"Please fill in all fields.": "請填寫所有欄位。",
|
"Please fill in all fields.": "請填寫所有欄位。",
|
||||||
|
"Please fill title and content": "",
|
||||||
"Please register the OAuth client": "請登錄 OAuth 客戶端",
|
"Please register the OAuth client": "請登錄 OAuth 客戶端",
|
||||||
"Please save the connection to persist the OAuth client information and do not change the ID": "請儲存連線以保存 OAuth 用戶端資訊,且勿更改 ID",
|
"Please save the connection to persist the OAuth client information and do not change the ID": "請儲存連線以保存 OAuth 用戶端資訊,且勿更改 ID",
|
||||||
"Please select a model first.": "請先選擇模型。",
|
"Please select a model first.": "請先選擇模型。",
|
||||||
|
|
@ -1646,6 +1659,7 @@
|
||||||
"Untitled": "未命名",
|
"Untitled": "未命名",
|
||||||
"Update": "更新",
|
"Update": "更新",
|
||||||
"Update and Copy Link": "更新並複製連結",
|
"Update and Copy Link": "更新並複製連結",
|
||||||
|
"Update failed": "",
|
||||||
"Update for the latest features and improvements.": "更新以獲得最新功能和改進。",
|
"Update for the latest features and improvements.": "更新以獲得最新功能和改進。",
|
||||||
"Update password": "更新密碼",
|
"Update password": "更新密碼",
|
||||||
"Updated": "已更新",
|
"Updated": "已更新",
|
||||||
|
|
@ -1761,5 +1775,92 @@
|
||||||
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "您的所有貢獻將會直接交給外掛開發者;CyberLover 不會收取任何百分比。然而,所選擇的贊助平臺可能有其自身的費用。",
|
"Your entire contribution will go directly to the plugin developer; CyberLover does not take any percentage. However, the chosen funding platform might have its own fees.": "您的所有貢獻將會直接交給外掛開發者;CyberLover 不會收取任何百分比。然而,所選擇的贊助平臺可能有其自身的費用。",
|
||||||
"YouTube": "YouTube",
|
"YouTube": "YouTube",
|
||||||
"Youtube Language": "YouTube 語言",
|
"Youtube Language": "YouTube 語言",
|
||||||
"Youtube Proxy URL": "YouTube 代理伺服器 URL"
|
"Youtube Proxy URL": "YouTube 代理伺服器 URL",
|
||||||
|
"余额": "",
|
||||||
|
"余额不足": "",
|
||||||
|
"余额修改记录": "",
|
||||||
|
"余额详情": "",
|
||||||
|
"保存": "",
|
||||||
|
"元": "",
|
||||||
|
"充值": "",
|
||||||
|
"充值中...": "",
|
||||||
|
"充值失败: ": "",
|
||||||
|
"充值成功!余额: ": "",
|
||||||
|
"充值管理": "",
|
||||||
|
"充值记录": "",
|
||||||
|
"充值金额(元)": "",
|
||||||
|
"公告": "",
|
||||||
|
"公告列表": "",
|
||||||
|
"公告管理": "",
|
||||||
|
"最近30天": "",
|
||||||
|
"最近7天": "",
|
||||||
|
"最近90天": "",
|
||||||
|
"冻结": "",
|
||||||
|
"创建、更新或归档平台公告,发布后用户登录会看到最新公告。": "",
|
||||||
|
"删除": "",
|
||||||
|
"删除后不可恢复,确认删除这条公告吗?": "",
|
||||||
|
"删除失败": "",
|
||||||
|
"加载中": "",
|
||||||
|
"加载余额失败: ": "",
|
||||||
|
"加载充值记录失败": "",
|
||||||
|
"加载更多": "",
|
||||||
|
"加载消费记录失败: ": "",
|
||||||
|
"发布": "",
|
||||||
|
"取消": "",
|
||||||
|
"取消编辑": "",
|
||||||
|
"后余额": "",
|
||||||
|
"处理中": "",
|
||||||
|
"备注": "",
|
||||||
|
"失败": "",
|
||||||
|
"对话进行中无法切换记忆": "",
|
||||||
|
"归档": "",
|
||||||
|
"归档后将从用户端隐藏,确认归档这条公告吗?": "",
|
||||||
|
"当前余额": "",
|
||||||
|
"必填": "",
|
||||||
|
"您的账户余额不足,已被冻结。请联系管理员充值。": "",
|
||||||
|
"成功": "",
|
||||||
|
"扣费": "",
|
||||||
|
"操作员": "",
|
||||||
|
"支持纯文本或 Markdown": "",
|
||||||
|
"时间": "",
|
||||||
|
"暂无充值记录": "",
|
||||||
|
"暂无公告": "",
|
||||||
|
"暂无消费记录": "",
|
||||||
|
"更新于": "",
|
||||||
|
"查询统计失败: ": "",
|
||||||
|
"标题": "",
|
||||||
|
"模型": "",
|
||||||
|
"模型消费分布": "",
|
||||||
|
"正常": "",
|
||||||
|
"正文": "",
|
||||||
|
"每日消费趋势": "",
|
||||||
|
"消费统计": "",
|
||||||
|
"消费记录": "",
|
||||||
|
"状态": "",
|
||||||
|
"用户ID": "",
|
||||||
|
"用户充值": "",
|
||||||
|
"确认": "",
|
||||||
|
"确认为用户": "",
|
||||||
|
"确认充值": "",
|
||||||
|
"确认删除": "",
|
||||||
|
"确认归档": "",
|
||||||
|
"类型": "",
|
||||||
|
"累计消费": "",
|
||||||
|
"编辑": "",
|
||||||
|
"计费中心": "",
|
||||||
|
"记忆开关": "",
|
||||||
|
"请及时充值以免影响使用。": "",
|
||||||
|
"请填写备注说明操作原因": "",
|
||||||
|
"请填写正确的用户ID和充值金额": "",
|
||||||
|
"请说明操作原因": "",
|
||||||
|
"请输入公告标题": "",
|
||||||
|
"请输入金额": "",
|
||||||
|
"账户已冻结": "",
|
||||||
|
"费用": "",
|
||||||
|
"输入": "",
|
||||||
|
"输入Token": "",
|
||||||
|
"输出": "",
|
||||||
|
"输出Token": "",
|
||||||
|
"金额": "",
|
||||||
|
"金额必须大于0": ""
|
||||||
}
|
}
|
||||||
|
|
|
||||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_Bd.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_Bd.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_He.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_He.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_Rg.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_Rg.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_Th.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_Th.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_XBd.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_A_XBd.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_Bd.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_Bd.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_He.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_He.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_Rg.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_Rg.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_Th.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_Th.ttf
Normal file
Binary file not shown.
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_XBd.ttf
Normal file
BIN
static/assets/fonts/LINESeedSans/LINESeedSans_XBd.ttf
Normal file
Binary file not shown.
Binary file not shown.
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Bold.otf
Normal file
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Bold.otf
Normal file
Binary file not shown.
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-ExtraLight.otf
Normal file
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-ExtraLight.otf
Normal file
Binary file not shown.
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Heavy.otf
Normal file
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Heavy.otf
Normal file
Binary file not shown.
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Light.otf
Normal file
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Light.otf
Normal file
Binary file not shown.
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Medium.otf
Normal file
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Medium.otf
Normal file
Binary file not shown.
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Normal.otf
Normal file
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Normal.otf
Normal file
Binary file not shown.
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Regular.otf
Normal file
BIN
static/assets/fonts/SourceHanSans/SourceHanSansCN-Regular.otf
Normal file
Binary file not shown.
Binary file not shown.
Loading…
Reference in a new issue