mirror of
https://github.com/open-webui/open-webui.git
synced 2025-12-12 04:15:25 +00:00
Merge remote-tracking branch 'upstream/dev'
This commit is contained in:
commit
1d9d0f9aca
43 changed files with 493 additions and 482 deletions
|
|
@ -3,8 +3,6 @@ pnpm-lock.yaml
|
|||
package-lock.json
|
||||
yarn.lock
|
||||
|
||||
kubernetes/
|
||||
|
||||
# Copy of .gitignore
|
||||
.DS_Store
|
||||
node_modules
|
||||
|
|
|
|||
|
|
@ -1,35 +0,0 @@
|
|||
### Installing Both Ollama and Open WebUI Using Kustomize
|
||||
|
||||
For cpu-only pod
|
||||
|
||||
```bash
|
||||
kubectl apply -f ./kubernetes/manifest/base
|
||||
```
|
||||
|
||||
For gpu-enabled pod
|
||||
|
||||
```bash
|
||||
kubectl apply -k ./kubernetes/manifest
|
||||
```
|
||||
|
||||
### Installing Both Ollama and Open WebUI Using Helm
|
||||
|
||||
Package Helm file first
|
||||
|
||||
```bash
|
||||
helm package ./kubernetes/helm/
|
||||
```
|
||||
|
||||
For cpu-only pod
|
||||
|
||||
```bash
|
||||
helm install ollama-webui ./ollama-webui-*.tgz
|
||||
```
|
||||
|
||||
For gpu-enabled pod
|
||||
|
||||
```bash
|
||||
helm install ollama-webui ./ollama-webui-*.tgz --set ollama.resources.limits.nvidia.com/gpu="1"
|
||||
```
|
||||
|
||||
Check the `kubernetes/helm/values.yaml` file to know which parameters are available for customization
|
||||
2
LICENSE
2
LICENSE
|
|
@ -1,4 +1,4 @@
|
|||
Copyright (c) 2023-2025 Timothy Jaeryang Baek (Open WebUI)
|
||||
Copyright (c) 2023- Open WebUI Inc. [Created by Timothy Jaeryang Baek]
|
||||
All rights reserved.
|
||||
|
||||
Redistribution and use in source and binary forms, with or without
|
||||
|
|
|
|||
|
|
@ -629,6 +629,11 @@ OAUTH_ACCESS_TOKEN_REQUEST_INCLUDE_CLIENT_ID = (
|
|||
== "true"
|
||||
)
|
||||
|
||||
OAUTH_AUDIENCE = PersistentConfig(
|
||||
"OAUTH_AUDIENCE",
|
||||
"oauth.audience",
|
||||
os.environ.get("OAUTH_AUDIENCE", ""),
|
||||
)
|
||||
|
||||
def load_oauth_providers():
|
||||
OAUTH_PROVIDERS.clear()
|
||||
|
|
|
|||
|
|
@ -1033,6 +1033,7 @@ app.state.EMBEDDING_FUNCTION = get_embedding_function(
|
|||
if app.state.config.RAG_EMBEDDING_ENGINE == "azure_openai"
|
||||
else None
|
||||
),
|
||||
enable_async=app.state.config.ENABLE_ASYNC_EMBEDDING,
|
||||
)
|
||||
|
||||
app.state.RERANKING_FUNCTION = get_reranking_function(
|
||||
|
|
|
|||
|
|
@ -9,7 +9,7 @@ from open_webui.models.users import Users, User, UserNameResponse
|
|||
from open_webui.models.channels import Channels, ChannelMember
|
||||
|
||||
|
||||
from pydantic import BaseModel, ConfigDict
|
||||
from pydantic import BaseModel, ConfigDict, field_validator
|
||||
from sqlalchemy import BigInteger, Boolean, Column, String, Text, JSON
|
||||
from sqlalchemy import or_, func, select, and_, text
|
||||
from sqlalchemy.sql import exists
|
||||
|
|
@ -108,11 +108,24 @@ class MessageUserResponse(MessageModel):
|
|||
user: Optional[UserNameResponse] = None
|
||||
|
||||
|
||||
class MessageUserSlimResponse(MessageUserResponse):
|
||||
data: bool | None = None
|
||||
|
||||
@field_validator("data", mode="before")
|
||||
def convert_data_to_bool(cls, v):
|
||||
# No data or not a dict → False
|
||||
if not isinstance(v, dict):
|
||||
return False
|
||||
|
||||
# True if ANY value in the dict is non-empty
|
||||
return any(bool(val) for val in v.values())
|
||||
|
||||
|
||||
class MessageReplyToResponse(MessageUserResponse):
|
||||
reply_to_message: Optional[MessageUserResponse] = None
|
||||
reply_to_message: Optional[MessageUserSlimResponse] = None
|
||||
|
||||
|
||||
class MessageWithReactionsResponse(MessageUserResponse):
|
||||
class MessageWithReactionsResponse(MessageUserSlimResponse):
|
||||
reactions: list[Reactions]
|
||||
|
||||
|
||||
|
|
|
|||
|
|
@ -144,19 +144,17 @@ class DoclingLoader:
|
|||
with open(self.file_path, "rb") as f:
|
||||
headers = {}
|
||||
if self.api_key:
|
||||
headers["Authorization"] = f"Bearer {self.api_key}"
|
||||
headers["X-Api-Key"] = f"Bearer {self.api_key}"
|
||||
|
||||
r = requests.post(
|
||||
f"{self.url}/v1/convert/file",
|
||||
files={
|
||||
"files": (
|
||||
self.file_path,
|
||||
f,
|
||||
self.mime_type or "application/octet-stream",
|
||||
)
|
||||
}
|
||||
|
||||
r = requests.post(
|
||||
f"{self.url}/v1/convert/file",
|
||||
files=files,
|
||||
},
|
||||
data={
|
||||
"image_export_mode": "placeholder",
|
||||
**self.params,
|
||||
|
|
|
|||
|
|
@ -5,7 +5,7 @@ from typing import Optional
|
|||
|
||||
from fastapi import APIRouter, Depends, HTTPException, Request, status, BackgroundTasks
|
||||
from pydantic import BaseModel
|
||||
|
||||
from pydantic import field_validator
|
||||
|
||||
from open_webui.socket.main import (
|
||||
emit_to_users,
|
||||
|
|
@ -39,6 +39,8 @@ from open_webui.models.messages import (
|
|||
)
|
||||
|
||||
|
||||
from open_webui.utils.files import get_image_base64_from_file_id
|
||||
|
||||
from open_webui.config import ENABLE_ADMIN_CHAT_ACCESS, ENABLE_ADMIN_EXPORT
|
||||
from open_webui.constants import ERROR_MESSAGES
|
||||
from open_webui.env import SRC_LOG_LEVELS
|
||||
|
|
@ -666,7 +668,16 @@ async def delete_channel_by_id(
|
|||
|
||||
|
||||
class MessageUserResponse(MessageResponse):
|
||||
pass
|
||||
data: bool | None = None
|
||||
|
||||
@field_validator("data", mode="before")
|
||||
def convert_data_to_bool(cls, v):
|
||||
# No data or not a dict → False
|
||||
if not isinstance(v, dict):
|
||||
return False
|
||||
|
||||
# True if ANY value in the dict is non-empty
|
||||
return any(bool(val) for val in v.values())
|
||||
|
||||
|
||||
@router.get("/{id}/messages", response_model=list[MessageUserResponse])
|
||||
|
|
@ -906,6 +917,10 @@ async def model_response_handler(request, channel, message, user):
|
|||
for file in thread_message_files:
|
||||
if file.get("type", "") == "image":
|
||||
images.append(file.get("url", ""))
|
||||
elif file.get("content_type", "").startswith("image/"):
|
||||
image = get_image_base64_from_file_id(file.get("id", ""))
|
||||
if image:
|
||||
images.append(image)
|
||||
|
||||
thread_history_string = "\n\n".join(thread_history)
|
||||
system_message = {
|
||||
|
|
@ -1108,7 +1123,7 @@ async def post_new_message(
|
|||
############################
|
||||
|
||||
|
||||
@router.get("/{id}/messages/{message_id}", response_model=Optional[MessageUserResponse])
|
||||
@router.get("/{id}/messages/{message_id}", response_model=Optional[MessageResponse])
|
||||
async def get_channel_message(
|
||||
id: str, message_id: str, user=Depends(get_verified_user)
|
||||
):
|
||||
|
|
@ -1142,7 +1157,7 @@ async def get_channel_message(
|
|||
status_code=status.HTTP_400_BAD_REQUEST, detail=ERROR_MESSAGES.DEFAULT()
|
||||
)
|
||||
|
||||
return MessageUserResponse(
|
||||
return MessageResponse(
|
||||
**{
|
||||
**message.model_dump(),
|
||||
"user": UserNameResponse(
|
||||
|
|
@ -1152,6 +1167,48 @@ async def get_channel_message(
|
|||
)
|
||||
|
||||
|
||||
############################
|
||||
# GetChannelMessageData
|
||||
############################
|
||||
|
||||
|
||||
@router.get("/{id}/messages/{message_id}/data", response_model=Optional[dict])
|
||||
async def get_channel_message_data(
|
||||
id: str, message_id: str, user=Depends(get_verified_user)
|
||||
):
|
||||
channel = Channels.get_channel_by_id(id)
|
||||
if not channel:
|
||||
raise HTTPException(
|
||||
status_code=status.HTTP_404_NOT_FOUND, detail=ERROR_MESSAGES.NOT_FOUND
|
||||
)
|
||||
|
||||
if channel.type in ["group", "dm"]:
|
||||
if not Channels.is_user_channel_member(channel.id, user.id):
|
||||
raise HTTPException(
|
||||
status_code=status.HTTP_403_FORBIDDEN, detail=ERROR_MESSAGES.DEFAULT()
|
||||
)
|
||||
else:
|
||||
if user.role != "admin" and not has_access(
|
||||
user.id, type="read", access_control=channel.access_control
|
||||
):
|
||||
raise HTTPException(
|
||||
status_code=status.HTTP_403_FORBIDDEN, detail=ERROR_MESSAGES.DEFAULT()
|
||||
)
|
||||
|
||||
message = Messages.get_message_by_id(message_id)
|
||||
if not message:
|
||||
raise HTTPException(
|
||||
status_code=status.HTTP_404_NOT_FOUND, detail=ERROR_MESSAGES.NOT_FOUND
|
||||
)
|
||||
|
||||
if message.channel_id != id:
|
||||
raise HTTPException(
|
||||
status_code=status.HTTP_400_BAD_REQUEST, detail=ERROR_MESSAGES.DEFAULT()
|
||||
)
|
||||
|
||||
return message.data
|
||||
|
||||
|
||||
############################
|
||||
# PinChannelMessage
|
||||
############################
|
||||
|
|
|
|||
|
|
@ -179,7 +179,7 @@ def upload_file_handler(
|
|||
user=Depends(get_verified_user),
|
||||
background_tasks: Optional[BackgroundTasks] = None,
|
||||
):
|
||||
log.info(f"file.content_type: {file.content_type}")
|
||||
log.info(f"file.content_type: {file.content_type} {process}")
|
||||
|
||||
if isinstance(metadata, str):
|
||||
try:
|
||||
|
|
|
|||
|
|
@ -1407,6 +1407,7 @@ def save_docs_to_vector_db(
|
|||
if request.app.state.config.RAG_EMBEDDING_ENGINE == "azure_openai"
|
||||
else None
|
||||
),
|
||||
enable_async=request.app.state.config.ENABLE_ASYNC_EMBEDDING,
|
||||
)
|
||||
|
||||
# Run async embedding in sync context
|
||||
|
|
|
|||
|
|
@ -10,7 +10,11 @@ from fastapi import (
|
|||
Request,
|
||||
UploadFile,
|
||||
)
|
||||
from typing import Optional
|
||||
from pathlib import Path
|
||||
|
||||
from open_webui.storage.provider import Storage
|
||||
from open_webui.models.files import Files
|
||||
from open_webui.routers.files import upload_file_handler
|
||||
|
||||
import mimetypes
|
||||
|
|
@ -113,3 +117,26 @@ def get_file_url_from_base64(request, base64_file_string, metadata, user):
|
|||
elif "data:audio/wav;base64" in base64_file_string:
|
||||
return get_audio_url_from_base64(request, base64_file_string, metadata, user)
|
||||
return None
|
||||
|
||||
|
||||
def get_image_base64_from_file_id(id: str) -> Optional[str]:
|
||||
file = Files.get_file_by_id(id)
|
||||
if not file:
|
||||
return None
|
||||
|
||||
try:
|
||||
file_path = Storage.get_file(file.path)
|
||||
file_path = Path(file_path)
|
||||
|
||||
# Check if the file already exists in the cache
|
||||
if file_path.is_file():
|
||||
import base64
|
||||
|
||||
with open(file_path, "rb") as image_file:
|
||||
encoded_string = base64.b64encode(image_file.read()).decode("utf-8")
|
||||
content_type, _ = mimetypes.guess_type(file_path.name)
|
||||
return f"data:{content_type};base64,{encoded_string}"
|
||||
else:
|
||||
return None
|
||||
except Exception as e:
|
||||
return None
|
||||
|
|
|
|||
|
|
@ -55,6 +55,7 @@ from open_webui.config import (
|
|||
OAUTH_ALLOWED_DOMAINS,
|
||||
OAUTH_UPDATE_PICTURE_ON_LOGIN,
|
||||
OAUTH_ACCESS_TOKEN_REQUEST_INCLUDE_CLIENT_ID,
|
||||
OAUTH_AUDIENCE,
|
||||
WEBHOOK_URL,
|
||||
JWT_EXPIRES_IN,
|
||||
AppConfig,
|
||||
|
|
@ -126,6 +127,7 @@ auth_manager_config.OAUTH_ALLOWED_DOMAINS = OAUTH_ALLOWED_DOMAINS
|
|||
auth_manager_config.WEBHOOK_URL = WEBHOOK_URL
|
||||
auth_manager_config.JWT_EXPIRES_IN = JWT_EXPIRES_IN
|
||||
auth_manager_config.OAUTH_UPDATE_PICTURE_ON_LOGIN = OAUTH_UPDATE_PICTURE_ON_LOGIN
|
||||
auth_manager_config.OAUTH_AUDIENCE = OAUTH_AUDIENCE
|
||||
|
||||
|
||||
FERNET = None
|
||||
|
|
@ -1270,7 +1272,12 @@ class OAuthManager:
|
|||
client = self.get_client(provider)
|
||||
if client is None:
|
||||
raise HTTPException(404)
|
||||
return await client.authorize_redirect(request, redirect_uri)
|
||||
|
||||
kwargs = {}
|
||||
if (auth_manager_config.OAUTH_AUDIENCE):
|
||||
kwargs["audience"] = auth_manager_config.OAUTH_AUDIENCE
|
||||
|
||||
return await client.authorize_redirect(request, redirect_uri, **kwargs)
|
||||
|
||||
async def handle_callback(self, request, provider, response):
|
||||
if provider not in OAUTH_PROVIDERS:
|
||||
|
|
|
|||
|
|
@ -45,7 +45,7 @@ langchain==0.3.27
|
|||
langchain-community==0.3.29
|
||||
fake-useragent==2.2.0
|
||||
|
||||
chromadb==1.1.0
|
||||
chromadb==1.3.5
|
||||
black==25.11.0
|
||||
pydub
|
||||
chardet==5.2.0
|
||||
|
|
|
|||
|
|
@ -48,7 +48,7 @@ langchain==0.3.27
|
|||
langchain-community==0.3.29
|
||||
|
||||
fake-useragent==2.2.0
|
||||
chromadb==1.1.0
|
||||
chromadb==1.3.5
|
||||
weaviate-client==4.17.0
|
||||
opensearch-py==2.8.0
|
||||
|
||||
|
|
@ -115,8 +115,8 @@ pgvector==0.4.1
|
|||
PyMySQL==1.1.1
|
||||
boto3==1.41.5
|
||||
|
||||
pymilvus==2.6.4
|
||||
qdrant-client==1.14.3
|
||||
pymilvus==2.6.5
|
||||
qdrant-client==1.16.1
|
||||
playwright==1.56.0 # Caution: version must match docker-compose.playwright.yaml
|
||||
elasticsearch==9.1.0
|
||||
pinecone==6.0.2
|
||||
|
|
|
|||
|
|
@ -1,8 +1,8 @@
|
|||
services:
|
||||
playwright:
|
||||
image: mcr.microsoft.com/playwright:v1.49.1-noble # Version must match requirements.txt
|
||||
image: mcr.microsoft.com/playwright:v1.56.0-noble # Version must match requirements.txt
|
||||
container_name: playwright
|
||||
command: npx -y playwright@1.49.1 run-server --port 3000 --host 0.0.0.0
|
||||
command: npx -y playwright@1.56.0 run-server --port 3000 --host 0.0.0.0
|
||||
|
||||
open-webui:
|
||||
environment:
|
||||
|
|
|
|||
|
|
@ -1,4 +0,0 @@
|
|||
# Helm Charts
|
||||
Open WebUI Helm Charts are now hosted in a separate repo, which can be found here: https://github.com/open-webui/helm-charts
|
||||
|
||||
The charts are released at https://helm.openwebui.com.
|
||||
|
|
@ -1,8 +0,0 @@
|
|||
resources:
|
||||
- open-webui.yaml
|
||||
- ollama-service.yaml
|
||||
- ollama-statefulset.yaml
|
||||
- webui-deployment.yaml
|
||||
- webui-service.yaml
|
||||
- webui-ingress.yaml
|
||||
- webui-pvc.yaml
|
||||
|
|
@ -1,12 +0,0 @@
|
|||
apiVersion: v1
|
||||
kind: Service
|
||||
metadata:
|
||||
name: ollama-service
|
||||
namespace: open-webui
|
||||
spec:
|
||||
selector:
|
||||
app: ollama
|
||||
ports:
|
||||
- protocol: TCP
|
||||
port: 11434
|
||||
targetPort: 11434
|
||||
|
|
@ -1,41 +0,0 @@
|
|||
apiVersion: apps/v1
|
||||
kind: StatefulSet
|
||||
metadata:
|
||||
name: ollama
|
||||
namespace: open-webui
|
||||
spec:
|
||||
serviceName: "ollama"
|
||||
replicas: 1
|
||||
selector:
|
||||
matchLabels:
|
||||
app: ollama
|
||||
template:
|
||||
metadata:
|
||||
labels:
|
||||
app: ollama
|
||||
spec:
|
||||
containers:
|
||||
- name: ollama
|
||||
image: ollama/ollama:latest
|
||||
ports:
|
||||
- containerPort: 11434
|
||||
resources:
|
||||
requests:
|
||||
cpu: "2000m"
|
||||
memory: "2Gi"
|
||||
limits:
|
||||
cpu: "4000m"
|
||||
memory: "4Gi"
|
||||
nvidia.com/gpu: "0"
|
||||
volumeMounts:
|
||||
- name: ollama-volume
|
||||
mountPath: /root/.ollama
|
||||
tty: true
|
||||
volumeClaimTemplates:
|
||||
- metadata:
|
||||
name: ollama-volume
|
||||
spec:
|
||||
accessModes: [ "ReadWriteOnce" ]
|
||||
resources:
|
||||
requests:
|
||||
storage: 30Gi
|
||||
|
|
@ -1,4 +0,0 @@
|
|||
apiVersion: v1
|
||||
kind: Namespace
|
||||
metadata:
|
||||
name: open-webui
|
||||
|
|
@ -1,38 +0,0 @@
|
|||
apiVersion: apps/v1
|
||||
kind: Deployment
|
||||
metadata:
|
||||
name: open-webui-deployment
|
||||
namespace: open-webui
|
||||
spec:
|
||||
replicas: 1
|
||||
selector:
|
||||
matchLabels:
|
||||
app: open-webui
|
||||
template:
|
||||
metadata:
|
||||
labels:
|
||||
app: open-webui
|
||||
spec:
|
||||
containers:
|
||||
- name: open-webui
|
||||
image: ghcr.io/open-webui/open-webui:main
|
||||
ports:
|
||||
- containerPort: 8080
|
||||
resources:
|
||||
requests:
|
||||
cpu: "500m"
|
||||
memory: "500Mi"
|
||||
limits:
|
||||
cpu: "1000m"
|
||||
memory: "1Gi"
|
||||
env:
|
||||
- name: OLLAMA_BASE_URL
|
||||
value: "http://ollama-service.open-webui.svc.cluster.local:11434"
|
||||
tty: true
|
||||
volumeMounts:
|
||||
- name: webui-volume
|
||||
mountPath: /app/backend/data
|
||||
volumes:
|
||||
- name: webui-volume
|
||||
persistentVolumeClaim:
|
||||
claimName: open-webui-pvc
|
||||
|
|
@ -1,20 +0,0 @@
|
|||
apiVersion: networking.k8s.io/v1
|
||||
kind: Ingress
|
||||
metadata:
|
||||
name: open-webui-ingress
|
||||
namespace: open-webui
|
||||
#annotations:
|
||||
# Use appropriate annotations for your Ingress controller, e.g., for NGINX:
|
||||
# nginx.ingress.kubernetes.io/rewrite-target: /
|
||||
spec:
|
||||
rules:
|
||||
- host: open-webui.minikube.local
|
||||
http:
|
||||
paths:
|
||||
- path: /
|
||||
pathType: Prefix
|
||||
backend:
|
||||
service:
|
||||
name: open-webui-service
|
||||
port:
|
||||
number: 8080
|
||||
|
|
@ -1,12 +0,0 @@
|
|||
apiVersion: v1
|
||||
kind: PersistentVolumeClaim
|
||||
metadata:
|
||||
labels:
|
||||
app: open-webui
|
||||
name: open-webui-pvc
|
||||
namespace: open-webui
|
||||
spec:
|
||||
accessModes: ["ReadWriteOnce"]
|
||||
resources:
|
||||
requests:
|
||||
storage: 2Gi
|
||||
|
|
@ -1,15 +0,0 @@
|
|||
apiVersion: v1
|
||||
kind: Service
|
||||
metadata:
|
||||
name: open-webui-service
|
||||
namespace: open-webui
|
||||
spec:
|
||||
type: NodePort # Use LoadBalancer if you're on a cloud that supports it
|
||||
selector:
|
||||
app: open-webui
|
||||
ports:
|
||||
- protocol: TCP
|
||||
port: 8080
|
||||
targetPort: 8080
|
||||
# If using NodePort, you can optionally specify the nodePort:
|
||||
# nodePort: 30000
|
||||
|
|
@ -1,8 +0,0 @@
|
|||
apiVersion: kustomize.config.k8s.io/v1beta1
|
||||
kind: Kustomization
|
||||
|
||||
resources:
|
||||
- ../base
|
||||
|
||||
patches:
|
||||
- path: ollama-statefulset-gpu.yaml
|
||||
|
|
@ -1,17 +0,0 @@
|
|||
apiVersion: apps/v1
|
||||
kind: StatefulSet
|
||||
metadata:
|
||||
name: ollama
|
||||
namespace: open-webui
|
||||
spec:
|
||||
selector:
|
||||
matchLabels:
|
||||
app: ollama
|
||||
serviceName: "ollama"
|
||||
template:
|
||||
spec:
|
||||
containers:
|
||||
- name: ollama
|
||||
resources:
|
||||
limits:
|
||||
nvidia.com/gpu: "1"
|
||||
|
|
@ -55,7 +55,7 @@ dependencies = [
|
|||
"langchain-community==0.3.29",
|
||||
|
||||
"fake-useragent==2.2.0",
|
||||
"chromadb==1.0.20",
|
||||
"chromadb==1.3.5",
|
||||
"opensearch-py==2.8.0",
|
||||
"PyMySQL==1.1.1",
|
||||
"boto3==1.41.5",
|
||||
|
|
@ -146,9 +146,9 @@ all = [
|
|||
"playwright==1.56.0",
|
||||
"elasticsearch==9.1.0",
|
||||
|
||||
"qdrant-client==1.14.3",
|
||||
"qdrant-client==1.16.1",
|
||||
"weaviate-client==4.17.0",
|
||||
"pymilvus==2.6.4",
|
||||
"pymilvus==2.6.5",
|
||||
"pinecone==6.0.2",
|
||||
"oracledb==3.2.0",
|
||||
"colbert-ai==0.2.21",
|
||||
|
|
|
|||
|
|
@ -491,6 +491,44 @@ export const getChannelThreadMessages = async (
|
|||
return res;
|
||||
};
|
||||
|
||||
export const getMessageData = async (
|
||||
token: string = '',
|
||||
channel_id: string,
|
||||
message_id: string
|
||||
) => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(
|
||||
`${WEBUI_API_BASE_URL}/channels/${channel_id}/messages/${message_id}/data`,
|
||||
{
|
||||
method: 'GET',
|
||||
headers: {
|
||||
Accept: 'application/json',
|
||||
'Content-Type': 'application/json',
|
||||
authorization: `Bearer ${token}`
|
||||
}
|
||||
}
|
||||
)
|
||||
.then(async (res) => {
|
||||
if (!res.ok) throw await res.json();
|
||||
return res.json();
|
||||
})
|
||||
.then((json) => {
|
||||
return json;
|
||||
})
|
||||
.catch((err) => {
|
||||
error = err.detail;
|
||||
console.error(err);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
||||
type MessageForm = {
|
||||
temp_id?: string;
|
||||
reply_to_id?: string;
|
||||
|
|
|
|||
|
|
@ -1,16 +1,26 @@
|
|||
import { WEBUI_API_BASE_URL } from '$lib/constants';
|
||||
import { splitStream } from '$lib/utils';
|
||||
|
||||
export const uploadFile = async (token: string, file: File, metadata?: object | null) => {
|
||||
export const uploadFile = async (
|
||||
token: string,
|
||||
file: File,
|
||||
metadata?: object | null,
|
||||
process?: boolean | null
|
||||
) => {
|
||||
const data = new FormData();
|
||||
data.append('file', file);
|
||||
if (metadata) {
|
||||
data.append('metadata', JSON.stringify(metadata));
|
||||
}
|
||||
|
||||
const searchParams = new URLSearchParams();
|
||||
if (process !== undefined && process !== null) {
|
||||
searchParams.append('process', String(process));
|
||||
}
|
||||
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${WEBUI_API_BASE_URL}/files/`, {
|
||||
const res = await fetch(`${WEBUI_API_BASE_URL}/files/?${searchParams.toString()}`, {
|
||||
method: 'POST',
|
||||
headers: {
|
||||
Accept: 'application/json',
|
||||
|
|
|
|||
|
|
@ -421,13 +421,10 @@
|
|||
imageUrl = await compressImageHandler(imageUrl, $settings, $config);
|
||||
}
|
||||
|
||||
files = [
|
||||
...files,
|
||||
{
|
||||
type: 'image',
|
||||
url: `${imageUrl}`
|
||||
}
|
||||
];
|
||||
const blob = await (await fetch(imageUrl)).blob();
|
||||
const compressedFile = new File([blob], file.name, { type: file.type });
|
||||
|
||||
uploadFileHandler(compressedFile, false);
|
||||
};
|
||||
|
||||
reader.readAsDataURL(file['type'] === 'image/heic' ? await convertHeicToJpeg(file) : file);
|
||||
|
|
@ -437,7 +434,7 @@
|
|||
});
|
||||
};
|
||||
|
||||
const uploadFileHandler = async (file) => {
|
||||
const uploadFileHandler = async (file, process = true) => {
|
||||
const tempItemId = uuidv4();
|
||||
const fileItem = {
|
||||
type: 'file',
|
||||
|
|
@ -461,7 +458,6 @@
|
|||
|
||||
try {
|
||||
// During the file upload, file content is automatically extracted.
|
||||
|
||||
// If the file is an audio file, provide the language for STT.
|
||||
let metadata = null;
|
||||
if (
|
||||
|
|
@ -473,7 +469,7 @@
|
|||
};
|
||||
}
|
||||
|
||||
const uploadedFile = await uploadFile(localStorage.token, file, metadata);
|
||||
const uploadedFile = await uploadFile(localStorage.token, file, metadata, process);
|
||||
|
||||
if (uploadedFile) {
|
||||
console.info('File upload completed:', {
|
||||
|
|
@ -492,6 +488,7 @@
|
|||
fileItem.id = uploadedFile.id;
|
||||
fileItem.collection_name =
|
||||
uploadedFile?.meta?.collection_name || uploadedFile?.collection_name;
|
||||
fileItem.content_type = uploadedFile.meta?.content_type || uploadedFile.content_type;
|
||||
fileItem.url = `${WEBUI_API_BASE_URL}/files/${uploadedFile.id}`;
|
||||
|
||||
files = files;
|
||||
|
|
@ -807,11 +804,11 @@
|
|||
{#if files.length > 0}
|
||||
<div class="mx-2 mt-2.5 -mb-1 flex flex-wrap gap-2">
|
||||
{#each files as file, fileIdx}
|
||||
{#if file.type === 'image'}
|
||||
{#if file.type === 'image' || (file?.content_type ?? '').startsWith('image/')}
|
||||
<div class=" relative group">
|
||||
<div class="relative">
|
||||
<Image
|
||||
src={file.url}
|
||||
src={`${file.url}${file?.content_type ? '/content' : ''}`}
|
||||
alt=""
|
||||
imageClassName=" size-10 rounded-xl object-cover"
|
||||
/>
|
||||
|
|
|
|||
|
|
@ -126,6 +126,7 @@
|
|||
{#each messageList as message, messageIdx (id ? `${id}-${message.id}` : message.id)}
|
||||
<Message
|
||||
{message}
|
||||
{channel}
|
||||
{thread}
|
||||
replyToMessage={replyToMessage?.id === message.id}
|
||||
disabled={!channel?.write_access || message?.temp_id}
|
||||
|
|
|
|||
|
|
@ -17,6 +17,7 @@
|
|||
|
||||
import { settings, user, shortCodesToEmojis } from '$lib/stores';
|
||||
import { WEBUI_API_BASE_URL, WEBUI_BASE_URL } from '$lib/constants';
|
||||
import { getMessageData } from '$lib/apis/channels';
|
||||
|
||||
import Markdown from '$lib/components/chat/Messages/Markdown.svelte';
|
||||
import ProfileImage from '$lib/components/chat/Messages/ProfileImage.svelte';
|
||||
|
|
@ -42,6 +43,8 @@
|
|||
export let className = '';
|
||||
|
||||
export let message;
|
||||
export let channel;
|
||||
|
||||
export let showUserProfile = true;
|
||||
export let thread = false;
|
||||
|
||||
|
|
@ -61,6 +64,21 @@
|
|||
let edit = false;
|
||||
let editedContent = null;
|
||||
let showDeleteConfirmDialog = false;
|
||||
|
||||
const loadMessageData = async () => {
|
||||
if (message && message?.data) {
|
||||
const res = await getMessageData(localStorage.token, channel?.id, message.id);
|
||||
if (res) {
|
||||
message.data = res;
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
onMount(async () => {
|
||||
if (message && message?.data) {
|
||||
await loadMessageData();
|
||||
}
|
||||
});
|
||||
</script>
|
||||
|
||||
<ConfirmDialog
|
||||
|
|
@ -314,12 +332,27 @@
|
|||
</Name>
|
||||
{/if}
|
||||
|
||||
{#if (message?.data?.files ?? []).length > 0}
|
||||
{#if message?.data === true}
|
||||
<!-- loading indicator -->
|
||||
<div class=" my-2">
|
||||
<Skeleton />
|
||||
</div>
|
||||
{:else if (message?.data?.files ?? []).length > 0}
|
||||
<div class="my-2.5 w-full flex overflow-x-auto gap-2 flex-wrap">
|
||||
{#each message?.data?.files as file}
|
||||
<div>
|
||||
{#if file.type === 'image'}
|
||||
<Image src={file.url} alt={file.name} imageClassName=" max-h-96 rounded-lg" />
|
||||
{#if file.type === 'image' || (file?.content_type ?? '').startsWith('image/')}
|
||||
<Image
|
||||
src={`${file.url}${file?.content_type ? '/content' : ''}`}
|
||||
alt={file.name}
|
||||
imageClassName=" max-h-96 rounded-lg"
|
||||
/>
|
||||
{:else if file.type === 'video' || (file?.content_type ?? '').startsWith('video/')}
|
||||
<video
|
||||
src={`${file.url}${file?.content_type ? '/content' : ''}`}
|
||||
controls
|
||||
class=" max-h-96 rounded-lg"
|
||||
></video>
|
||||
{:else}
|
||||
<FileItem
|
||||
item={file}
|
||||
|
|
|
|||
|
|
@ -902,10 +902,17 @@
|
|||
|
||||
const initNewChat = async () => {
|
||||
console.log('initNewChat');
|
||||
if ($user?.role !== 'admin' && $user?.permissions?.chat?.temporary_enforced) {
|
||||
if ($user?.role !== 'admin') {
|
||||
if ($user?.permissions?.chat?.temporary_enforced) {
|
||||
await temporaryChatEnabled.set(true);
|
||||
}
|
||||
|
||||
if (!$user?.permissions?.chat?.temporary) {
|
||||
await temporaryChatEnabled.set(false);
|
||||
return;
|
||||
}
|
||||
}
|
||||
|
||||
if ($settings?.temporaryChatByDefault ?? false) {
|
||||
if ($temporaryChatEnabled === false) {
|
||||
await temporaryChatEnabled.set(true);
|
||||
|
|
|
|||
|
|
@ -364,7 +364,7 @@
|
|||
type="button"
|
||||
class="rounded-lg p-1 transition outline-gray-200 hover:bg-gray-100 dark:outline-gray-700 dark:hover:bg-gray-800"
|
||||
on:click={() => {
|
||||
textScale = Math.max(1, textScale);
|
||||
textScale = Math.max(1, parseFloat((textScale - 0.1).toFixed(2)));
|
||||
setTextScaleHandler(textScale);
|
||||
}}
|
||||
aria-labelledby="ui-scale-label"
|
||||
|
|
@ -397,7 +397,7 @@
|
|||
type="button"
|
||||
class="rounded-lg p-1 transition outline-gray-200 hover:bg-gray-100 dark:outline-gray-700 dark:hover:bg-gray-800"
|
||||
on:click={() => {
|
||||
textScale = Math.min(1.5, textScale);
|
||||
textScale = Math.min(1.5, parseFloat((textScale + 0.1).toFixed(2)));
|
||||
setTextScaleHandler(textScale);
|
||||
}}
|
||||
aria-labelledby="ui-scale-label"
|
||||
|
|
@ -713,6 +713,7 @@
|
|||
</div>
|
||||
</div>
|
||||
|
||||
{#if $user.role === 'admin' || $user?.permissions?.chat?.temporary}
|
||||
<div>
|
||||
<div class=" py-0.5 flex w-full justify-between">
|
||||
<div id="temp-chat-default-label" class=" self-center text-xs">
|
||||
|
|
@ -731,6 +732,7 @@
|
|||
</div>
|
||||
</div>
|
||||
</div>
|
||||
{/if}
|
||||
|
||||
<div>
|
||||
<div class=" py-0.5 flex w-full justify-between">
|
||||
|
|
|
|||
|
|
@ -12,7 +12,14 @@
|
|||
});
|
||||
|
||||
onDestroy(() => {
|
||||
document.body.removeChild(popupElement);
|
||||
if (popupElement && popupElement.parentNode) {
|
||||
try {
|
||||
popupElement.parentNode.removeChild(popupElement);
|
||||
} catch (err) {
|
||||
console.warn('Failed to remove popupElement:', err);
|
||||
}
|
||||
}
|
||||
|
||||
document.body.style.overflow = 'unset';
|
||||
});
|
||||
</script>
|
||||
|
|
|
|||
|
|
@ -437,6 +437,7 @@
|
|||
{#if !$temporaryChatEnabled && chat?.id}
|
||||
<hr class="border-gray-50/30 dark:border-gray-800/30 my-1" />
|
||||
|
||||
{#if $folders.length > 0}
|
||||
<DropdownMenu.Sub>
|
||||
<DropdownMenu.SubTrigger
|
||||
class="flex gap-2 items-center px-3 py-1.5 text-sm cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-800 rounded-xl select-none w-full"
|
||||
|
|
@ -451,19 +452,22 @@
|
|||
sideOffset={8}
|
||||
>
|
||||
{#each $folders.sort((a, b) => b.updated_at - a.updated_at) as folder}
|
||||
{#if folder?.id}
|
||||
<DropdownMenu.Item
|
||||
class="flex gap-2 items-center px-3 py-1.5 text-sm cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-800 rounded-xl"
|
||||
on:click={() => {
|
||||
moveChatHandler(chat?.id, folder?.id);
|
||||
moveChatHandler(chat.id, folder.id);
|
||||
}}
|
||||
>
|
||||
<Folder strokeWidth="1.5" />
|
||||
|
||||
<div class="flex items-center">{folder?.name ?? 'Folder'}</div>
|
||||
<div class="flex items-center">{folder.name ?? 'Folder'}</div>
|
||||
</DropdownMenu.Item>
|
||||
{/if}
|
||||
{/each}
|
||||
</DropdownMenu.SubContent>
|
||||
</DropdownMenu.Sub>
|
||||
{/if}
|
||||
|
||||
<DropdownMenu.Item
|
||||
class="flex gap-2 items-center px-3 py-1.5 text-sm cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-800 rounded-xl"
|
||||
|
|
|
|||
|
|
@ -182,12 +182,18 @@
|
|||
|
||||
const initChannels = async () => {
|
||||
// default (none), group, dm type
|
||||
const res = await getChannels(localStorage.token).catch((error) => {
|
||||
return null;
|
||||
});
|
||||
|
||||
if (res) {
|
||||
await channels.set(
|
||||
(await getChannels(localStorage.token)).sort(
|
||||
res.sort(
|
||||
(a, b) =>
|
||||
['', null, 'group', 'dm'].indexOf(a.type) - ['', null, 'group', 'dm'].indexOf(b.type)
|
||||
)
|
||||
);
|
||||
}
|
||||
};
|
||||
|
||||
const initChatList = async () => {
|
||||
|
|
|
|||
|
|
@ -18,15 +18,15 @@
|
|||
"{{COUNT}} words": "{{COUNT}} paraules",
|
||||
"{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} a les {{LOCALIZED_TIME}}",
|
||||
"{{model}} download has been canceled": "La descàrrega del model {{model}} s'ha cancel·lat",
|
||||
"{{NAMES}} reacted with {{REACTION}}": "",
|
||||
"{{NAMES}} reacted with {{REACTION}}": "{{NAMES}} han reaccionat amb {{REACTION}}",
|
||||
"{{user}}'s Chats": "Els xats de {{user}}",
|
||||
"{{webUIName}} Backend Required": "El Backend de {{webUIName}} és necessari",
|
||||
"*Prompt node ID(s) are required for image generation": "*Els identificadors de nodes d'indicacions són necessaris per a la generació d'imatges",
|
||||
"1 Source": "1 font",
|
||||
"A collaboration channel where people join as members": "",
|
||||
"A discussion channel where access is controlled by groups and permissions": "",
|
||||
"A collaboration channel where people join as members": "Un canal de col·laboració on la gent s'uneix com a membres",
|
||||
"A discussion channel where access is controlled by groups and permissions": "Un canal de discussió on l'accés està controlat per grups i permisos",
|
||||
"A new version (v{{LATEST_VERSION}}) is now available.": "Hi ha una nova versió disponible (v{{LATEST_VERSION}}).",
|
||||
"A private conversation between you and selected users": "",
|
||||
"A private conversation between you and selected users": "Una conversa privada entre tu i els usuaris seleccionats",
|
||||
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Un model de tasca s'utilitza quan es realitzen tasques com ara generar títols per a xats i consultes de cerca per a la web",
|
||||
"a user": "un usuari",
|
||||
"About": "Sobre",
|
||||
|
|
@ -57,8 +57,8 @@
|
|||
"Add Custom Prompt": "Afegir indicació personalitzada",
|
||||
"Add Details": "Afegir detalls",
|
||||
"Add Files": "Afegir arxius",
|
||||
"Add Member": "",
|
||||
"Add Members": "",
|
||||
"Add Member": "Afegir membre",
|
||||
"Add Members": "Afegir membres",
|
||||
"Add Memory": "Afegir memòria",
|
||||
"Add Model": "Afegir un model",
|
||||
"Add Reaction": "Afegir reacció",
|
||||
|
|
@ -228,7 +228,7 @@
|
|||
"Channel deleted successfully": "Canal suprimit correctament",
|
||||
"Channel Name": "Nom del canal",
|
||||
"Channel name cannot be empty.": "El nom del canal no pot estar buit.",
|
||||
"Channel Type": "",
|
||||
"Channel Type": "Tipus de canal",
|
||||
"Channel updated successfully": "Canal actualitzat correctament",
|
||||
"Channels": "Canals",
|
||||
"Character": "Personatge",
|
||||
|
|
@ -257,7 +257,7 @@
|
|||
"Citations": "Cites",
|
||||
"Clear memory": "Esborrar la memòria",
|
||||
"Clear Memory": "Esborrar la memòria",
|
||||
"Clear status": "",
|
||||
"Clear status": "Esborrar l'estat",
|
||||
"click here": "prem aquí",
|
||||
"Click here for filter guides.": "Clica aquí per l'ajuda dels filtres.",
|
||||
"Click here for help.": "Clica aquí per obtenir ajuda.",
|
||||
|
|
@ -294,7 +294,7 @@
|
|||
"Code Interpreter": "Intèrpret de codi",
|
||||
"Code Interpreter Engine": "Motor de l'intèrpret de codi",
|
||||
"Code Interpreter Prompt Template": "Plantilla de la indicació de l'intèrpret de codi",
|
||||
"Collaboration channel where people join as members": "",
|
||||
"Collaboration channel where people join as members": "Canal de col·laboració on la gent s'uneix com a membres",
|
||||
"Collapse": "Col·lapsar",
|
||||
"Collection": "Col·lecció",
|
||||
"Color": "Color",
|
||||
|
|
@ -437,7 +437,7 @@
|
|||
"Direct": "Directe",
|
||||
"Direct Connections": "Connexions directes",
|
||||
"Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Les connexions directes permeten als usuaris connectar-se als seus propis endpoints d'API compatibles amb OpenAI.",
|
||||
"Direct Message": "",
|
||||
"Direct Message": "Missatge directe",
|
||||
"Direct Tool Servers": "Servidors d'eines directes",
|
||||
"Directory selection was cancelled": "La selecció de directori s'ha cancel·lat",
|
||||
"Disable Code Interpreter": "Deshabilitar l'interpret de codi",
|
||||
|
|
@ -454,7 +454,7 @@
|
|||
"Discover, download, and explore custom prompts": "Descobrir, descarregar i explorar indicacions personalitzades",
|
||||
"Discover, download, and explore custom tools": "Descobrir, descarregar i explorar eines personalitzades",
|
||||
"Discover, download, and explore model presets": "Descobrir, descarregar i explorar models preconfigurats",
|
||||
"Discussion channel where access is based on groups and permissions": "",
|
||||
"Discussion channel where access is based on groups and permissions": "Canal de discussió on l'accés es basa en grups i permisos",
|
||||
"Display": "Mostrar",
|
||||
"Display chat title in tab": "Mostrar el títol del xat a la pestanya",
|
||||
"Display Emoji in Call": "Mostrar emojis a la trucada",
|
||||
|
|
@ -471,7 +471,7 @@
|
|||
"Document": "Document",
|
||||
"Document Intelligence": "Document Intelligence",
|
||||
"Document Intelligence endpoint required.": "Es necessita un punt de connexió de Document Intelligence",
|
||||
"Document Intelligence Model": "",
|
||||
"Document Intelligence Model": "Model de Document Intelligence",
|
||||
"Documentation": "Documentació",
|
||||
"Documents": "Documents",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "no realitza connexions externes, i les teves dades romanen segures al teu servidor allotjat localment.",
|
||||
|
|
@ -494,15 +494,15 @@
|
|||
"e.g. \"json\" or a JSON schema": "p. ex. \"json\" o un esquema JSON",
|
||||
"e.g. 60": "p. ex. 60",
|
||||
"e.g. A filter to remove profanity from text": "p. ex. Un filtre per eliminar paraules malsonants del text",
|
||||
"e.g. about the Roman Empire": "",
|
||||
"e.g. about the Roman Empire": "p. ex. sobre l'imperi Romà",
|
||||
"e.g. en": "p. ex. en",
|
||||
"e.g. My Filter": "p. ex. El meu filtre",
|
||||
"e.g. My Tools": "p. ex. Les meves eines",
|
||||
"e.g. my_filter": "p. ex. els_meus_filtres",
|
||||
"e.g. my_tools": "p. ex. les_meves_eines",
|
||||
"e.g. pdf, docx, txt": "p. ex. pdf, docx, txt",
|
||||
"e.g. Tell me a fun fact": "",
|
||||
"e.g. Tell me a fun fact about the Roman Empire": "",
|
||||
"e.g. Tell me a fun fact": "p. ex. digues-me quelcome divertit",
|
||||
"e.g. Tell me a fun fact about the Roman Empire": "p. ex. digues-me quelcom divertit sobre l'imperi Romà",
|
||||
"e.g. Tools for performing various operations": "p. ex. Eines per dur a terme operacions",
|
||||
"e.g., 3, 4, 5 (leave blank for default)": "p. ex. 3, 4, 5 (deixa-ho en blanc per utilitzar el per defecte)",
|
||||
"e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "p. ex. audio/wav,audio/mpeg,video/* (deixa-ho en blanc per utilitzar el per defecte)",
|
||||
|
|
@ -576,7 +576,7 @@
|
|||
"Enter Docling Server URL": "Introdueix la URL del servidor Docling",
|
||||
"Enter Document Intelligence Endpoint": "Introdueix el punt de connexió de Document Intelligence",
|
||||
"Enter Document Intelligence Key": "Introdueix la clau de Document Intelligence",
|
||||
"Enter Document Intelligence Model": "",
|
||||
"Enter Document Intelligence Model": "Introdueix el model de Document Intelligence",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org,!excludedsite.com)": "Introdueix dominis separats per comes (per exemple, example.com, lloc.org, !excludedsite.com)",
|
||||
"Enter Exa API Key": "Introdueix la clau API de d'EXA",
|
||||
"Enter External Document Loader API Key": "Introdueix la clau API de Document Loader",
|
||||
|
|
@ -716,8 +716,8 @@
|
|||
"External Web Search URL": "URL d'External Web Search",
|
||||
"Fade Effect for Streaming Text": "Efecte de fos a negre per al text en streaming",
|
||||
"Failed to add file.": "No s'ha pogut afegir l'arxiu.",
|
||||
"Failed to add members": "",
|
||||
"Failed to clear status": "",
|
||||
"Failed to add members": "No s'han pogut afegir el membres",
|
||||
"Failed to clear status": "No s'ha pogut esborar l'estat",
|
||||
"Failed to connect to {{URL}} OpenAPI tool server": "No s'ha pogut connecta al servidor d'eines OpenAPI {{URL}}",
|
||||
"Failed to copy link": "No s'ha pogut copiar l'enllaç",
|
||||
"Failed to create API Key.": "No s'ha pogut crear la clau API.",
|
||||
|
|
@ -731,14 +731,14 @@
|
|||
"Failed to load file content.": "No s'ha pogut carregar el contingut del fitxer",
|
||||
"Failed to move chat": "No s'ha pogut moure el xat",
|
||||
"Failed to read clipboard contents": "No s'ha pogut llegir el contingut del porta-retalls",
|
||||
"Failed to remove member": "",
|
||||
"Failed to remove member": "No s'ha pogut eliminar el membre",
|
||||
"Failed to render diagram": "No s'ha pogut renderitzar el diagrama",
|
||||
"Failed to render visualization": "No s'ha pogut renderitzar la visualització",
|
||||
"Failed to save connections": "No s'han pogut desar les connexions",
|
||||
"Failed to save conversation": "No s'ha pogut desar la conversa",
|
||||
"Failed to save models configuration": "No s'ha pogut desar la configuració dels models",
|
||||
"Failed to update settings": "No s'han pogut actualitzar les preferències",
|
||||
"Failed to update status": "",
|
||||
"Failed to update status": "No s'ha pogut actualitzar l'estat",
|
||||
"Failed to upload file.": "No s'ha pogut pujar l'arxiu.",
|
||||
"Features": "Característiques",
|
||||
"Features Permissions": "Permisos de les característiques",
|
||||
|
|
@ -832,13 +832,13 @@
|
|||
"Google PSE Engine Id": "Identificador del motor PSE de Google",
|
||||
"Gravatar": "Gravatar",
|
||||
"Group": "Grup",
|
||||
"Group Channel": "",
|
||||
"Group Channel": "Canal de grup",
|
||||
"Group created successfully": "El grup s'ha creat correctament",
|
||||
"Group deleted successfully": "El grup s'ha eliminat correctament",
|
||||
"Group Description": "Descripció del grup",
|
||||
"Group Name": "Nom del grup",
|
||||
"Group updated successfully": "Grup actualitzat correctament",
|
||||
"groups": "",
|
||||
"groups": "grups",
|
||||
"Groups": "Grups",
|
||||
"H1": "H1",
|
||||
"H2": "H2",
|
||||
|
|
@ -1028,9 +1028,9 @@
|
|||
"MCP": "MCP",
|
||||
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El suport per a MCP és experimental i la seva especificació canvia sovint, cosa que pot provocar incompatibilitats. El suport per a l'especificació d'OpenAPI el manté directament l'equip d'Open WebUI, cosa que el converteix en l'opció més fiable per a la compatibilitat.",
|
||||
"Medium": "Mig",
|
||||
"Member removed successfully": "",
|
||||
"Members": "",
|
||||
"Members added successfully": "",
|
||||
"Member removed successfully": "El membre s'ha eliminat satisfactòriament",
|
||||
"Members": "Membres",
|
||||
"Members added successfully": "Els membres s'han afegit satisfactòriament",
|
||||
"Memories accessible by LLMs will be shown here.": "Les memòries accessibles pels models de llenguatge es mostraran aquí.",
|
||||
"Memory": "Memòria",
|
||||
"Memory added successfully": "Memòria afegida correctament",
|
||||
|
|
@ -1130,7 +1130,7 @@
|
|||
"No models selected": "No s'ha seleccionat cap model",
|
||||
"No Notes": "No hi ha notes",
|
||||
"No notes found": "No s'han trobat notes",
|
||||
"No pinned messages": "",
|
||||
"No pinned messages": "No hi ha missatges fixats",
|
||||
"No prompts found": "No s'han trobat indicacions",
|
||||
"No results": "No s'han trobat resultats",
|
||||
"No results found": "No s'han trobat resultats",
|
||||
|
|
@ -1178,7 +1178,7 @@
|
|||
"Only alphanumeric characters and hyphens are allowed in the command string.": "Només es permeten caràcters alfanumèrics i guions en la comanda.",
|
||||
"Only can be triggered when the chat input is in focus.": "Només es pot activar quan l'entrada del xat està en focus.",
|
||||
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Només es poden editar col·leccions, crea una nova base de coneixement per editar/afegir documents.",
|
||||
"Only invited users can access": "",
|
||||
"Only invited users can access": "Només hi poden accedir els usuaris convidats",
|
||||
"Only markdown files are allowed": "Només es permeten arxius markdown",
|
||||
"Only select users and groups with permission can access": "Només hi poden accedir usuaris i grups seleccionats amb permís",
|
||||
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ui! Sembla que la URL no és vàlida. Si us plau, revisa-la i torna-ho a provar.",
|
||||
|
|
@ -1241,7 +1241,7 @@
|
|||
"Personalization": "Personalització",
|
||||
"Pin": "Fixar",
|
||||
"Pinned": "Fixat",
|
||||
"Pinned Messages": "",
|
||||
"Pinned Messages": "Missatges fixats",
|
||||
"Pioneer insights": "Perspectives pioneres",
|
||||
"Pipe": "Canonada",
|
||||
"Pipeline deleted successfully": "Pipeline eliminada correctament",
|
||||
|
|
@ -1271,7 +1271,7 @@
|
|||
"Please select a model.": "Si us plau, selecciona un model.",
|
||||
"Please select a reason": "Si us plau, selecciona una raó",
|
||||
"Please select a valid JSON file": "Si us plau, selecciona un arxiu JSON vàlid",
|
||||
"Please select at least one user for Direct Message channel.": "",
|
||||
"Please select at least one user for Direct Message channel.": "Selecciona com a mínim un usuari per al canal de missatge directe.",
|
||||
"Please wait until all files are uploaded.": "Si us plau, espera fins que s'hagin carregat tots els fitxers.",
|
||||
"Port": "Port",
|
||||
"Positive attitude": "Actitud positiva",
|
||||
|
|
@ -1284,7 +1284,7 @@
|
|||
"Previous 7 days": "7 dies anteriors",
|
||||
"Previous message": "Missatge anterior",
|
||||
"Private": "Privat",
|
||||
"Private conversation between selected users": "",
|
||||
"Private conversation between selected users": "Conversa privada entre usuaris seleccionats",
|
||||
"Profile": "Perfil",
|
||||
"Prompt": "Indicació",
|
||||
"Prompt Autocompletion": "Completar automàticament la indicació",
|
||||
|
|
@ -1473,7 +1473,7 @@
|
|||
"Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Establir el nombre de fils de treball utilitzats per al càlcul. Aquesta opció controla quants fils s'utilitzen per processar les sol·licituds entrants simultàniament. Augmentar aquest valor pot millorar el rendiment amb càrregues de treball de concurrència elevada, però també pot consumir més recursos de CPU.",
|
||||
"Set Voice": "Establir la veu",
|
||||
"Set whisper model": "Establir el model whisper",
|
||||
"Set your status": "",
|
||||
"Set your status": "Estableix el teu estat",
|
||||
"Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Estableix un biaix pla contra tokens que han aparegut almenys una vegada. Un valor més alt (p. ex., 1,5) penalitzarà les repeticions amb més força, mentre que un valor més baix (p. ex., 0,9) serà més indulgent. A 0, està desactivat.",
|
||||
"Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Estableix un biaix d'escala contra tokens per penalitzar les repeticions, en funció de quantes vegades han aparegut. Un valor més alt (p. ex., 1,5) penalitzarà les repeticions amb més força, mentre que un valor més baix (p. ex., 0,9) serà més indulgent. A 0, està desactivat.",
|
||||
"Sets how far back for the model to look back to prevent repetition.": "Estableix fins a quin punt el model mira enrere per evitar la repetició.",
|
||||
|
|
@ -1526,9 +1526,9 @@
|
|||
"Start a new conversation": "Iniciar una nova conversa",
|
||||
"Start of the channel": "Inici del canal",
|
||||
"Start Tag": "Etiqueta d'inici",
|
||||
"Status": "",
|
||||
"Status cleared successfully": "",
|
||||
"Status updated successfully": "",
|
||||
"Status": "Estat",
|
||||
"Status cleared successfully": "S'ha eliminat correctament el teu estat",
|
||||
"Status updated successfully": "S'ha actualitzat correctament el teu estat",
|
||||
"Status Updates": "Estat de les actualitzacions",
|
||||
"STDOUT/STDERR": "STDOUT/STDERR",
|
||||
"Steps": "Passos",
|
||||
|
|
@ -1544,7 +1544,7 @@
|
|||
"STT Model": "Model SST",
|
||||
"STT Settings": "Preferències de STT",
|
||||
"Stylized PDF Export": "Exportació en PDF estilitzat",
|
||||
"Subtitle": "",
|
||||
"Subtitle": "Subtítol",
|
||||
"Success": "Èxit",
|
||||
"Successfully imported {{userCount}} users.": "S'han importat correctament {{userCount}} usuaris.",
|
||||
"Successfully updated.": "Actualitzat correctament.",
|
||||
|
|
@ -1695,7 +1695,7 @@
|
|||
"Update and Copy Link": "Actualitzar i copiar l'enllaç",
|
||||
"Update for the latest features and improvements.": "Actualitza per a les darreres característiques i millores.",
|
||||
"Update password": "Actualitzar la contrasenya",
|
||||
"Update your status": "",
|
||||
"Update your status": "Actualitza el teu estat",
|
||||
"Updated": "Actualitzat",
|
||||
"Updated at": "Actualitzat el",
|
||||
"Updated At": "Actualitzat el",
|
||||
|
|
@ -1729,7 +1729,7 @@
|
|||
"User menu": "Menú d'usuari",
|
||||
"User Webhooks": "Webhooks d'usuari",
|
||||
"Username": "Nom d'usuari",
|
||||
"users": "",
|
||||
"users": "usuaris",
|
||||
"Users": "Usuaris",
|
||||
"Uses DefaultAzureCredential to authenticate": "Utilitza DefaultAzureCredential per a l'autenticació",
|
||||
"Uses OAuth 2.1 Dynamic Client Registration": "Utilitza el registre dinàmic de clients d'OAuth 2.1",
|
||||
|
|
@ -1749,7 +1749,7 @@
|
|||
"View Replies": "Veure les respostes",
|
||||
"View Result from **{{NAME}}**": "Veure el resultat de **{{NAME}}**",
|
||||
"Visibility": "Visibilitat",
|
||||
"Visible to all users": "",
|
||||
"Visible to all users": "Visible per a tots els usuaris",
|
||||
"Vision": "Visió",
|
||||
"Voice": "Veu",
|
||||
"Voice Input": "Entrada de veu",
|
||||
|
|
@ -1777,7 +1777,7 @@
|
|||
"What are you trying to achieve?": "Què intentes aconseguir?",
|
||||
"What are you working on?": "En què estàs treballant?",
|
||||
"What's New in": "Què hi ha de nou a",
|
||||
"What's on your mind?": "",
|
||||
"What's on your mind?": "Què tens en ment?",
|
||||
"When enabled, the model will respond to each chat message in real-time, generating a response as soon as the user sends a message. This mode is useful for live chat applications, but may impact performance on slower hardware.": "Quan està activat, el model respondrà a cada missatge de xat en temps real, generant una resposta tan bon punt l'usuari envia un missatge. Aquest mode és útil per a aplicacions de xat en directe, però pot afectar el rendiment en maquinari més lent.",
|
||||
"wherever you are": "allà on estiguis",
|
||||
"Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Si es pagina la sortida. Cada pàgina estarà separada per una regla horitzontal i un número de pàgina. Per defecte és Fals.",
|
||||
|
|
|
|||
|
|
@ -18,15 +18,15 @@
|
|||
"{{COUNT}} words": "{{COUNT}} palabras",
|
||||
"{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} a las {{LOCALIZED_TIME}}",
|
||||
"{{model}} download has been canceled": "La descarga de {{model}} ha sido cancelada",
|
||||
"{{NAMES}} reacted with {{REACTION}}": "",
|
||||
"{{NAMES}} reacted with {{REACTION}}": "{{NAMES}} han reaccionado con {{REACTION}}",
|
||||
"{{user}}'s Chats": "Chats de {{user}}",
|
||||
"{{webUIName}} Backend Required": "{{webUIName}} Servidor Requerido",
|
||||
"*Prompt node ID(s) are required for image generation": "Los ID de nodo son requeridos para la generación de imágenes",
|
||||
"1 Source": "1 Fuente",
|
||||
"A collaboration channel where people join as members": "",
|
||||
"A discussion channel where access is controlled by groups and permissions": "",
|
||||
"A collaboration channel where people join as members": "Canal colaborativo donde la gente se une como miembro",
|
||||
"A discussion channel where access is controlled by groups and permissions": "Un canal de discusión con el acceso controlado mediante grupos y permisos",
|
||||
"A new version (v{{LATEST_VERSION}}) is now available.": "Nueva versión (v{{LATEST_VERSION}}) disponible.",
|
||||
"A private conversation between you and selected users": "",
|
||||
"A private conversation between you and selected users": "conversación privada entre el usuario seleccionado y tu",
|
||||
"A task model is used when performing tasks such as generating titles for chats and web search queries": "El modelo de tareas realiza tareas como la generación de títulos para chats y consultas de búsqueda web",
|
||||
"a user": "un usuario",
|
||||
"About": "Acerca de",
|
||||
|
|
@ -57,8 +57,8 @@
|
|||
"Add Custom Prompt": "Añadir Indicador Personalizado",
|
||||
"Add Details": "Añadir Detalles",
|
||||
"Add Files": "Añadir Archivos",
|
||||
"Add Member": "",
|
||||
"Add Members": "",
|
||||
"Add Member": "Añadir Miembro",
|
||||
"Add Members": "Añadir Miembros",
|
||||
"Add Memory": "Añadir Memoria",
|
||||
"Add Model": "Añadir Modelo",
|
||||
"Add Reaction": "Añadir Reacción",
|
||||
|
|
@ -99,7 +99,7 @@
|
|||
"Allow Continue Response": "Permitir Continuar Respuesta",
|
||||
"Allow Delete Messages": "Permitir Borrar Mensajes",
|
||||
"Allow File Upload": "Permitir Subida de Archivos",
|
||||
"Allow Group Sharing": "",
|
||||
"Allow Group Sharing": "Permitir Compartir en Grupo",
|
||||
"Allow Multiple Models in Chat": "Permitir Chat con Múltiples Modelos",
|
||||
"Allow non-local voices": "Permitir voces no locales",
|
||||
"Allow Rate Response": "Permitir Calificar Respuesta",
|
||||
|
|
@ -147,7 +147,7 @@
|
|||
"Archived Chats": "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 delete \"{{NAME}}\"?": "",
|
||||
"Are you sure you want to delete \"{{NAME}}\"?": "¿Segur@ de que quieres eliminar \"{{NAME}}\"?",
|
||||
"Are you sure you want to delete this channel?": "¿Segur@ de que quieres eliminar este canal?",
|
||||
"Are you sure you want to delete this message?": "¿Segur@ de que quieres eliminar este mensaje? ",
|
||||
"Are you sure you want to unarchive all archived chats?": "¿Segur@ de que quieres desarchivar todos los chats archivados?",
|
||||
|
|
@ -157,7 +157,7 @@
|
|||
"Ask": "Preguntar",
|
||||
"Ask a question": "Haz una pregunta",
|
||||
"Assistant": "Asistente",
|
||||
"Async Embedding Processing": "",
|
||||
"Async Embedding Processing": "Procesado Asíncrono al Incrustrar",
|
||||
"Attach File From Knowledge": "Adjuntar Archivo desde Conocimiento",
|
||||
"Attach Knowledge": "Adjuntar Conocimiento",
|
||||
"Attach Notes": "Adjuntar Notas",
|
||||
|
|
@ -228,7 +228,7 @@
|
|||
"Channel deleted successfully": "Canal borrado correctamente",
|
||||
"Channel Name": "Nombre del Canal",
|
||||
"Channel name cannot be empty.": "El nombre del Canal no puede estar vacío",
|
||||
"Channel Type": "",
|
||||
"Channel Type": "Tipo de Canal",
|
||||
"Channel updated successfully": "Canal actualizado correctamente",
|
||||
"Channels": "Canal",
|
||||
"Character": "Carácter",
|
||||
|
|
@ -257,7 +257,7 @@
|
|||
"Citations": "Citas",
|
||||
"Clear memory": "Liberar memoria",
|
||||
"Clear Memory": "Liberar Memoria",
|
||||
"Clear status": "",
|
||||
"Clear status": "Limpiar estado",
|
||||
"click here": "Pulsar aquí",
|
||||
"Click here for filter guides.": "Pulsar aquí para guías de filtros",
|
||||
"Click here for help.": "Pulsar aquí para Ayuda.",
|
||||
|
|
@ -294,7 +294,7 @@
|
|||
"Code Interpreter": "Interprete de Código",
|
||||
"Code Interpreter Engine": "Motor del Interprete de Código",
|
||||
"Code Interpreter Prompt Template": "Plantilla del Indicador del Interprete de Código",
|
||||
"Collaboration channel where people join as members": "",
|
||||
"Collaboration channel where people join as members": "Canal de colaboración donde la gente se une como miembro",
|
||||
"Collapse": "Plegar",
|
||||
"Collection": "Colección",
|
||||
"Color": "Color",
|
||||
|
|
@ -395,14 +395,14 @@
|
|||
"Default description enabled": "Descripción predeterminada activada",
|
||||
"Default Features": "Características Predeterminadas",
|
||||
"Default Filters": "Filtros Predeterminados",
|
||||
"Default Group": "",
|
||||
"Default Group": "Grupo Predeterminado",
|
||||
"Default mode works with a wider range of models by calling tools once before execution. Native mode leverages the model's built-in tool-calling capabilities, but requires the model to inherently support this feature.": "El modo predeterminado trabaja con un amplio rango de modelos, llamando a las herramientas una vez antes de la ejecución. El modo nativo aprovecha las capacidades de llamada de herramientas integradas del modelo, pero requiere que el modelo admita inherentemente esta función.",
|
||||
"Default Model": "Modelo Predeterminado",
|
||||
"Default model updated": "El modelo Predeterminado ha sido actualizado",
|
||||
"Default Models": "Modelos Predeterminados",
|
||||
"Default permissions": "Permisos Predeterminados",
|
||||
"Default permissions updated successfully": "Permisos predeterminados actualizados correctamente",
|
||||
"Default Pinned Models": "",
|
||||
"Default Pinned Models": "Modelos Fijados Predeterminados",
|
||||
"Default Prompt Suggestions": "Sugerencias Predeterminadas de Indicador",
|
||||
"Default to 389 or 636 if TLS is enabled": "Predeterminado a 389, o 636 si TLS está habilitado",
|
||||
"Default to ALL": "Predeterminado a TODOS",
|
||||
|
|
@ -411,7 +411,7 @@
|
|||
"Delete": "Borrar",
|
||||
"Delete a model": "Borrar un modelo",
|
||||
"Delete All Chats": "Borrar todos los chats",
|
||||
"Delete all contents inside this folder": "",
|
||||
"Delete all contents inside this folder": "Borrar todo el contenido de esta carpeta",
|
||||
"Delete All Models": "Borrar todos los modelos",
|
||||
"Delete Chat": "Borrar Chat",
|
||||
"Delete chat?": "¿Borrar el chat?",
|
||||
|
|
@ -437,7 +437,7 @@
|
|||
"Direct": "Directo",
|
||||
"Direct Connections": "Conexiones Directas",
|
||||
"Direct Connections allow users to connect to their own OpenAI compatible API endpoints.": "Las Conexiones Directas permiten a los usuarios conectar a sus propios endpoints compatibles API OpenAI.",
|
||||
"Direct Message": "",
|
||||
"Direct Message": "Mensaje Directo",
|
||||
"Direct Tool Servers": "Servidores de Herramientas Directos",
|
||||
"Directory selection was cancelled": "La selección de directorio ha sido cancelada",
|
||||
"Disable Code Interpreter": "Deshabilitar Interprete de Código",
|
||||
|
|
@ -454,7 +454,7 @@
|
|||
"Discover, download, and explore custom prompts": "Descubre, descarga, y explora indicadores personalizados",
|
||||
"Discover, download, and explore custom tools": "Descubre, descarga y explora herramientas personalizadas",
|
||||
"Discover, download, and explore model presets": "Descubre, descarga y explora modelos con preajustados",
|
||||
"Discussion channel where access is based on groups and permissions": "",
|
||||
"Discussion channel where access is based on groups and permissions": "Canal de discusión con acceso basado en grupos y permisos",
|
||||
"Display": "Mostrar",
|
||||
"Display chat title in tab": "Mostrar título del chat en el tabulador",
|
||||
"Display Emoji in Call": "Muestra Emojis en Llamada",
|
||||
|
|
@ -471,7 +471,7 @@
|
|||
"Document": "Documento",
|
||||
"Document Intelligence": "Azure Doc Intelligence",
|
||||
"Document Intelligence endpoint required.": "Endpoint Azure Doc Intelligence requerido",
|
||||
"Document Intelligence Model": "",
|
||||
"Document Intelligence Model": "Modelo para Doc Intelligence",
|
||||
"Documentation": "Documentación",
|
||||
"Documents": "Documentos",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "no se realiza ninguna conexión externa y tus datos permanecen seguros alojados localmente en tu servidor.",
|
||||
|
|
@ -494,15 +494,15 @@
|
|||
"e.g. \"json\" or a JSON schema": "p.ej. \"json\" o un esquema JSON",
|
||||
"e.g. 60": "p.ej. 60",
|
||||
"e.g. A filter to remove profanity from text": "p.ej. Un filtro para eliminar malas palabras del texto",
|
||||
"e.g. about the Roman Empire": "",
|
||||
"e.g. about the Roman Empire": "p.ej. sobre el imperio romano",
|
||||
"e.g. en": "p.ej. es",
|
||||
"e.g. My Filter": "p.ej. Mi Filtro",
|
||||
"e.g. My Tools": "p.ej. Mis Herramientas",
|
||||
"e.g. my_filter": "p.ej. mi_filtro",
|
||||
"e.g. my_tools": "p.ej. mis_herramientas",
|
||||
"e.g. pdf, docx, txt": "p.ej. pdf, docx, txt ...",
|
||||
"e.g. Tell me a fun fact": "",
|
||||
"e.g. Tell me a fun fact about the Roman Empire": "",
|
||||
"e.g. Tell me a fun fact": "p.ej. Dime algo divertido",
|
||||
"e.g. Tell me a fun fact about the Roman Empire": "p.ej. Dime algo divertido sobre el imperio romano",
|
||||
"e.g. Tools for performing various operations": "p.ej. Herramientas para realizar diversas operaciones",
|
||||
"e.g., 3, 4, 5 (leave blank for default)": "p.ej. , 3, 4, 5 ...",
|
||||
"e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "e.g., audio/wav,audio/mpeg,video/* (dejar en blanco para predeterminados)",
|
||||
|
|
@ -572,11 +572,11 @@
|
|||
"Enter Datalab Marker API Base URL": "Ingresar la URL Base para la API de Datalab Marker",
|
||||
"Enter Datalab Marker API Key": "Ingresar Clave API de Datalab Marker",
|
||||
"Enter description": "Ingresar Descripción",
|
||||
"Enter Docling API Key": "",
|
||||
"Enter Docling API Key": "Ingresar Clave API de Docling",
|
||||
"Enter Docling Server URL": "Ingresar URL del Servidor Docling",
|
||||
"Enter Document Intelligence Endpoint": "Ingresar el Endpoint de Azure Document Intelligence",
|
||||
"Enter Document Intelligence Key": "Ingresar Clave de Azure Document Intelligence",
|
||||
"Enter Document Intelligence Model": "",
|
||||
"Enter Document Intelligence Model": "Ingresar Modelo para Azure Document Intelligence",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org,!excludedsite.com)": "Ingresar dominios separados por comas (ej. ejemplocom, site,org, !excludedsite.com)",
|
||||
"Enter Exa API Key": "Ingresar Clave API de Exa",
|
||||
"Enter External Document Loader API Key": "Ingresar Clave API del Cargador Externo de Documentos",
|
||||
|
|
@ -588,7 +588,7 @@
|
|||
"Enter Firecrawl API Base URL": "Ingresar URL Base del API de Firecrawl",
|
||||
"Enter Firecrawl API Key": "Ingresar Clave del API de Firecrawl",
|
||||
"Enter folder name": "Ingresar nombre de la carpeta",
|
||||
"Enter function name filter list (e.g. func1, !func2)": "",
|
||||
"Enter function name filter list (e.g. func1, !func2)": "Ingresar lista para el filtro de nombres de función (p.ej.: func1, !func2)",
|
||||
"Enter Github Raw URL": "Ingresar URL Github en Bruto(raw)",
|
||||
"Enter Google PSE API Key": "Ingresar Clave API de Google PSE",
|
||||
"Enter Google PSE Engine Id": "Ingresa ID del Motor PSE de Google",
|
||||
|
|
@ -716,8 +716,8 @@
|
|||
"External Web Search URL": "URL del Buscador Web Externo",
|
||||
"Fade Effect for Streaming Text": "Efecto de desvanecimiento para texto transmitido (streaming)",
|
||||
"Failed to add file.": "Fallo al añadir el archivo.",
|
||||
"Failed to add members": "",
|
||||
"Failed to clear status": "",
|
||||
"Failed to add members": "Fallo al añadir miembros",
|
||||
"Failed to clear status": "Fallo al limpiar el estado",
|
||||
"Failed to connect to {{URL}} OpenAPI tool server": "Fallo al conectar al servidor de herramientas {{URL}}",
|
||||
"Failed to copy link": "Fallo al copiar enlace",
|
||||
"Failed to create API Key.": "Fallo al crear la Clave API.",
|
||||
|
|
@ -731,19 +731,19 @@
|
|||
"Failed to load file content.": "Fallo al cargar el contenido del archivo",
|
||||
"Failed to move chat": "Fallo al mover el chat",
|
||||
"Failed to read clipboard contents": "Fallo al leer el contenido del portapapeles",
|
||||
"Failed to remove member": "",
|
||||
"Failed to remove member": "Fallo al eliminar miembro",
|
||||
"Failed to render diagram": "Fallo al renderizar el diagrama",
|
||||
"Failed to render visualization": "Fallo al renderizar la visualización",
|
||||
"Failed to save connections": "Fallo al guardar las conexiones",
|
||||
"Failed to save conversation": "Fallo al guardar la conversación",
|
||||
"Failed to save models configuration": "Fallo al guardar la configuración de los modelos",
|
||||
"Failed to update settings": "Fallo al actualizar los ajustes",
|
||||
"Failed to update status": "",
|
||||
"Failed to update status": "Fallo al actualizar el estado",
|
||||
"Failed to upload file.": "Fallo al subir el archivo.",
|
||||
"Features": "Características",
|
||||
"Features Permissions": "Permisos de las Características",
|
||||
"February": "Febrero",
|
||||
"Feedback deleted successfully": "",
|
||||
"Feedback deleted successfully": "Opinión eliminada correctamente",
|
||||
"Feedback Details": "Detalle de la Opinión",
|
||||
"Feedback History": "Historia de la Opiniones",
|
||||
"Feedbacks": "Opiniones",
|
||||
|
|
@ -758,7 +758,7 @@
|
|||
"File size should not exceed {{maxSize}} MB.": "Tamaño del archivo no debe exceder {{maxSize}} MB.",
|
||||
"File Upload": "Subir Archivo",
|
||||
"File uploaded successfully": "Archivo subido correctamente",
|
||||
"File uploaded!": "",
|
||||
"File uploaded!": "¡Archivo subido!",
|
||||
"Files": "Archivos",
|
||||
"Filter": "Filtro",
|
||||
"Filter is now globally disabled": "El filtro ahora está desactivado globalmente",
|
||||
|
|
@ -803,7 +803,7 @@
|
|||
"Function is now globally disabled": "La Función ahora está deshabilitada globalmente",
|
||||
"Function is now globally enabled": "La Función ahora está habilitada globalmente",
|
||||
"Function Name": "Nombre de la Función",
|
||||
"Function Name Filter List": "",
|
||||
"Function Name Filter List": "Lista del Filtro de Nombres de Función",
|
||||
"Function updated successfully": "Función actualizada correctamente",
|
||||
"Functions": "Funciones",
|
||||
"Functions allow arbitrary code execution.": "Las Funciones habilitan la ejecución de código arbitrario.",
|
||||
|
|
@ -832,13 +832,13 @@
|
|||
"Google PSE Engine Id": "ID del Motor PSE de Google",
|
||||
"Gravatar": "Gravatar",
|
||||
"Group": "Grupo",
|
||||
"Group Channel": "",
|
||||
"Group Channel": "Canal de Grupo",
|
||||
"Group created successfully": "Grupo creado correctamente",
|
||||
"Group deleted successfully": "Grupo eliminado correctamente",
|
||||
"Group Description": "Descripción del Grupo",
|
||||
"Group Name": "Nombre del Grupo",
|
||||
"Group updated successfully": "Grupo actualizado correctamente",
|
||||
"groups": "",
|
||||
"groups": "grupos",
|
||||
"Groups": "Grupos",
|
||||
"H1": "H1",
|
||||
"H2": "H2",
|
||||
|
|
@ -875,7 +875,7 @@
|
|||
"Image Compression": "Compresión de Imagen",
|
||||
"Image Compression Height": "Alto en Compresión de Imagen",
|
||||
"Image Compression Width": "Ancho en Compresión de Imagen",
|
||||
"Image Edit": "",
|
||||
"Image Edit": "Editar Imagen",
|
||||
"Image Edit Engine": "Motor del Editor de Imágenes",
|
||||
"Image Generation": "Generación de Imagen",
|
||||
"Image Generation Engine": "Motor de Generación de Imagen",
|
||||
|
|
@ -958,7 +958,7 @@
|
|||
"Knowledge Name": "Nombre del Conocimiento",
|
||||
"Knowledge Public Sharing": "Compartir Conocimiento Públicamente",
|
||||
"Knowledge reset successfully.": "Conocimiento restablecido correctamente.",
|
||||
"Knowledge Sharing": "",
|
||||
"Knowledge Sharing": "Compartir Conocimiento",
|
||||
"Knowledge updated successfully": "Conocimiento actualizado correctamente.",
|
||||
"Kokoro.js (Browser)": "Kokoro.js (Navegador)",
|
||||
"Kokoro.js Dtype": "Kokoro.js DType",
|
||||
|
|
@ -1024,13 +1024,13 @@
|
|||
"Max Upload Size": "Tamaño Max de Subidas",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Se puede descargar un máximo de 3 modelos simultáneamente. Por favor, reinténtelo más tarde.",
|
||||
"May": "Mayo",
|
||||
"MBR": "",
|
||||
"MBR": "MBR",
|
||||
"MCP": "MCP",
|
||||
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "El soporte de MCP es experimental y su especificación cambia con frecuencia, lo que puede generar incompatibilidades. El equipo de Open WebUI mantiene directamente la compatibilidad con la especificación OpenAPI, lo que la convierte en la opción más fiable para la compatibilidad.",
|
||||
"Medium": "Medio",
|
||||
"Member removed successfully": "",
|
||||
"Members": "",
|
||||
"Members added successfully": "",
|
||||
"Member removed successfully": "Miembro removido correctamente",
|
||||
"Members": "Miembros",
|
||||
"Members added successfully": "Miembros añadidos correctamente",
|
||||
"Memories accessible by LLMs will be shown here.": "Las memorias accesibles por los LLMs se mostrarán aquí.",
|
||||
"Memory": "Memoria",
|
||||
"Memory added successfully": "Memoria añadida correctamente",
|
||||
|
|
@ -1084,7 +1084,7 @@
|
|||
"Models configuration saved successfully": "Configuración de Modelos guardada correctamente",
|
||||
"Models imported successfully": "Modelos importados correctamente",
|
||||
"Models Public Sharing": "Compartir Modelos Públicamente",
|
||||
"Models Sharing": "",
|
||||
"Models Sharing": "Compartir Modelos",
|
||||
"Mojeek Search API Key": "Clave API de Mojeek Search",
|
||||
"More": "Más",
|
||||
"More Concise": "Más Conciso",
|
||||
|
|
@ -1130,7 +1130,7 @@
|
|||
"No models selected": "No se seleccionaron modelos",
|
||||
"No Notes": "Sin Notas",
|
||||
"No notes found": "No se encontraron notas",
|
||||
"No pinned messages": "",
|
||||
"No pinned messages": "No hay mensajes fijados",
|
||||
"No prompts found": "No se encontraron indicadores",
|
||||
"No results": "No se encontraron resultados",
|
||||
"No results found": "No se encontraron resultados",
|
||||
|
|
@ -1152,7 +1152,7 @@
|
|||
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Nota: Si estableces una puntuación mínima, la búsqueda sólo devolverá documentos con una puntuación mayor o igual a la puntuación mínima establecida.",
|
||||
"Notes": "Notas",
|
||||
"Notes Public Sharing": "Compartir Notas Publicamente",
|
||||
"Notes Sharing": "",
|
||||
"Notes Sharing": "Compartir Notas",
|
||||
"Notification Sound": "Notificación Sonora",
|
||||
"Notification Webhook": "Notificación Enganchada (webhook)",
|
||||
"Notifications": "Notificaciones",
|
||||
|
|
@ -1178,7 +1178,7 @@
|
|||
"Only alphanumeric characters and hyphens are allowed in the command string.": "Sólo están permitidos en la cadena de comandos caracteres alfanuméricos y guiones.",
|
||||
"Only can be triggered when the chat input is in focus.": "Solo se puede activar cuando el foco está en la entrada del chat.",
|
||||
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Solo se pueden editar las colecciones, para añadir/editar documentos hay que crear una nueva base de conocimientos",
|
||||
"Only invited users can access": "",
|
||||
"Only invited users can access": "Solo pueden acceder usuarios invitados",
|
||||
"Only markdown files are allowed": "Solo están permitidos archivos markdown",
|
||||
"Only select users and groups with permission can access": "Solo pueden acceder los usuarios y grupos con permiso",
|
||||
"Oops! Looks like the URL is invalid. Please double-check and try again.": "¡vaya! Parece que la URL es inválida. Por favor, revisala y reintenta de nuevo.",
|
||||
|
|
@ -1241,7 +1241,7 @@
|
|||
"Personalization": "Personalización",
|
||||
"Pin": "Fijar",
|
||||
"Pinned": "Fijado",
|
||||
"Pinned Messages": "",
|
||||
"Pinned Messages": "Mensajes Fijados",
|
||||
"Pioneer insights": "Descubrir nuevas perspectivas",
|
||||
"Pipe": "Tubo",
|
||||
"Pipeline deleted successfully": "Tubería borrada correctamente",
|
||||
|
|
@ -1271,7 +1271,7 @@
|
|||
"Please select a model.": "Por favor selecciona un modelo.",
|
||||
"Please select a reason": "Por favor selecciona un motivo",
|
||||
"Please select a valid JSON file": "Por favor selecciona un fichero JSON válido",
|
||||
"Please select at least one user for Direct Message channel.": "",
|
||||
"Please select at least one user for Direct Message channel.": "Por favor selecciona al menos un usuario para el canal de Mensajes Directos",
|
||||
"Please wait until all files are uploaded.": "Por favor, espera a que todos los ficheros se acaben de subir",
|
||||
"Port": "Puerto",
|
||||
"Positive attitude": "Actitud Positiva",
|
||||
|
|
@ -1284,7 +1284,7 @@
|
|||
"Previous 7 days": "7 días previos",
|
||||
"Previous message": "Mensaje anterior",
|
||||
"Private": "Privado",
|
||||
"Private conversation between selected users": "",
|
||||
"Private conversation between selected users": "Conversación privada entre l@s usuari@s seleccionados",
|
||||
"Profile": "Perfil",
|
||||
"Prompt": "Indicador",
|
||||
"Prompt Autocompletion": "Autocompletado del Indicador",
|
||||
|
|
@ -1294,7 +1294,7 @@
|
|||
"Prompts": "Indicadores",
|
||||
"Prompts Access": "Acceso a Indicadores",
|
||||
"Prompts Public Sharing": "Compartir Indicadores Públicamente",
|
||||
"Prompts Sharing": "",
|
||||
"Prompts Sharing": "Compartir Indicadores",
|
||||
"Provider Type": "Tipo de Proveedor",
|
||||
"Public": "Público",
|
||||
"Pull \"{{searchValue}}\" from Ollama.com": "Extraer \"{{searchValue}}\" desde Ollama.com",
|
||||
|
|
@ -1378,7 +1378,7 @@
|
|||
"Run": "Ejecutar",
|
||||
"Running": "Ejecutando",
|
||||
"Running...": "Ejecutando...",
|
||||
"Runs embedding tasks concurrently to speed up processing. Turn off if rate limits become an issue.": "",
|
||||
"Runs embedding tasks concurrently to speed up processing. Turn off if rate limits become an issue.": "Ejecuta tareas de incrustración concurrentes para acelerar el procesado. Desactivar si se generan problemas (por limitaciones de los motores de incrustracción en uso)",
|
||||
"Save": "Guardar",
|
||||
"Save & Create": "Guardar y Crear",
|
||||
"Save & Update": "Guardar y Actualizar",
|
||||
|
|
@ -1473,14 +1473,14 @@
|
|||
"Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Establece el número de hilos de trabajo utilizados para el computo. Esta opción controla cuántos hilos son usados para procesar solicitudes entrantes concurrentes. Aumentar este valor puede mejorar el rendimiento bajo cargas de trabajo de alta concurrencia, pero también puede consumir más recursos de la CPU.",
|
||||
"Set Voice": "Establecer la voz",
|
||||
"Set whisper model": "Establecer modelo whisper (transcripción)",
|
||||
"Set your status": "",
|
||||
"Set your status": "Establece tu estado",
|
||||
"Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo plano contra los tokens que han aparecido al menos una vez. Un valor más alto (p.ej. 1.5) penalizará las repeticiones más fuertemente, mientras que un valor más bajo (p.ej. 0.9) será más indulgente. En 0, está deshabilitado.",
|
||||
"Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Establece un sesgo escalado contra los tokens para penalizar las repeticiones, basado en cuántas veces han aparecido. Un valor más alto (por ejemplo, 1.5) penalizará las repeticiones más fuertemente, mientras que un valor más bajo (por ejemplo, 0.9) será más indulgente. En 0, está deshabilitado.",
|
||||
"Sets how far back for the model to look back to prevent repetition.": "Establece cuántos tokens debe mirar atrás el modelo para prevenir la repetición. ",
|
||||
"Sets the random number seed to use for generation. Setting this to a specific number will make the model generate the same text for the same prompt.": "Establece la semilla de números aleatorios a usar para la generación. Establecer esto en un número específico hará que el modelo genere el mismo texto para el mismo indicador(prompt).",
|
||||
"Sets the size of the context window used to generate the next token.": "Establece el tamaño de la ventana del contexto utilizada para generar el siguiente token.",
|
||||
"Sets the stop sequences to use. When this pattern is encountered, the LLM will stop generating text and return. Multiple stop patterns may be set by specifying multiple separate stop parameters in a modelfile.": "Establece las secuencias de parada a usar. Cuando se encuentre este patrón, el LLM dejará de generar texto y retornará. Se pueden establecer varios patrones de parada especificando separadamente múltiples parámetros de parada en un archivo de modelo.",
|
||||
"Setting": "",
|
||||
"Setting": "Ajuste",
|
||||
"Settings": "Ajustes",
|
||||
"Settings saved successfully!": "¡Ajustes guardados correctamente!",
|
||||
"Share": "Compartir",
|
||||
|
|
@ -1526,9 +1526,9 @@
|
|||
"Start a new conversation": "Comenzar una conversación nueva",
|
||||
"Start of the channel": "Inicio del canal",
|
||||
"Start Tag": "Etiqueta de Inicio",
|
||||
"Status": "",
|
||||
"Status cleared successfully": "",
|
||||
"Status updated successfully": "",
|
||||
"Status": "Estado",
|
||||
"Status cleared successfully": "Estado limpiado correctamente",
|
||||
"Status updated successfully": "Estado actualizado correctamente",
|
||||
"Status Updates": "Actualizaciones de Estado",
|
||||
"STDOUT/STDERR": "STDOUT/STDERR",
|
||||
"Steps": "Pasos",
|
||||
|
|
@ -1544,7 +1544,7 @@
|
|||
"STT Model": "Modelo STT",
|
||||
"STT Settings": "Ajustes Voz a Texto (STT)",
|
||||
"Stylized PDF Export": "Exportar PDF Estilizado",
|
||||
"Subtitle": "",
|
||||
"Subtitle": "Subtítulo",
|
||||
"Success": "Correcto",
|
||||
"Successfully imported {{userCount}} users.": "{{userCount}} usuarios importados correctamente.",
|
||||
"Successfully updated.": "Actualizado correctamente.",
|
||||
|
|
@ -1661,7 +1661,7 @@
|
|||
"Tools Function Calling Prompt": "Indicador para la Función de Llamada a las Herramientas",
|
||||
"Tools have a function calling system that allows arbitrary code execution.": "Las herramientas tienen un sistema de llamada de funciones que permite la ejecución de código arbitrario.",
|
||||
"Tools Public Sharing": "Compartir Herramientas Publicamente",
|
||||
"Tools Sharing": "",
|
||||
"Tools Sharing": "Compartir Herramientas",
|
||||
"Top K": "Top K",
|
||||
"Top K Reranker": "Top K Reclasificador",
|
||||
"Transformers": "Transformadores",
|
||||
|
|
@ -1695,7 +1695,7 @@
|
|||
"Update and Copy Link": "Actualizar y Copiar Enlace",
|
||||
"Update for the latest features and improvements.": "Actualizar para las últimas características y mejoras.",
|
||||
"Update password": "Actualizar contraseña",
|
||||
"Update your status": "",
|
||||
"Update your status": "Actualizar tu estado",
|
||||
"Updated": "Actualizado",
|
||||
"Updated at": "Actualizado el",
|
||||
"Updated At": "Actualizado El",
|
||||
|
|
@ -1710,7 +1710,7 @@
|
|||
"Upload Pipeline": "Subir Tubería",
|
||||
"Upload Progress": "Progreso de la Subida",
|
||||
"Upload Progress: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)": "Progreso de la Subida: {{uploadedFiles}}/{{totalFiles}} ({{percentage}}%)",
|
||||
"Uploading file...": "",
|
||||
"Uploading file...": "Subiendo archivo...",
|
||||
"URL": "URL",
|
||||
"URL is required": "La URL es requerida",
|
||||
"URL Mode": "Modo URL",
|
||||
|
|
@ -1729,7 +1729,7 @@
|
|||
"User menu": "Menu de Usuario",
|
||||
"User Webhooks": "Usuario Webhooks",
|
||||
"Username": "Nombre de Usuario",
|
||||
"users": "",
|
||||
"users": "usuarios",
|
||||
"Users": "Usuarios",
|
||||
"Uses DefaultAzureCredential to authenticate": "Usa DefaultAzureCredential para autentificar",
|
||||
"Uses OAuth 2.1 Dynamic Client Registration": "Usa Registro dinámico de cliente OAuth 2.1",
|
||||
|
|
@ -1749,7 +1749,7 @@
|
|||
"View Replies": "Ver Respuestas",
|
||||
"View Result from **{{NAME}}**": "Ver Resultado desde **{{NAME}}**",
|
||||
"Visibility": "Visibilidad",
|
||||
"Visible to all users": "",
|
||||
"Visible to all users": "Visible para todos los usuarios",
|
||||
"Vision": "Visión",
|
||||
"Voice": "Voz",
|
||||
"Voice Input": "Entrada de Voz",
|
||||
|
|
@ -1777,7 +1777,7 @@
|
|||
"What are you trying to achieve?": "¿Qué estás tratando de conseguir?",
|
||||
"What are you working on?": "¿En qué estás trabajando?",
|
||||
"What's New in": "Que hay de Nuevo en",
|
||||
"What's on your mind?": "",
|
||||
"What's on your mind?": "¿En que estás pensando?",
|
||||
"When enabled, the model will respond to each chat message in real-time, generating a response as soon as the user sends a message. This mode is useful for live chat applications, but may impact performance on slower hardware.": "Cuando está habilitado, el modelo responderá a cada mensaje de chat en tiempo real, generando una respuesta tan pronto como se envíe un mensaje. Este modo es útil para aplicaciones de chat en vivo, pero puede afectar al rendimiento en equipos más lentos.",
|
||||
"wherever you are": "dondequiera que estés",
|
||||
"Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Al paginar la salida. Cada página será separada por una línea horizontal y número de página. Por defecto: Falso",
|
||||
|
|
|
|||
|
|
@ -18,15 +18,15 @@
|
|||
"{{COUNT}} words": "{{COUNT}} palavras",
|
||||
"{{LOCALIZED_DATE}} at {{LOCALIZED_TIME}}": "{{LOCALIZED_DATE}} às {{LOCALIZED_TIME}}",
|
||||
"{{model}} download has been canceled": "O download do {{model}} foi cancelado",
|
||||
"{{NAMES}} reacted with {{REACTION}}": "",
|
||||
"{{NAMES}} reacted with {{REACTION}}": "{{NAMES}} reagiu com {{REACTION}}",
|
||||
"{{user}}'s Chats": "Chats de {{user}}",
|
||||
"{{webUIName}} Backend Required": "Backend {{webUIName}} necessário",
|
||||
"*Prompt node ID(s) are required for image generation": "*Prompt node ID(s) são obrigatórios para gerar imagens",
|
||||
"1 Source": "1 Origem",
|
||||
"A collaboration channel where people join as members": "",
|
||||
"A discussion channel where access is controlled by groups and permissions": "",
|
||||
"A collaboration channel where people join as members": "Um canal de colaboração onde as pessoas se juntam como membros.",
|
||||
"A discussion channel where access is controlled by groups and permissions": "Um canal de discussão onde o acesso é controlado por grupos e permissões.",
|
||||
"A new version (v{{LATEST_VERSION}}) is now available.": "Um nova versão (v{{LATEST_VERSION}}) está disponível.",
|
||||
"A private conversation between you and selected users": "",
|
||||
"A private conversation between you and selected users": "Uma conversa privada entre você e usuários selecionados.",
|
||||
"A task model is used when performing tasks such as generating titles for chats and web search queries": "Um modelo de tarefa é usado ao realizar tarefas como gerar títulos para chats e consultas de pesquisa na web",
|
||||
"a user": "um usuário",
|
||||
"About": "Sobre",
|
||||
|
|
@ -57,8 +57,8 @@
|
|||
"Add Custom Prompt": "Adicionar prompt personalizado",
|
||||
"Add Details": "Adicionar detalhes",
|
||||
"Add Files": "Adicionar Arquivos",
|
||||
"Add Member": "",
|
||||
"Add Members": "",
|
||||
"Add Member": "Adicionar membro",
|
||||
"Add Members": "Adicionar membros",
|
||||
"Add Memory": "Adicionar Memória",
|
||||
"Add Model": "Adicionar Modelo",
|
||||
"Add Reaction": "Adicionar reação",
|
||||
|
|
@ -257,7 +257,7 @@
|
|||
"Citations": "Citações",
|
||||
"Clear memory": "Limpar memória",
|
||||
"Clear Memory": "Limpar Memória",
|
||||
"Clear status": "",
|
||||
"Clear status": "Limpar status",
|
||||
"click here": "Clique aqui",
|
||||
"Click here for filter guides.": "Clique aqui para obter instruções de filtros.",
|
||||
"Click here for help.": "Clique aqui para obter ajuda.",
|
||||
|
|
@ -294,7 +294,7 @@
|
|||
"Code Interpreter": "Intérprete de código",
|
||||
"Code Interpreter Engine": "Motor de interpretação de código",
|
||||
"Code Interpreter Prompt Template": "Modelo de Prompt do Interpretador de Código",
|
||||
"Collaboration channel where people join as members": "",
|
||||
"Collaboration channel where people join as members": "Canal de colaboração onde as pessoas se juntam como membros.",
|
||||
"Collapse": "Recolher",
|
||||
"Collection": "Coleção",
|
||||
"Color": "Cor",
|
||||
|
|
@ -454,7 +454,7 @@
|
|||
"Discover, download, and explore custom prompts": "Descubra, baixe e explore prompts personalizados",
|
||||
"Discover, download, and explore custom tools": "Descubra, baixe e explore ferramentas personalizadas",
|
||||
"Discover, download, and explore model presets": "Descubra, baixe e explore predefinições de modelos",
|
||||
"Discussion channel where access is based on groups and permissions": "",
|
||||
"Discussion channel where access is based on groups and permissions": "Canal de discussão onde o acesso é baseado em grupos e permissões.",
|
||||
"Display": "Exibir",
|
||||
"Display chat title in tab": "Exibir título do chat na aba",
|
||||
"Display Emoji in Call": "Exibir Emoji na Chamada",
|
||||
|
|
@ -471,7 +471,7 @@
|
|||
"Document": "Documento",
|
||||
"Document Intelligence": "Inteligência de documentos",
|
||||
"Document Intelligence endpoint required.": "É necessário o endpoint do Document Intelligence.",
|
||||
"Document Intelligence Model": "",
|
||||
"Document Intelligence Model": "Modelo de Inteligência de Documentos",
|
||||
"Documentation": "Documentação",
|
||||
"Documents": "Documentos",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "não faz nenhuma conexão externa, e seus dados permanecem seguros no seu servidor local.",
|
||||
|
|
@ -494,15 +494,15 @@
|
|||
"e.g. \"json\" or a JSON schema": "por exemplo, \"json\" ou um esquema JSON",
|
||||
"e.g. 60": "por exemplo, 60",
|
||||
"e.g. A filter to remove profanity from text": "Exemplo: Um filtro para remover palavrões do texto",
|
||||
"e.g. about the Roman Empire": "",
|
||||
"e.g. about the Roman Empire": "Por exemplo, sobre o Império Romano.",
|
||||
"e.g. en": "por exemplo, en",
|
||||
"e.g. My Filter": "Exemplo: Meu Filtro",
|
||||
"e.g. My Tools": "Exemplo: Minhas Ferramentas",
|
||||
"e.g. my_filter": "Exemplo: my_filter",
|
||||
"e.g. my_tools": "Exemplo: my_tools",
|
||||
"e.g. pdf, docx, txt": "por exemplo, pdf, docx, txt",
|
||||
"e.g. Tell me a fun fact": "",
|
||||
"e.g. Tell me a fun fact about the Roman Empire": "",
|
||||
"e.g. Tell me a fun fact": "Por exemplo: Conte-me uma curiosidade.",
|
||||
"e.g. Tell me a fun fact about the Roman Empire": "Por exemplo: Conte-me uma curiosidade sobre o Império Romano.",
|
||||
"e.g. Tools for performing various operations": "Exemplo: Ferramentas para executar operações diversas",
|
||||
"e.g., 3, 4, 5 (leave blank for default)": "por exemplo, 3, 4, 5 (deixe em branco para o padrão)",
|
||||
"e.g., audio/wav,audio/mpeg,video/* (leave blank for defaults)": "por exemplo, áudio/wav, áudio/mpeg, vídeo/* (deixe em branco para os padrões)",
|
||||
|
|
@ -576,7 +576,7 @@
|
|||
"Enter Docling Server URL": "Digite a URL do servidor Docling",
|
||||
"Enter Document Intelligence Endpoint": "Insira o endpoint do Document Intelligence",
|
||||
"Enter Document Intelligence Key": "Insira a chave de inteligência do documento",
|
||||
"Enter Document Intelligence Model": "",
|
||||
"Enter Document Intelligence Model": "Insira o modelo de inteligência de documentos",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org,!excludedsite.com)": "Insira os domínios separados por vírgulas (ex.: example.com,site.org,!excludedsite.com)",
|
||||
"Enter Exa API Key": "Insira a chave da API Exa",
|
||||
"Enter External Document Loader API Key": "Insira a chave da API do carregador de documentos externo",
|
||||
|
|
@ -716,8 +716,8 @@
|
|||
"External Web Search URL": "URL de pesquisa na Web externa",
|
||||
"Fade Effect for Streaming Text": "Efeito de desbotamento para texto em streaming",
|
||||
"Failed to add file.": "Falha ao adicionar arquivo.",
|
||||
"Failed to add members": "",
|
||||
"Failed to clear status": "",
|
||||
"Failed to add members": "Falha ao adicionar membros",
|
||||
"Failed to clear status": "Falha ao limpar o status",
|
||||
"Failed to connect to {{URL}} OpenAPI tool server": "Falha ao conectar ao servidor da ferramenta OpenAPI {{URL}}",
|
||||
"Failed to copy link": "Falha ao copiar o link",
|
||||
"Failed to create API Key.": "Falha ao criar a Chave API.",
|
||||
|
|
@ -731,14 +731,14 @@
|
|||
"Failed to load file content.": "Falha ao carregar o conteúdo do arquivo.",
|
||||
"Failed to move chat": "Falha ao mover o chat",
|
||||
"Failed to read clipboard contents": "Falha ao ler o conteúdo da área de transferência",
|
||||
"Failed to remove member": "",
|
||||
"Failed to remove member": "Falha ao remover membro",
|
||||
"Failed to render diagram": "Falha ao renderizar o diagrama",
|
||||
"Failed to render visualization": "Falha ao renderizar a visualização",
|
||||
"Failed to save connections": "Falha ao salvar conexões",
|
||||
"Failed to save conversation": "Falha ao salvar a conversa",
|
||||
"Failed to save models configuration": "Falha ao salvar a configuração dos modelos",
|
||||
"Failed to update settings": "Falha ao atualizar as configurações",
|
||||
"Failed to update status": "",
|
||||
"Failed to update status": "Falha ao atualizar o status",
|
||||
"Failed to upload file.": "Falha ao carregar o arquivo.",
|
||||
"Features": "Funcionalidades",
|
||||
"Features Permissions": "Permissões das Funcionalidades",
|
||||
|
|
@ -832,13 +832,13 @@
|
|||
"Google PSE Engine Id": "ID do Motor do Google PSE",
|
||||
"Gravatar": "",
|
||||
"Group": "Grupo",
|
||||
"Group Channel": "",
|
||||
"Group Channel": "Canal do grupo",
|
||||
"Group created successfully": "Grupo criado com sucesso",
|
||||
"Group deleted successfully": "Grupo excluído com sucesso",
|
||||
"Group Description": "Descrição do Grupo",
|
||||
"Group Name": "Nome do Grupo",
|
||||
"Group updated successfully": "Grupo atualizado com sucesso",
|
||||
"groups": "",
|
||||
"groups": "grupos",
|
||||
"Groups": "Grupos",
|
||||
"H1": "Título",
|
||||
"H2": "Subtítulo",
|
||||
|
|
@ -1028,9 +1028,9 @@
|
|||
"MCP": "",
|
||||
"MCP support is experimental and its specification changes often, which can lead to incompatibilities. OpenAPI specification support is directly maintained by the Open WebUI team, making it the more reliable option for compatibility.": "O suporte ao MCP é experimental e suas especificações mudam com frequência, o que pode levar a incompatibilidades. O suporte à especificação OpenAPI é mantido diretamente pela equipe do Open WebUI, tornando-o a opção mais confiável para compatibilidade.",
|
||||
"Medium": "Médio",
|
||||
"Member removed successfully": "",
|
||||
"Members": "",
|
||||
"Members added successfully": "",
|
||||
"Member removed successfully": "Membro removido com sucesso",
|
||||
"Members": "Membros",
|
||||
"Members added successfully": "Membros adicionados com sucesso",
|
||||
"Memories accessible by LLMs will be shown here.": "Memórias acessíveis por LLMs serão mostradas aqui.",
|
||||
"Memory": "Memória",
|
||||
"Memory added successfully": "Memória adicionada com sucesso",
|
||||
|
|
@ -1130,7 +1130,7 @@
|
|||
"No models selected": "Nenhum modelo selecionado",
|
||||
"No Notes": "Sem Notas",
|
||||
"No notes found": "Notas não encontradas",
|
||||
"No pinned messages": "",
|
||||
"No pinned messages": "Nenhuma mensagem fixada",
|
||||
"No prompts found": "Nenhum prompt encontrado",
|
||||
"No results": "Nenhum resultado encontrado",
|
||||
"No results found": "Nenhum resultado encontrado",
|
||||
|
|
@ -1178,7 +1178,7 @@
|
|||
"Only alphanumeric characters and hyphens are allowed in the command string.": "Apenas caracteres alfanuméricos e hífens são permitidos na string de comando.",
|
||||
"Only can be triggered when the chat input is in focus.": "Só pode ser acionado quando o campo de entrada do chat estiver em foco.",
|
||||
"Only collections can be edited, create a new knowledge base to edit/add documents.": "Somente coleções podem ser editadas. Crie uma nova base de conhecimento para editar/adicionar documentos.",
|
||||
"Only invited users can access": "",
|
||||
"Only invited users can access": "Somente usuários convidados podem acessar.",
|
||||
"Only markdown files are allowed": "Somente arquivos markdown são permitidos",
|
||||
"Only select users and groups with permission can access": "Somente usuários e grupos selecionados com permissão podem acessar.",
|
||||
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ops! Parece que a URL é inválida. Por favor, verifique novamente e tente de novo.",
|
||||
|
|
@ -1241,7 +1241,7 @@
|
|||
"Personalization": "Personalização",
|
||||
"Pin": "Fixar",
|
||||
"Pinned": "Fixado",
|
||||
"Pinned Messages": "",
|
||||
"Pinned Messages": "Mensagens fixadas",
|
||||
"Pioneer insights": "Insights pioneiros",
|
||||
"Pipe": "",
|
||||
"Pipeline deleted successfully": "Pipeline excluído com sucesso",
|
||||
|
|
@ -1284,7 +1284,7 @@
|
|||
"Previous 7 days": "Últimos 7 dias",
|
||||
"Previous message": "Mensagem anterior",
|
||||
"Private": "Privado",
|
||||
"Private conversation between selected users": "",
|
||||
"Private conversation between selected users": "Conversa privada entre usuários selecionados",
|
||||
"Profile": "Perfil",
|
||||
"Prompt": "",
|
||||
"Prompt Autocompletion": "Preenchimento automático de prompts",
|
||||
|
|
@ -1473,7 +1473,7 @@
|
|||
"Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "Defina o número de threads de trabalho usadas para computação. Esta opção controla quantos threads são usados para processar as solicitações recebidas de forma simultânea. Aumentar esse valor pode melhorar o desempenho em cargas de trabalho de alta concorrência, mas também pode consumir mais recursos da CPU.",
|
||||
"Set Voice": "Definir Voz",
|
||||
"Set whisper model": "Definir modelo Whisper",
|
||||
"Set your status": "",
|
||||
"Set your status": "Defina seu status",
|
||||
"Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Define um viés fixo contra tokens que apareceram pelo menos uma vez. Um valor mais alto (por exemplo, 1,5) penalizará as repetições com mais força, enquanto um valor mais baixo (por exemplo, 0,9) será mais tolerante. Em 0, está desabilitado.",
|
||||
"Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "Define um viés de escala contra tokens para penalizar repetições, com base em quantas vezes elas apareceram. Um valor mais alto (por exemplo, 1,5) penalizará as repetições com mais rigor, enquanto um valor mais baixo (por exemplo, 0,9) será mais brando. Em 0, está desabilitado.",
|
||||
"Sets how far back for the model to look back to prevent repetition.": "Define até que ponto o modelo deve olhar para trás para evitar repetições.",
|
||||
|
|
@ -1526,9 +1526,9 @@
|
|||
"Start a new conversation": "Iniciar uma nova conversa",
|
||||
"Start of the channel": "Início do canal",
|
||||
"Start Tag": "Tag inicial",
|
||||
"Status": "",
|
||||
"Status cleared successfully": "",
|
||||
"Status updated successfully": "",
|
||||
"Status": "Status",
|
||||
"Status cleared successfully": "Status liberado com sucesso",
|
||||
"Status updated successfully": "Status atualizado com sucesso",
|
||||
"Status Updates": "Atualizações de status",
|
||||
"STDOUT/STDERR": "STDOUT/STDERR",
|
||||
"Steps": "Passos",
|
||||
|
|
@ -1544,7 +1544,7 @@
|
|||
"STT Model": "Modelo STT",
|
||||
"STT Settings": "Configurações STT",
|
||||
"Stylized PDF Export": "Exportação de PDF estilizado",
|
||||
"Subtitle": "",
|
||||
"Subtitle": "Legenda",
|
||||
"Success": "Sucesso",
|
||||
"Successfully imported {{userCount}} users.": "{{userCount}} usuários importados com sucesso.",
|
||||
"Successfully updated.": "Atualizado com sucesso.",
|
||||
|
|
@ -1695,7 +1695,7 @@
|
|||
"Update and Copy Link": "Atualizar e Copiar Link",
|
||||
"Update for the latest features and improvements.": "Atualizar para as novas funcionalidades e melhorias.",
|
||||
"Update password": "Atualizar senha",
|
||||
"Update your status": "",
|
||||
"Update your status": "Atualize seu status",
|
||||
"Updated": "Atualizado",
|
||||
"Updated at": "Atualizado em",
|
||||
"Updated At": "Atualizado Em",
|
||||
|
|
@ -1749,7 +1749,7 @@
|
|||
"View Replies": "Ver respostas",
|
||||
"View Result from **{{NAME}}**": "Ver resultado de **{{NAME}}**",
|
||||
"Visibility": "Visibilidade",
|
||||
"Visible to all users": "",
|
||||
"Visible to all users": "Visível para todos os usuários",
|
||||
"Vision": "Visão",
|
||||
"Voice": "Voz",
|
||||
"Voice Input": "Entrada de voz",
|
||||
|
|
@ -1777,7 +1777,7 @@
|
|||
"What are you trying to achieve?": "O que está tentando alcançar?",
|
||||
"What are you working on?": "No que está trabalhando?",
|
||||
"What's New in": "O que há de novo em",
|
||||
"What's on your mind?": "",
|
||||
"What's on your mind?": "O que você têm em mente?",
|
||||
"When enabled, the model will respond to each chat message in real-time, generating a response as soon as the user sends a message. This mode is useful for live chat applications, but may impact performance on slower hardware.": "Quando habilitado, o modelo responderá a cada mensagem de chat em tempo real, gerando uma resposta assim que o usuário enviar uma mensagem. Este modo é útil para aplicativos de chat ao vivo, mas pode impactar o desempenho em hardware mais lento.",
|
||||
"wherever you are": "onde quer que você esteja.",
|
||||
"Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "Se a saída deve ser paginada. Cada página será separada por uma régua horizontal e um número de página. O padrão é Falso.",
|
||||
|
|
|
|||
|
|
@ -257,7 +257,7 @@
|
|||
"Citations": "引用",
|
||||
"Clear memory": "清除记忆",
|
||||
"Clear Memory": "清除记忆",
|
||||
"Clear status": "",
|
||||
"Clear status": "清除状态",
|
||||
"click here": "点击此处",
|
||||
"Click here for filter guides.": "点击此处查看筛选指南",
|
||||
"Click here for help.": "点击此处获取帮助",
|
||||
|
|
@ -471,7 +471,7 @@
|
|||
"Document": "文档",
|
||||
"Document Intelligence": "Document Intelligence",
|
||||
"Document Intelligence endpoint required.": "Document Intelligence 接口地址是必填项。",
|
||||
"Document Intelligence Model": "",
|
||||
"Document Intelligence Model": "Document Intelligence 模型",
|
||||
"Documentation": "帮助文档",
|
||||
"Documents": "文档",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "不会与外部建立任何连接,您的数据会安全地存储在本地托管的服务器上。",
|
||||
|
|
@ -576,7 +576,7 @@
|
|||
"Enter Docling Server URL": "输入 Docling 服务器接口地址",
|
||||
"Enter Document Intelligence Endpoint": "输入 Document Intelligence 端点",
|
||||
"Enter Document Intelligence Key": "输入 Document Intelligence 密钥",
|
||||
"Enter Document Intelligence Model": "",
|
||||
"Enter Document Intelligence Model": "输入 Document Intelligence 模型",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org,!excludedsite.com)": "输入域名,多个域名用逗号分隔(例如:example.com,site.org,!excludedsite.com)",
|
||||
"Enter Exa API Key": "输入 Exa API 密钥",
|
||||
"Enter External Document Loader API Key": "输入外部文档加载器接口密钥",
|
||||
|
|
@ -717,7 +717,7 @@
|
|||
"Fade Effect for Streaming Text": "流式输出内容时启用动态渐显效果",
|
||||
"Failed to add file.": "添加文件失败",
|
||||
"Failed to add members": "添加成员失败",
|
||||
"Failed to clear status": "",
|
||||
"Failed to clear status": "清除状态失败",
|
||||
"Failed to connect to {{URL}} OpenAPI tool server": "连接到 {{URL}} OpenAPI 工具服务器失败",
|
||||
"Failed to copy link": "复制链接失败",
|
||||
"Failed to create API Key.": "创建接口密钥失败",
|
||||
|
|
@ -738,7 +738,7 @@
|
|||
"Failed to save conversation": "保存对话失败",
|
||||
"Failed to save models configuration": "保存模型配置失败",
|
||||
"Failed to update settings": "更新设置失败",
|
||||
"Failed to update status": "",
|
||||
"Failed to update status": "更新状态失败",
|
||||
"Failed to upload file.": "上传文件失败",
|
||||
"Features": "功能",
|
||||
"Features Permissions": "功能权限",
|
||||
|
|
@ -1471,7 +1471,7 @@
|
|||
"Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "设置用于计算的工作线程数量。该选项可控制并发处理传入请求的线程数量。增加该值可以提高高并发工作负载下的性能,但也可能消耗更多的 CPU 资源。",
|
||||
"Set Voice": "设置音色",
|
||||
"Set whisper model": "设置 whisper 模型",
|
||||
"Set your status": "",
|
||||
"Set your status": "设置您的状态",
|
||||
"Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "对至少出现过一次的标记设置固定偏置值。较高的值(例如 1.5)表示严厉惩罚重复,而较低的值(例如 0.9)则表示相对宽松。当值为 0 时,此功能将被禁用。",
|
||||
"Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "根据标记出现的次数,设置缩放偏置值惩罚重复。较高的值(例如 1.5)表示严厉惩罚重复,而较低的值(例如 0.9)则表示相对宽松。当值为 0 时,此功能将被禁用。",
|
||||
"Sets how far back for the model to look back to prevent repetition.": "设置模型回溯的范围,以防止重复。",
|
||||
|
|
@ -1524,9 +1524,9 @@
|
|||
"Start a new conversation": "开始新对话",
|
||||
"Start of the channel": "频道起点",
|
||||
"Start Tag": "起始标签",
|
||||
"Status": "",
|
||||
"Status cleared successfully": "",
|
||||
"Status updated successfully": "",
|
||||
"Status": "状态",
|
||||
"Status cleared successfully": "状态已清除",
|
||||
"Status updated successfully": "状态已更新",
|
||||
"Status Updates": "显示实时回答状态",
|
||||
"STDOUT/STDERR": "标准输出/标准错误",
|
||||
"Steps": "迭代步数",
|
||||
|
|
@ -1693,7 +1693,7 @@
|
|||
"Update and Copy Link": "更新和复制链接",
|
||||
"Update for the latest features and improvements.": "更新以获取最新功能与优化",
|
||||
"Update password": "更新密码",
|
||||
"Update your status": "",
|
||||
"Update your status": "更新您的状态",
|
||||
"Updated": "已更新",
|
||||
"Updated at": "更新于",
|
||||
"Updated At": "更新于",
|
||||
|
|
@ -1775,7 +1775,7 @@
|
|||
"What are you trying to achieve?": "您想要达到什么目标?",
|
||||
"What are you working on?": "您在忙于什么?",
|
||||
"What's New in": "最近更新内容于",
|
||||
"What's on your mind?": "",
|
||||
"What's on your mind?": "聊聊您的想法吧!",
|
||||
"When enabled, the model will respond to each chat message in real-time, generating a response as soon as the user sends a message. This mode is useful for live chat applications, but may impact performance on slower hardware.": "启用后,模型将实时回答每条对话信息,在用户发送信息后立即生成回答。这种模式适用于即时对话应用,但在性能较低的设备上可能会影响响应速度",
|
||||
"wherever you are": "纵使身在远方,亦与世界同频",
|
||||
"Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "是否对输出内容进行分页。每页之间将用水平分隔线和页码隔开。默认为关闭",
|
||||
|
|
|
|||
|
|
@ -257,7 +257,7 @@
|
|||
"Citations": "引用",
|
||||
"Clear memory": "清除記憶",
|
||||
"Clear Memory": "清除記憶",
|
||||
"Clear status": "",
|
||||
"Clear status": "清除狀態",
|
||||
"click here": "點選此處",
|
||||
"Click here for filter guides.": "點選此處檢視篩選器指南。",
|
||||
"Click here for help.": "點選此處取得協助。",
|
||||
|
|
@ -471,7 +471,7 @@
|
|||
"Document": "檔案",
|
||||
"Document Intelligence": "Document Intelligence",
|
||||
"Document Intelligence endpoint required.": "需要提供 Document Intelligence 端點。",
|
||||
"Document Intelligence Model": "",
|
||||
"Document Intelligence Model": "Document Intelligence 模型",
|
||||
"Documentation": "說明檔案",
|
||||
"Documents": "檔案",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "不會建立任何外部連線,而且您的資料會安全地儲存在您本機伺服器上。",
|
||||
|
|
@ -576,7 +576,7 @@
|
|||
"Enter Docling Server URL": "請輸入 Docling 伺服器 URL",
|
||||
"Enter Document Intelligence Endpoint": "輸入 Document Intelligence 端點",
|
||||
"Enter Document Intelligence Key": "輸入 Document Intelligence 金鑰",
|
||||
"Enter Document Intelligence Model": "",
|
||||
"Enter Document Intelligence Model": "輸入 Document Intelligence 模型",
|
||||
"Enter domains separated by commas (e.g., example.com,site.org,!excludedsite.com)": "輸入網域,以逗號分隔(例如:example.com,site.org,!excludedsite.com)",
|
||||
"Enter Exa API Key": "輸入 Exa API 金鑰",
|
||||
"Enter External Document Loader API Key": "請輸入外部文件載入器 API 金鑰",
|
||||
|
|
@ -717,7 +717,7 @@
|
|||
"Fade Effect for Streaming Text": "串流文字淡入效果",
|
||||
"Failed to add file.": "新增檔案失敗。",
|
||||
"Failed to add members": "新增成員失敗",
|
||||
"Failed to clear status": "",
|
||||
"Failed to clear status": "清除狀態失敗",
|
||||
"Failed to connect to {{URL}} OpenAPI tool server": "無法連線至 {{URL}} OpenAPI 工具伺服器",
|
||||
"Failed to copy link": "複製連結失敗",
|
||||
"Failed to create API Key.": "建立 API 金鑰失敗。",
|
||||
|
|
@ -738,7 +738,7 @@
|
|||
"Failed to save conversation": "儲存對話失敗",
|
||||
"Failed to save models configuration": "儲存模型設定失敗",
|
||||
"Failed to update settings": "更新設定失敗",
|
||||
"Failed to update status": "",
|
||||
"Failed to update status": "更新狀態失敗",
|
||||
"Failed to upload file.": "上傳檔案失敗。",
|
||||
"Features": "功能",
|
||||
"Features Permissions": "功能權限",
|
||||
|
|
@ -1471,7 +1471,7 @@
|
|||
"Set the number of worker threads used for computation. This option controls how many threads are used to process incoming requests concurrently. Increasing this value can improve performance under high concurrency workloads but may also consume more CPU resources.": "設定用於計算的工作執行緒數量。此選項控制使用多少執行緒來同時處理傳入的請求。增加此值可以在高併發工作負載下提升效能,但也可能消耗更多 CPU 資源。",
|
||||
"Set Voice": "設定語音",
|
||||
"Set whisper model": "設定 whisper 模型",
|
||||
"Set your status": "",
|
||||
"Set your status": "設定您的狀態",
|
||||
"Sets a flat bias against tokens that have appeared at least once. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "對至少出現過一次的 token 設定統一的偏差值。較高的值(例如:1.5)會更強烈地懲罰重複,而較低的值(例如:0.9)會更寬容。設為 0 時,此功能將停用。",
|
||||
"Sets a scaling bias against tokens to penalize repetitions, based on how many times they have appeared. A higher value (e.g., 1.5) will penalize repetitions more strongly, while a lower value (e.g., 0.9) will be more lenient. At 0, it is disabled.": "根據 token 出現的次數,設定一個縮放偏差值來懲罰重複。較高的值(例如:1.5)會更強烈地懲罰重複,而較低的值(例如:0.9)會更寬容。設為 0 時,此功能將停用。",
|
||||
"Sets how far back for the model to look back to prevent repetition.": "設定模型要回溯多遠來防止重複。",
|
||||
|
|
@ -1524,9 +1524,9 @@
|
|||
"Start a new conversation": "開始新對話",
|
||||
"Start of the channel": "頻道起點",
|
||||
"Start Tag": "起始標籤",
|
||||
"Status": "",
|
||||
"Status cleared successfully": "",
|
||||
"Status updated successfully": "",
|
||||
"Status": "狀態",
|
||||
"Status cleared successfully": "狀態已清除",
|
||||
"Status updated successfully": "狀態已更新",
|
||||
"Status Updates": "顯示實時回答狀態",
|
||||
"STDOUT/STDERR": "STDOUT/STDERR",
|
||||
"Steps": "迭代步數",
|
||||
|
|
@ -1693,7 +1693,7 @@
|
|||
"Update and Copy Link": "更新並複製連結",
|
||||
"Update for the latest features and improvements.": "更新以獲得最新功能和改進。",
|
||||
"Update password": "更新密碼",
|
||||
"Update your status": "",
|
||||
"Update your status": "更新您的狀態",
|
||||
"Updated": "已更新",
|
||||
"Updated at": "更新於",
|
||||
"Updated At": "更新於",
|
||||
|
|
@ -1775,7 +1775,7 @@
|
|||
"What are you trying to achieve?": "您正在試圖完成什麼?",
|
||||
"What are you working on?": "您現在的工作是什麼?",
|
||||
"What's New in": "新功能",
|
||||
"What's on your mind?": "",
|
||||
"What's on your mind?": "聊聊您的想法?",
|
||||
"When enabled, the model will respond to each chat message in real-time, generating a response as soon as the user sends a message. This mode is useful for live chat applications, but may impact performance on slower hardware.": "啟用時,模型將即時回應每個對話訊息,在使用者傳送訊息後立即生成回應。此模式適用於即時對話應用程式,但在較慢的硬體上可能會影響效能。",
|
||||
"wherever you are": "無論您在何處",
|
||||
"Whether to paginate the output. Each page will be separated by a horizontal rule and page number. Defaults to False.": "是否啟用輸出分頁功能,每頁會以水平線與頁碼分隔。預設為 False。",
|
||||
|
|
|
|||
|
|
@ -487,12 +487,19 @@
|
|||
|
||||
// handle channel created event
|
||||
if (event.data?.type === 'channel:created') {
|
||||
const res = await getChannels(localStorage.token).catch(async (error) => {
|
||||
return null;
|
||||
});
|
||||
|
||||
if (res) {
|
||||
await channels.set(
|
||||
(await getChannels(localStorage.token)).sort(
|
||||
res.sort(
|
||||
(a, b) =>
|
||||
['', null, 'group', 'dm'].indexOf(a.type) - ['', null, 'group', 'dm'].indexOf(b.type)
|
||||
)
|
||||
);
|
||||
}
|
||||
|
||||
return;
|
||||
}
|
||||
|
||||
|
|
@ -531,8 +538,13 @@
|
|||
})
|
||||
);
|
||||
} else {
|
||||
const res = await getChannels(localStorage.token).catch(async (error) => {
|
||||
return null;
|
||||
});
|
||||
|
||||
if (res) {
|
||||
await channels.set(
|
||||
(await getChannels(localStorage.token)).sort(
|
||||
res.sort(
|
||||
(a, b) =>
|
||||
['', null, 'group', 'dm'].indexOf(a.type) -
|
||||
['', null, 'group', 'dm'].indexOf(b.type)
|
||||
|
|
@ -540,6 +552,7 @@
|
|||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
if (type === 'message') {
|
||||
const title = `${data?.user?.name}${event?.channel?.type !== 'dm' ? ` (#${event?.channel?.name})` : ''}`;
|
||||
|
|
|
|||
Loading…
Reference in a new issue