mirror of
https://github.com/open-webui/open-webui.git
synced 2025-12-12 20:35:19 +00:00
Merge branch 'dev' of https://github.com/open-webui/open-webui into dev
This commit is contained in:
commit
064d307d96
98 changed files with 4267 additions and 447 deletions
20
.github/pull_request_template.md
vendored
20
.github/pull_request_template.md
vendored
|
|
@ -1,13 +1,17 @@
|
|||
# Pull Request Checklist
|
||||
|
||||
- [ ] **Target branch:** Pull requests should target the `dev` branch.
|
||||
- [ ] **Description:** Briefly describe the changes in this pull request.
|
||||
### Note to first-time contributors: Please open a discussion post in [Discussions](https://github.com/open-webui/open-webui/discussions) and describe your changes before submitting a pull request.
|
||||
|
||||
**Before submitting, make sure you've checked the following:**
|
||||
|
||||
- [ ] **Target branch:** Please verify that the pull request targets the `dev` branch.
|
||||
- [ ] **Description:** Provide a concise description of the changes made in this pull request.
|
||||
- [ ] **Changelog:** Ensure a changelog entry following the format of [Keep a Changelog](https://keepachangelog.com/) is added at the bottom of the PR description.
|
||||
- [ ] **Documentation:** Have you updated relevant documentation [Open WebUI Docs](https://github.com/open-webui/docs), or other documentation sources?
|
||||
- [ ] **Dependencies:** Are there any new dependencies? Have you updated the dependency versions in the documentation?
|
||||
- [ ] **Testing:** Have you written and run sufficient tests for the changes?
|
||||
- [ ] **Code Review:** Have you self-reviewed your code and addressed any coding standard issues?
|
||||
- [ ] **Label title:** Ensure the pull request title is labeled properly using one of the following:
|
||||
- [ ] **Testing:** Have you written and run sufficient tests for validating the changes?
|
||||
- [ ] **Code review:** Have you performed a self-review of your code, addressing any coding standard issues and ensuring adherence to the project's coding standards?
|
||||
- [ ] **Label:** To cleary categorize this pull request, assign a relevant label to the pull request title, using one of the following:
|
||||
- **BREAKING CHANGE**: Significant changes that may affect compatibility
|
||||
- **build**: Changes that affect the build system or external dependencies
|
||||
- **ci**: Changes to our continuous integration processes or workflows
|
||||
|
|
@ -26,7 +30,7 @@
|
|||
|
||||
### Description
|
||||
|
||||
- [Briefly describe the changes made in this pull request, including any relevant motivation and impact.]
|
||||
- [Concisely describe the changes made in this pull request, including any relevant motivation and impact (e.g., fixing a bug, adding a feature, or improving performance)]
|
||||
|
||||
### Added
|
||||
|
||||
|
|
@ -62,3 +66,7 @@
|
|||
|
||||
- [Insert any additional context, notes, or explanations for the changes]
|
||||
- [Reference any related issues, commits, or other relevant information]
|
||||
|
||||
### Screenshots or Videos
|
||||
|
||||
- [Attach any relevant screenshots or videos demonstrating the changes]
|
||||
|
|
|
|||
4
.gitignore
vendored
4
.gitignore
vendored
|
|
@ -16,6 +16,10 @@ __pycache__/
|
|||
# C extensions
|
||||
*.so
|
||||
|
||||
# Pyodide distribution
|
||||
static/pyodide/*
|
||||
!static/pyodide/pyodide-lock.json
|
||||
|
||||
# Distribution / packaging
|
||||
.Python
|
||||
build/
|
||||
|
|
|
|||
|
|
@ -310,3 +310,7 @@ dist
|
|||
# cypress artifacts
|
||||
cypress/videos
|
||||
cypress/screenshots
|
||||
|
||||
|
||||
|
||||
/static/*
|
||||
19
CHANGELOG.md
19
CHANGELOG.md
|
|
@ -5,6 +5,25 @@ All notable changes to this project will be documented in this file.
|
|||
The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.1.0/),
|
||||
and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html).
|
||||
|
||||
## [0.1.125] - 2024-05-19
|
||||
|
||||
### Added
|
||||
|
||||
- **🔄 Updated UI**: Chat interface revamped with chat bubbles. Easily switch back to the old style via settings > interface > chat bubble UI.
|
||||
- **📂 Enhanced Sidebar UI**: Model files, documents, prompts, and playground merged into Workspace for streamlined access.
|
||||
- **🚀 Improved Many Model Interaction**: All responses now displayed simultaneously for a smoother experience.
|
||||
- **🐍 Python Code Execution**: Execute Python code locally in the browser with libraries like 'requests', 'beautifulsoup4', 'numpy', 'pandas', 'seaborn', 'matplotlib', 'scikit-learn', 'scipy', 'regex'.
|
||||
- **🧠 Experimental Memory Feature**: Manually input personal information you want LLMs to remember via settings > personalization > memory.
|
||||
- **💾 Persistent Settings**: Settings now saved as config.json for convenience.
|
||||
- **🩺 Health Check Endpoint**: Added for Docker deployment.
|
||||
- **↕️ RTL Support**: Toggle chat direction via settings > interface > chat direction.
|
||||
- **🖥️ PowerPoint Support**: RAG pipeline now supports PowerPoint documents.
|
||||
- **🌐 Language Updates**: Ukrainian, Turkish, Arabic, Chinese, Serbian, Vietnamese updated; Punjabi added.
|
||||
|
||||
### Changed
|
||||
|
||||
- **👤 Shared Chat Update**: Shared chat now includes creator user information.
|
||||
|
||||
## [0.1.124] - 2024-05-08
|
||||
|
||||
### Added
|
||||
|
|
|
|||
27
Dockerfile
27
Dockerfile
|
|
@ -11,6 +11,9 @@ ARG USE_CUDA_VER=cu121
|
|||
# IMPORTANT: If you change the embedding model (sentence-transformers/all-MiniLM-L6-v2) and vice versa, you aren't able to use RAG Chat with your previous documents loaded in the WebUI! You need to re-embed them.
|
||||
ARG USE_EMBEDDING_MODEL=sentence-transformers/all-MiniLM-L6-v2
|
||||
ARG USE_RERANKING_MODEL=""
|
||||
# Override at your own risk - non-root configurations are untested
|
||||
ARG UID=0
|
||||
ARG GID=0
|
||||
|
||||
######## WebUI frontend ########
|
||||
FROM --platform=$BUILDPLATFORM node:21-alpine3.19 as build
|
||||
|
|
@ -32,6 +35,8 @@ ARG USE_OLLAMA
|
|||
ARG USE_CUDA_VER
|
||||
ARG USE_EMBEDDING_MODEL
|
||||
ARG USE_RERANKING_MODEL
|
||||
ARG UID
|
||||
ARG GID
|
||||
|
||||
## Basis ##
|
||||
ENV ENV=prod \
|
||||
|
|
@ -76,9 +81,20 @@ ENV HF_HOME="/app/backend/data/cache/embedding/models"
|
|||
WORKDIR /app/backend
|
||||
|
||||
ENV HOME /root
|
||||
# Create user and group if not root
|
||||
RUN if [ $UID -ne 0 ]; then \
|
||||
if [ $GID -ne 0 ]; then \
|
||||
addgroup --gid $GID app; \
|
||||
fi; \
|
||||
adduser --uid $UID --gid $GID --home $HOME --disabled-password --no-create-home app; \
|
||||
fi
|
||||
|
||||
RUN mkdir -p $HOME/.cache/chroma
|
||||
RUN echo -n 00000000-0000-0000-0000-000000000000 > $HOME/.cache/chroma/telemetry_user_id
|
||||
|
||||
# Make sure the user has access to the app and root directory
|
||||
RUN chown -R $UID:$GID /app $HOME
|
||||
|
||||
RUN if [ "$USE_OLLAMA" = "true" ]; then \
|
||||
apt-get update && \
|
||||
# Install pandoc and netcat
|
||||
|
|
@ -102,7 +118,7 @@ RUN if [ "$USE_OLLAMA" = "true" ]; then \
|
|||
fi
|
||||
|
||||
# install python dependencies
|
||||
COPY ./backend/requirements.txt ./requirements.txt
|
||||
COPY --chown=$UID:$GID ./backend/requirements.txt ./requirements.txt
|
||||
|
||||
RUN pip3 install uv && \
|
||||
if [ "$USE_CUDA" = "true" ]; then \
|
||||
|
|
@ -125,16 +141,17 @@ RUN pip3 install uv && \
|
|||
# COPY --from=build /app/onnx /root/.cache/chroma/onnx_models/all-MiniLM-L6-v2/onnx
|
||||
|
||||
# copy built frontend files
|
||||
COPY --from=build /app/build /app/build
|
||||
COPY --from=build /app/CHANGELOG.md /app/CHANGELOG.md
|
||||
COPY --from=build /app/package.json /app/package.json
|
||||
COPY --chown=$UID:$GID --from=build /app/build /app/build
|
||||
COPY --chown=$UID:$GID --from=build /app/CHANGELOG.md /app/CHANGELOG.md
|
||||
COPY --chown=$UID:$GID --from=build /app/package.json /app/package.json
|
||||
|
||||
# copy backend files
|
||||
COPY ./backend .
|
||||
COPY --chown=$UID:$GID ./backend .
|
||||
|
||||
EXPOSE 8080
|
||||
|
||||
HEALTHCHECK CMD curl --silent --fail http://localhost:8080/health | jq -e '.status == true' || exit 1
|
||||
|
||||
USER $UID:$GID
|
||||
|
||||
CMD [ "bash", "start.sh"]
|
||||
|
|
|
|||
|
|
@ -397,7 +397,7 @@ def generate_image(
|
|||
user=Depends(get_current_user),
|
||||
):
|
||||
|
||||
width, height = tuple(map(int, app.state.config.IMAGE_SIZE).split("x"))
|
||||
width, height = tuple(map(int, app.state.config.IMAGE_SIZE.split("x")))
|
||||
|
||||
r = None
|
||||
try:
|
||||
|
|
|
|||
|
|
@ -75,6 +75,10 @@ with open(LITELLM_CONFIG_DIR, "r") as file:
|
|||
litellm_config = yaml.safe_load(file)
|
||||
|
||||
|
||||
app.state.ENABLE_MODEL_FILTER = ENABLE_MODEL_FILTER.value
|
||||
app.state.MODEL_FILTER_LIST = MODEL_FILTER_LIST.value
|
||||
|
||||
|
||||
app.state.ENABLE = ENABLE_LITELLM
|
||||
app.state.CONFIG = litellm_config
|
||||
|
||||
|
|
@ -151,10 +155,6 @@ async def shutdown_litellm_background():
|
|||
background_process = None
|
||||
|
||||
|
||||
app.state.ENABLE_MODEL_FILTER = ENABLE_MODEL_FILTER
|
||||
app.state.MODEL_FILTER_LIST = MODEL_FILTER_LIST
|
||||
|
||||
|
||||
@app.get("/")
|
||||
async def get_status():
|
||||
return {"status": True}
|
||||
|
|
|
|||
|
|
@ -64,8 +64,8 @@ app.add_middleware(
|
|||
|
||||
app.state.config = AppConfig()
|
||||
|
||||
app.state.ENABLE_MODEL_FILTER = ENABLE_MODEL_FILTER
|
||||
app.state.MODEL_FILTER_LIST = MODEL_FILTER_LIST
|
||||
app.state.config.ENABLE_MODEL_FILTER = ENABLE_MODEL_FILTER
|
||||
app.state.config.MODEL_FILTER_LIST = MODEL_FILTER_LIST
|
||||
|
||||
app.state.config.OLLAMA_BASE_URLS = OLLAMA_BASE_URLS
|
||||
app.state.MODELS = {}
|
||||
|
|
@ -124,8 +124,9 @@ async def cancel_ollama_request(request_id: str, user=Depends(get_current_user))
|
|||
|
||||
|
||||
async def fetch_url(url):
|
||||
timeout = aiohttp.ClientTimeout(total=5)
|
||||
try:
|
||||
async with aiohttp.ClientSession() as session:
|
||||
async with aiohttp.ClientSession(timeout=timeout) as session:
|
||||
async with session.get(url) as response:
|
||||
return await response.json()
|
||||
except Exception as e:
|
||||
|
|
@ -177,11 +178,12 @@ async def get_ollama_tags(
|
|||
if url_idx == None:
|
||||
models = await get_all_models()
|
||||
|
||||
if app.state.ENABLE_MODEL_FILTER:
|
||||
if app.state.config.ENABLE_MODEL_FILTER:
|
||||
if user.role == "user":
|
||||
models["models"] = list(
|
||||
filter(
|
||||
lambda model: model["name"] in app.state.MODEL_FILTER_LIST,
|
||||
lambda model: model["name"]
|
||||
in app.state.config.MODEL_FILTER_LIST,
|
||||
models["models"],
|
||||
)
|
||||
)
|
||||
|
|
@ -1045,11 +1047,12 @@ async def get_openai_models(
|
|||
if url_idx == None:
|
||||
models = await get_all_models()
|
||||
|
||||
if app.state.ENABLE_MODEL_FILTER:
|
||||
if app.state.config.ENABLE_MODEL_FILTER:
|
||||
if user.role == "user":
|
||||
models["models"] = list(
|
||||
filter(
|
||||
lambda model: model["name"] in app.state.MODEL_FILTER_LIST,
|
||||
lambda model: model["name"]
|
||||
in app.state.config.MODEL_FILTER_LIST,
|
||||
models["models"],
|
||||
)
|
||||
)
|
||||
|
|
|
|||
|
|
@ -21,6 +21,7 @@ from utils.utils import (
|
|||
)
|
||||
from config import (
|
||||
SRC_LOG_LEVELS,
|
||||
ENABLE_OPENAI_API,
|
||||
OPENAI_API_BASE_URLS,
|
||||
OPENAI_API_KEYS,
|
||||
CACHE_DIR,
|
||||
|
|
@ -46,11 +47,14 @@ app.add_middleware(
|
|||
allow_headers=["*"],
|
||||
)
|
||||
|
||||
|
||||
app.state.config = AppConfig()
|
||||
|
||||
app.state.ENABLE_MODEL_FILTER = ENABLE_MODEL_FILTER
|
||||
app.state.MODEL_FILTER_LIST = MODEL_FILTER_LIST
|
||||
app.state.config.ENABLE_MODEL_FILTER = ENABLE_MODEL_FILTER
|
||||
app.state.config.MODEL_FILTER_LIST = MODEL_FILTER_LIST
|
||||
|
||||
|
||||
app.state.config.ENABLE_OPENAI_API = ENABLE_OPENAI_API
|
||||
app.state.config.OPENAI_API_BASE_URLS = OPENAI_API_BASE_URLS
|
||||
app.state.config.OPENAI_API_KEYS = OPENAI_API_KEYS
|
||||
|
||||
|
|
@ -68,6 +72,21 @@ async def check_url(request: Request, call_next):
|
|||
return response
|
||||
|
||||
|
||||
@app.get("/config")
|
||||
async def get_config(user=Depends(get_admin_user)):
|
||||
return {"ENABLE_OPENAI_API": app.state.config.ENABLE_OPENAI_API}
|
||||
|
||||
|
||||
class OpenAIConfigForm(BaseModel):
|
||||
enable_openai_api: Optional[bool] = None
|
||||
|
||||
|
||||
@app.post("/config/update")
|
||||
async def update_config(form_data: OpenAIConfigForm, user=Depends(get_admin_user)):
|
||||
app.state.config.ENABLE_OPENAI_API = form_data.enable_openai_api
|
||||
return {"ENABLE_OPENAI_API": app.state.config.ENABLE_OPENAI_API}
|
||||
|
||||
|
||||
class UrlsUpdateForm(BaseModel):
|
||||
urls: List[str]
|
||||
|
||||
|
|
@ -164,11 +183,15 @@ async def speech(request: Request, user=Depends(get_verified_user)):
|
|||
|
||||
|
||||
async def fetch_url(url, key):
|
||||
timeout = aiohttp.ClientTimeout(total=5)
|
||||
try:
|
||||
headers = {"Authorization": f"Bearer {key}"}
|
||||
async with aiohttp.ClientSession() as session:
|
||||
async with session.get(url, headers=headers) as response:
|
||||
return await response.json()
|
||||
if key != "":
|
||||
headers = {"Authorization": f"Bearer {key}"}
|
||||
async with aiohttp.ClientSession(timeout=timeout) as session:
|
||||
async with session.get(url, headers=headers) as response:
|
||||
return await response.json()
|
||||
else:
|
||||
return None
|
||||
except Exception as e:
|
||||
# Handle connection error here
|
||||
log.error(f"Connection error: {e}")
|
||||
|
|
@ -200,7 +223,7 @@ async def get_all_models():
|
|||
if (
|
||||
len(app.state.config.OPENAI_API_KEYS) == 1
|
||||
and app.state.config.OPENAI_API_KEYS[0] == ""
|
||||
):
|
||||
) or not app.state.config.ENABLE_OPENAI_API:
|
||||
models = {"data": []}
|
||||
else:
|
||||
tasks = [
|
||||
|
|
@ -237,11 +260,11 @@ async def get_all_models():
|
|||
async def get_models(url_idx: Optional[int] = None, user=Depends(get_current_user)):
|
||||
if url_idx == None:
|
||||
models = await get_all_models()
|
||||
if app.state.ENABLE_MODEL_FILTER:
|
||||
if app.state.config.ENABLE_MODEL_FILTER:
|
||||
if user.role == "user":
|
||||
models["data"] = list(
|
||||
filter(
|
||||
lambda model: model["id"] in app.state.MODEL_FILTER_LIST,
|
||||
lambda model: model["id"] in app.state.config.MODEL_FILTER_LIST,
|
||||
models["data"],
|
||||
)
|
||||
)
|
||||
|
|
|
|||
|
|
@ -69,6 +69,7 @@ from utils.misc import (
|
|||
from utils.utils import get_current_user, get_admin_user
|
||||
|
||||
from config import (
|
||||
ENV,
|
||||
SRC_LOG_LEVELS,
|
||||
UPLOAD_DIR,
|
||||
DOCS_DIR,
|
||||
|
|
@ -260,7 +261,7 @@ async def update_embedding_config(
|
|||
app.state.config.OPENAI_API_BASE_URL = form_data.openai_config.url
|
||||
app.state.config.OPENAI_API_KEY = form_data.openai_config.key
|
||||
|
||||
update_embedding_model(app.state.config.RAG_EMBEDDING_MODEL), True
|
||||
update_embedding_model(app.state.config.RAG_EMBEDDING_MODEL)
|
||||
|
||||
app.state.EMBEDDING_FUNCTION = get_embedding_function(
|
||||
app.state.config.RAG_EMBEDDING_ENGINE,
|
||||
|
|
@ -433,12 +434,12 @@ async def update_query_settings(
|
|||
form_data: QuerySettingsForm, user=Depends(get_admin_user)
|
||||
):
|
||||
app.state.config.RAG_TEMPLATE = (
|
||||
form_data.template if form_data.template else RAG_TEMPLATE,
|
||||
form_data.template if form_data.template else RAG_TEMPLATE
|
||||
)
|
||||
app.state.config.TOP_K = form_data.k if form_data.k else 4
|
||||
app.state.config.RELEVANCE_THRESHOLD = form_data.r if form_data.r else 0.0
|
||||
app.state.config.ENABLE_RAG_HYBRID_SEARCH = (
|
||||
form_data.hybrid if form_data.hybrid else False,
|
||||
form_data.hybrid if form_data.hybrid else False
|
||||
)
|
||||
return {
|
||||
"status": True,
|
||||
|
|
@ -951,3 +952,14 @@ def reset(user=Depends(get_admin_user)) -> bool:
|
|||
log.exception(e)
|
||||
|
||||
return True
|
||||
|
||||
|
||||
if ENV == "dev":
|
||||
|
||||
@app.get("/ef")
|
||||
async def get_embeddings():
|
||||
return {"result": app.state.EMBEDDING_FUNCTION("hello world")}
|
||||
|
||||
@app.get("/ef/{text}")
|
||||
async def get_embeddings_text(text: str):
|
||||
return {"result": app.state.EMBEDDING_FUNCTION(text)}
|
||||
|
|
|
|||
53
backend/apps/web/internal/migrations/008_add_memory.py
Normal file
53
backend/apps/web/internal/migrations/008_add_memory.py
Normal file
|
|
@ -0,0 +1,53 @@
|
|||
"""Peewee migrations -- 002_add_local_sharing.py.
|
||||
|
||||
Some examples (model - class or model name)::
|
||||
|
||||
> Model = migrator.orm['table_name'] # Return model in current state by name
|
||||
> Model = migrator.ModelClass # Return model in current state by name
|
||||
|
||||
> migrator.sql(sql) # Run custom SQL
|
||||
> migrator.run(func, *args, **kwargs) # Run python function with the given args
|
||||
> migrator.create_model(Model) # Create a model (could be used as decorator)
|
||||
> migrator.remove_model(model, cascade=True) # Remove a model
|
||||
> migrator.add_fields(model, **fields) # Add fields to a model
|
||||
> migrator.change_fields(model, **fields) # Change fields
|
||||
> migrator.remove_fields(model, *field_names, cascade=True)
|
||||
> migrator.rename_field(model, old_field_name, new_field_name)
|
||||
> migrator.rename_table(model, new_table_name)
|
||||
> migrator.add_index(model, *col_names, unique=False)
|
||||
> migrator.add_not_null(model, *field_names)
|
||||
> migrator.add_default(model, field_name, default)
|
||||
> migrator.add_constraint(model, name, sql)
|
||||
> migrator.drop_index(model, *col_names)
|
||||
> migrator.drop_not_null(model, *field_names)
|
||||
> migrator.drop_constraints(model, *constraints)
|
||||
|
||||
"""
|
||||
|
||||
from contextlib import suppress
|
||||
|
||||
import peewee as pw
|
||||
from peewee_migrate import Migrator
|
||||
|
||||
|
||||
with suppress(ImportError):
|
||||
import playhouse.postgres_ext as pw_pext
|
||||
|
||||
|
||||
def migrate(migrator: Migrator, database: pw.Database, *, fake=False):
|
||||
@migrator.create_model
|
||||
class Memory(pw.Model):
|
||||
id = pw.CharField(max_length=255, unique=True)
|
||||
user_id = pw.CharField(max_length=255)
|
||||
content = pw.TextField(null=False)
|
||||
updated_at = pw.BigIntegerField(null=False)
|
||||
created_at = pw.BigIntegerField(null=False)
|
||||
|
||||
class Meta:
|
||||
table_name = "memory"
|
||||
|
||||
|
||||
def rollback(migrator: Migrator, database: pw.Database, *, fake=False):
|
||||
"""Write your rollback migrations here."""
|
||||
|
||||
migrator.remove_model("memory")
|
||||
|
|
@ -9,6 +9,7 @@ from apps.web.routers import (
|
|||
modelfiles,
|
||||
prompts,
|
||||
configs,
|
||||
memories,
|
||||
utils,
|
||||
)
|
||||
from config import (
|
||||
|
|
@ -41,6 +42,7 @@ app.state.config.USER_PERMISSIONS = USER_PERMISSIONS
|
|||
app.state.config.WEBHOOK_URL = WEBHOOK_URL
|
||||
app.state.AUTH_TRUSTED_EMAIL_HEADER = WEBUI_AUTH_TRUSTED_EMAIL_HEADER
|
||||
|
||||
|
||||
app.add_middleware(
|
||||
CORSMiddleware,
|
||||
allow_origins=origins,
|
||||
|
|
@ -52,9 +54,12 @@ app.add_middleware(
|
|||
app.include_router(auths.router, prefix="/auths", tags=["auths"])
|
||||
app.include_router(users.router, prefix="/users", tags=["users"])
|
||||
app.include_router(chats.router, prefix="/chats", tags=["chats"])
|
||||
|
||||
app.include_router(documents.router, prefix="/documents", tags=["documents"])
|
||||
app.include_router(modelfiles.router, prefix="/modelfiles", tags=["modelfiles"])
|
||||
app.include_router(prompts.router, prefix="/prompts", tags=["prompts"])
|
||||
app.include_router(memories.router, prefix="/memories", tags=["memories"])
|
||||
|
||||
|
||||
app.include_router(configs.router, prefix="/configs", tags=["configs"])
|
||||
app.include_router(utils.router, prefix="/utils", tags=["utils"])
|
||||
|
|
|
|||
118
backend/apps/web/models/memories.py
Normal file
118
backend/apps/web/models/memories.py
Normal file
|
|
@ -0,0 +1,118 @@
|
|||
from pydantic import BaseModel
|
||||
from peewee import *
|
||||
from playhouse.shortcuts import model_to_dict
|
||||
from typing import List, Union, Optional
|
||||
|
||||
from apps.web.internal.db import DB
|
||||
from apps.web.models.chats import Chats
|
||||
|
||||
import time
|
||||
import uuid
|
||||
|
||||
####################
|
||||
# Memory DB Schema
|
||||
####################
|
||||
|
||||
|
||||
class Memory(Model):
|
||||
id = CharField(unique=True)
|
||||
user_id = CharField()
|
||||
content = TextField()
|
||||
updated_at = BigIntegerField()
|
||||
created_at = BigIntegerField()
|
||||
|
||||
class Meta:
|
||||
database = DB
|
||||
|
||||
|
||||
class MemoryModel(BaseModel):
|
||||
id: str
|
||||
user_id: str
|
||||
content: str
|
||||
updated_at: int # timestamp in epoch
|
||||
created_at: int # timestamp in epoch
|
||||
|
||||
|
||||
####################
|
||||
# Forms
|
||||
####################
|
||||
|
||||
|
||||
class MemoriesTable:
|
||||
def __init__(self, db):
|
||||
self.db = db
|
||||
self.db.create_tables([Memory])
|
||||
|
||||
def insert_new_memory(
|
||||
self,
|
||||
user_id: str,
|
||||
content: str,
|
||||
) -> Optional[MemoryModel]:
|
||||
id = str(uuid.uuid4())
|
||||
|
||||
memory = MemoryModel(
|
||||
**{
|
||||
"id": id,
|
||||
"user_id": user_id,
|
||||
"content": content,
|
||||
"created_at": int(time.time()),
|
||||
"updated_at": int(time.time()),
|
||||
}
|
||||
)
|
||||
result = Memory.create(**memory.model_dump())
|
||||
if result:
|
||||
return memory
|
||||
else:
|
||||
return None
|
||||
|
||||
def get_memories(self) -> List[MemoryModel]:
|
||||
try:
|
||||
memories = Memory.select()
|
||||
return [MemoryModel(**model_to_dict(memory)) for memory in memories]
|
||||
except:
|
||||
return None
|
||||
|
||||
def get_memories_by_user_id(self, user_id: str) -> List[MemoryModel]:
|
||||
try:
|
||||
memories = Memory.select().where(Memory.user_id == user_id)
|
||||
return [MemoryModel(**model_to_dict(memory)) for memory in memories]
|
||||
except:
|
||||
return None
|
||||
|
||||
def get_memory_by_id(self, id) -> Optional[MemoryModel]:
|
||||
try:
|
||||
memory = Memory.get(Memory.id == id)
|
||||
return MemoryModel(**model_to_dict(memory))
|
||||
except:
|
||||
return None
|
||||
|
||||
def delete_memory_by_id(self, id: str) -> bool:
|
||||
try:
|
||||
query = Memory.delete().where(Memory.id == id)
|
||||
query.execute() # Remove the rows, return number of rows removed.
|
||||
|
||||
return True
|
||||
|
||||
except:
|
||||
return False
|
||||
|
||||
def delete_memories_by_user_id(self, user_id: str) -> bool:
|
||||
try:
|
||||
query = Memory.delete().where(Memory.user_id == user_id)
|
||||
query.execute()
|
||||
|
||||
return True
|
||||
except:
|
||||
return False
|
||||
|
||||
def delete_memory_by_id_and_user_id(self, id: str, user_id: str) -> bool:
|
||||
try:
|
||||
query = Memory.delete().where(Memory.id == id, Memory.user_id == user_id)
|
||||
query.execute()
|
||||
|
||||
return True
|
||||
except:
|
||||
return False
|
||||
|
||||
|
||||
Memories = MemoriesTable(DB)
|
||||
145
backend/apps/web/routers/memories.py
Normal file
145
backend/apps/web/routers/memories.py
Normal file
|
|
@ -0,0 +1,145 @@
|
|||
from fastapi import Response, Request
|
||||
from fastapi import Depends, FastAPI, HTTPException, status
|
||||
from datetime import datetime, timedelta
|
||||
from typing import List, Union, Optional
|
||||
|
||||
from fastapi import APIRouter
|
||||
from pydantic import BaseModel
|
||||
import logging
|
||||
|
||||
from apps.web.models.memories import Memories, MemoryModel
|
||||
|
||||
from utils.utils import get_verified_user
|
||||
from constants import ERROR_MESSAGES
|
||||
|
||||
from config import SRC_LOG_LEVELS, CHROMA_CLIENT
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
log.setLevel(SRC_LOG_LEVELS["MODELS"])
|
||||
|
||||
router = APIRouter()
|
||||
|
||||
|
||||
@router.get("/ef")
|
||||
async def get_embeddings(request: Request):
|
||||
return {"result": request.app.state.EMBEDDING_FUNCTION("hello world")}
|
||||
|
||||
|
||||
############################
|
||||
# GetMemories
|
||||
############################
|
||||
|
||||
|
||||
@router.get("/", response_model=List[MemoryModel])
|
||||
async def get_memories(user=Depends(get_verified_user)):
|
||||
return Memories.get_memories_by_user_id(user.id)
|
||||
|
||||
|
||||
############################
|
||||
# AddMemory
|
||||
############################
|
||||
|
||||
|
||||
class AddMemoryForm(BaseModel):
|
||||
content: str
|
||||
|
||||
|
||||
@router.post("/add", response_model=Optional[MemoryModel])
|
||||
async def add_memory(
|
||||
request: Request, form_data: AddMemoryForm, user=Depends(get_verified_user)
|
||||
):
|
||||
memory = Memories.insert_new_memory(user.id, form_data.content)
|
||||
memory_embedding = request.app.state.EMBEDDING_FUNCTION(memory.content)
|
||||
|
||||
collection = CHROMA_CLIENT.get_or_create_collection(name=f"user-memory-{user.id}")
|
||||
collection.upsert(
|
||||
documents=[memory.content],
|
||||
ids=[memory.id],
|
||||
embeddings=[memory_embedding],
|
||||
metadatas=[{"created_at": memory.created_at}],
|
||||
)
|
||||
|
||||
return memory
|
||||
|
||||
|
||||
############################
|
||||
# QueryMemory
|
||||
############################
|
||||
|
||||
|
||||
class QueryMemoryForm(BaseModel):
|
||||
content: str
|
||||
|
||||
|
||||
@router.post("/query")
|
||||
async def query_memory(
|
||||
request: Request, form_data: QueryMemoryForm, user=Depends(get_verified_user)
|
||||
):
|
||||
query_embedding = request.app.state.EMBEDDING_FUNCTION(form_data.content)
|
||||
collection = CHROMA_CLIENT.get_or_create_collection(name=f"user-memory-{user.id}")
|
||||
|
||||
results = collection.query(
|
||||
query_embeddings=[query_embedding],
|
||||
n_results=1, # how many results to return
|
||||
)
|
||||
|
||||
return results
|
||||
|
||||
|
||||
############################
|
||||
# ResetMemoryFromVectorDB
|
||||
############################
|
||||
@router.get("/reset", response_model=bool)
|
||||
async def reset_memory_from_vector_db(
|
||||
request: Request, user=Depends(get_verified_user)
|
||||
):
|
||||
CHROMA_CLIENT.delete_collection(f"user-memory-{user.id}")
|
||||
collection = CHROMA_CLIENT.get_or_create_collection(name=f"user-memory-{user.id}")
|
||||
|
||||
memories = Memories.get_memories_by_user_id(user.id)
|
||||
for memory in memories:
|
||||
memory_embedding = request.app.state.EMBEDDING_FUNCTION(memory.content)
|
||||
collection.upsert(
|
||||
documents=[memory.content],
|
||||
ids=[memory.id],
|
||||
embeddings=[memory_embedding],
|
||||
)
|
||||
return True
|
||||
|
||||
|
||||
############################
|
||||
# DeleteMemoriesByUserId
|
||||
############################
|
||||
|
||||
|
||||
@router.delete("/user", response_model=bool)
|
||||
async def delete_memory_by_user_id(user=Depends(get_verified_user)):
|
||||
result = Memories.delete_memories_by_user_id(user.id)
|
||||
|
||||
if result:
|
||||
try:
|
||||
CHROMA_CLIENT.delete_collection(f"user-memory-{user.id}")
|
||||
except Exception as e:
|
||||
log.error(e)
|
||||
return True
|
||||
|
||||
return False
|
||||
|
||||
|
||||
############################
|
||||
# DeleteMemoryById
|
||||
############################
|
||||
|
||||
|
||||
@router.delete("/{memory_id}", response_model=bool)
|
||||
async def delete_memory_by_id(memory_id: str, user=Depends(get_verified_user)):
|
||||
result = Memories.delete_memory_by_id_and_user_id(memory_id, user.id)
|
||||
|
||||
if result:
|
||||
collection = CHROMA_CLIENT.get_or_create_collection(
|
||||
name=f"user-memory-{user.id}"
|
||||
)
|
||||
collection.delete(ids=[memory_id])
|
||||
return True
|
||||
|
||||
return False
|
||||
|
|
@ -11,8 +11,9 @@ import logging
|
|||
|
||||
from apps.web.models.users import UserModel, UserUpdateForm, UserRoleUpdateForm, Users
|
||||
from apps.web.models.auths import Auths
|
||||
from apps.web.models.chats import Chats
|
||||
|
||||
from utils.utils import get_current_user, get_password_hash, get_admin_user
|
||||
from utils.utils import get_verified_user, get_password_hash, get_admin_user
|
||||
from constants import ERROR_MESSAGES
|
||||
|
||||
from config import SRC_LOG_LEVELS
|
||||
|
|
@ -67,6 +68,41 @@ async def update_user_role(form_data: UserRoleUpdateForm, user=Depends(get_admin
|
|||
)
|
||||
|
||||
|
||||
############################
|
||||
# GetUserById
|
||||
############################
|
||||
|
||||
|
||||
class UserResponse(BaseModel):
|
||||
name: str
|
||||
profile_image_url: str
|
||||
|
||||
|
||||
@router.get("/{user_id}", response_model=UserResponse)
|
||||
async def get_user_by_id(user_id: str, user=Depends(get_verified_user)):
|
||||
|
||||
if user_id.startswith("shared-"):
|
||||
chat_id = user_id.replace("shared-", "")
|
||||
chat = Chats.get_chat_by_id(chat_id)
|
||||
if chat:
|
||||
user_id = chat.user_id
|
||||
else:
|
||||
raise HTTPException(
|
||||
status_code=status.HTTP_400_BAD_REQUEST,
|
||||
detail=ERROR_MESSAGES.USER_NOT_FOUND,
|
||||
)
|
||||
|
||||
user = Users.get_user_by_id(user_id)
|
||||
|
||||
if user:
|
||||
return UserResponse(name=user.name, profile_image_url=user.profile_image_url)
|
||||
else:
|
||||
raise HTTPException(
|
||||
status_code=status.HTTP_400_BAD_REQUEST,
|
||||
detail=ERROR_MESSAGES.USER_NOT_FOUND,
|
||||
)
|
||||
|
||||
|
||||
############################
|
||||
# UpdateUserById
|
||||
############################
|
||||
|
|
|
|||
|
|
@ -417,6 +417,14 @@ OLLAMA_BASE_URLS = PersistentConfig(
|
|||
# OPENAI_API
|
||||
####################################
|
||||
|
||||
|
||||
ENABLE_OPENAI_API = PersistentConfig(
|
||||
"ENABLE_OPENAI_API",
|
||||
"openai.enable",
|
||||
os.environ.get("ENABLE_OPENAI_API", "True").lower() == "true",
|
||||
)
|
||||
|
||||
|
||||
OPENAI_API_KEY = os.environ.get("OPENAI_API_KEY", "")
|
||||
OPENAI_API_BASE_URL = os.environ.get("OPENAI_API_BASE_URL", "")
|
||||
|
||||
|
|
|
|||
|
|
@ -117,6 +117,18 @@ app.state.config.WEBHOOK_URL = WEBHOOK_URL
|
|||
origins = ["*"]
|
||||
|
||||
|
||||
# Custom middleware to add security headers
|
||||
# class SecurityHeadersMiddleware(BaseHTTPMiddleware):
|
||||
# async def dispatch(self, request: Request, call_next):
|
||||
# response: Response = await call_next(request)
|
||||
# response.headers["Cross-Origin-Opener-Policy"] = "same-origin"
|
||||
# response.headers["Cross-Origin-Embedder-Policy"] = "require-corp"
|
||||
# return response
|
||||
|
||||
|
||||
# app.add_middleware(SecurityHeadersMiddleware)
|
||||
|
||||
|
||||
class RAGMiddleware(BaseHTTPMiddleware):
|
||||
async def dispatch(self, request: Request, call_next):
|
||||
return_citations = False
|
||||
|
|
@ -226,9 +238,15 @@ async def check_url(request: Request, call_next):
|
|||
return response
|
||||
|
||||
|
||||
app.mount("/api/v1", webui_app)
|
||||
app.mount("/litellm/api", litellm_app)
|
||||
@app.middleware("http")
|
||||
async def update_embedding_function(request: Request, call_next):
|
||||
response = await call_next(request)
|
||||
if "/embedding/update" in request.url.path:
|
||||
webui_app.state.EMBEDDING_FUNCTION = rag_app.state.EMBEDDING_FUNCTION
|
||||
return response
|
||||
|
||||
|
||||
app.mount("/litellm/api", litellm_app)
|
||||
app.mount("/ollama", ollama_app)
|
||||
app.mount("/openai/api", openai_app)
|
||||
|
||||
|
|
@ -236,6 +254,10 @@ app.mount("/images/api/v1", images_app)
|
|||
app.mount("/audio/api/v1", audio_app)
|
||||
app.mount("/rag/api/v1", rag_app)
|
||||
|
||||
app.mount("/api/v1", webui_app)
|
||||
|
||||
webui_app.state.EMBEDDING_FUNCTION = rag_app.state.EMBEDDING_FUNCTION
|
||||
|
||||
|
||||
@app.get("/api/config")
|
||||
async def get_app_config():
|
||||
|
|
@ -277,14 +299,14 @@ class ModelFilterConfigForm(BaseModel):
|
|||
async def update_model_filter_config(
|
||||
form_data: ModelFilterConfigForm, user=Depends(get_admin_user)
|
||||
):
|
||||
app.state.config.ENABLE_MODEL_FILTER, form_data.enabled
|
||||
app.state.config.MODEL_FILTER_LIST, form_data.models
|
||||
app.state.config.ENABLE_MODEL_FILTER = form_data.enabled
|
||||
app.state.config.MODEL_FILTER_LIST = form_data.models
|
||||
|
||||
ollama_app.state.ENABLE_MODEL_FILTER = app.state.config.ENABLE_MODEL_FILTER
|
||||
ollama_app.state.MODEL_FILTER_LIST = app.state.config.MODEL_FILTER_LIST
|
||||
ollama_app.state.config.ENABLE_MODEL_FILTER = app.state.config.ENABLE_MODEL_FILTER
|
||||
ollama_app.state.config.MODEL_FILTER_LIST = app.state.config.MODEL_FILTER_LIST
|
||||
|
||||
openai_app.state.ENABLE_MODEL_FILTER = app.state.config.ENABLE_MODEL_FILTER
|
||||
openai_app.state.MODEL_FILTER_LIST = app.state.config.MODEL_FILTER_LIST
|
||||
openai_app.state.config.ENABLE_MODEL_FILTER = app.state.config.ENABLE_MODEL_FILTER
|
||||
openai_app.state.config.MODEL_FILTER_LIST = app.state.config.MODEL_FILTER_LIST
|
||||
|
||||
litellm_app.state.ENABLE_MODEL_FILTER = app.state.config.ENABLE_MODEL_FILTER
|
||||
litellm_app.state.MODEL_FILTER_LIST = app.state.config.MODEL_FILTER_LIST
|
||||
|
|
|
|||
|
|
@ -62,18 +62,17 @@ describe('Settings', () => {
|
|||
.should('exist');
|
||||
// spy on requests
|
||||
const spy = cy.spy();
|
||||
cy.intercept("GET", "/api/v1/chats/*", spy);
|
||||
cy.intercept('GET', '/api/v1/chats/*', spy);
|
||||
// Open context menu
|
||||
cy.get('#chat-context-menu-button').click();
|
||||
// Click share button
|
||||
cy.get('#chat-share-button').click();
|
||||
// Check if the share dialog is visible
|
||||
cy.get('#copy-and-share-chat-button').should('exist');
|
||||
cy.wrap({}, { timeout: 5000 })
|
||||
.should(() => {
|
||||
// Check if the request was made twice (once for to replace chat object and once more due to change event)
|
||||
expect(spy).to.be.callCount(2);
|
||||
});
|
||||
cy.wrap({}, { timeout: 5000 }).should(() => {
|
||||
// Check if the request was made twice (once for to replace chat object and once more due to change event)
|
||||
expect(spy).to.be.callCount(2);
|
||||
});
|
||||
});
|
||||
});
|
||||
});
|
||||
|
|
|
|||
149
package-lock.json
generated
149
package-lock.json
generated
|
|
@ -1,13 +1,14 @@
|
|||
{
|
||||
"name": "open-webui",
|
||||
"version": "0.1.124",
|
||||
"version": "0.1.125",
|
||||
"lockfileVersion": 3,
|
||||
"requires": true,
|
||||
"packages": {
|
||||
"": {
|
||||
"name": "open-webui",
|
||||
"version": "0.1.124",
|
||||
"version": "0.1.125",
|
||||
"dependencies": {
|
||||
"@pyscript/core": "^0.4.32",
|
||||
"@sveltejs/adapter-node": "^1.3.1",
|
||||
"async": "^3.2.5",
|
||||
"bits-ui": "^0.19.7",
|
||||
|
|
@ -22,6 +23,7 @@
|
|||
"js-sha256": "^0.10.1",
|
||||
"katex": "^0.16.9",
|
||||
"marked": "^9.1.0",
|
||||
"pyodide": "^0.26.0-alpha.4",
|
||||
"svelte-sonner": "^0.3.19",
|
||||
"tippy.js": "^6.3.7",
|
||||
"uuid": "^9.0.1"
|
||||
|
|
@ -890,6 +892,19 @@
|
|||
"url": "https://opencollective.com/popperjs"
|
||||
}
|
||||
},
|
||||
"node_modules/@pyscript/core": {
|
||||
"version": "0.4.32",
|
||||
"resolved": "https://registry.npmjs.org/@pyscript/core/-/core-0.4.32.tgz",
|
||||
"integrity": "sha512-WQATzPp1ggf871+PukCmTypzScXkEB1EWD/vg5GNxpM96N6rDPqQ13msuA5XvwU01ZVhL8HHSFDLk4IfaXNGWg==",
|
||||
"dependencies": {
|
||||
"@ungap/with-resolvers": "^0.1.0",
|
||||
"basic-devtools": "^0.1.6",
|
||||
"polyscript": "^0.12.8",
|
||||
"sticky-module": "^0.1.1",
|
||||
"to-json-callback": "^0.1.1",
|
||||
"type-checked-collections": "^0.1.7"
|
||||
}
|
||||
},
|
||||
"node_modules/@rollup/plugin-commonjs": {
|
||||
"version": "25.0.7",
|
||||
"resolved": "https://registry.npmjs.org/@rollup/plugin-commonjs/-/plugin-commonjs-25.0.7.tgz",
|
||||
|
|
@ -1605,8 +1620,12 @@
|
|||
"node_modules/@ungap/structured-clone": {
|
||||
"version": "1.2.0",
|
||||
"resolved": "https://registry.npmjs.org/@ungap/structured-clone/-/structured-clone-1.2.0.tgz",
|
||||
"integrity": "sha512-zuVdFrMJiuCDQUMCzQaD6KL28MjnqqN8XnAqiEq9PNm/hCPTSGfrXCOfwj1ow4LFb/tNymJPwsNbVePc1xFqrQ==",
|
||||
"dev": true
|
||||
"integrity": "sha512-zuVdFrMJiuCDQUMCzQaD6KL28MjnqqN8XnAqiEq9PNm/hCPTSGfrXCOfwj1ow4LFb/tNymJPwsNbVePc1xFqrQ=="
|
||||
},
|
||||
"node_modules/@ungap/with-resolvers": {
|
||||
"version": "0.1.0",
|
||||
"resolved": "https://registry.npmjs.org/@ungap/with-resolvers/-/with-resolvers-0.1.0.tgz",
|
||||
"integrity": "sha512-g7f0IkJdPW2xhY7H4iE72DAsIyfuwEFc6JWc2tYFwKDMWWAF699vGjrM348cwQuOXgHpe1gWFe+Eiyjx/ewvvw=="
|
||||
},
|
||||
"node_modules/@vitest/expect": {
|
||||
"version": "1.6.0",
|
||||
|
|
@ -1713,6 +1732,11 @@
|
|||
"@types/estree": "^1.0.0"
|
||||
}
|
||||
},
|
||||
"node_modules/@webreflection/fetch": {
|
||||
"version": "0.1.5",
|
||||
"resolved": "https://registry.npmjs.org/@webreflection/fetch/-/fetch-0.1.5.tgz",
|
||||
"integrity": "sha512-zCcqCJoNLvdeF41asAK71XPlwSPieeRDsE09albBunJEksuYPYNillKNQjf8p5BqSoTKTuKrW3lUm3MNodUC4g=="
|
||||
},
|
||||
"node_modules/acorn": {
|
||||
"version": "8.11.3",
|
||||
"resolved": "https://registry.npmjs.org/acorn/-/acorn-8.11.3.tgz",
|
||||
|
|
@ -2027,6 +2051,11 @@
|
|||
"dev": true,
|
||||
"optional": true
|
||||
},
|
||||
"node_modules/base-64": {
|
||||
"version": "1.0.0",
|
||||
"resolved": "https://registry.npmjs.org/base-64/-/base-64-1.0.0.tgz",
|
||||
"integrity": "sha512-kwDPIFCGx0NZHog36dj+tHiwP4QMzsZ3AgMViUBKI0+V5n4U0ufTCUMhnQ04diaRI8EX/QcPfql7zlhZ7j4zgg=="
|
||||
},
|
||||
"node_modules/base64-js": {
|
||||
"version": "1.5.1",
|
||||
"resolved": "https://registry.npmjs.org/base64-js/-/base64-js-1.5.1.tgz",
|
||||
|
|
@ -2047,6 +2076,11 @@
|
|||
}
|
||||
]
|
||||
},
|
||||
"node_modules/basic-devtools": {
|
||||
"version": "0.1.6",
|
||||
"resolved": "https://registry.npmjs.org/basic-devtools/-/basic-devtools-0.1.6.tgz",
|
||||
"integrity": "sha512-g9zJ63GmdUesS3/Fwv0B5SYX6nR56TQXmGr+wE5PRTNCnGQMYWhUx/nZB/mMWnQJVLPPAp89oxDNlasdtNkW5Q=="
|
||||
},
|
||||
"node_modules/bcrypt-pbkdf": {
|
||||
"version": "1.0.2",
|
||||
"resolved": "https://registry.npmjs.org/bcrypt-pbkdf/-/bcrypt-pbkdf-1.0.2.tgz",
|
||||
|
|
@ -2661,6 +2695,28 @@
|
|||
"@types/estree": "^1.0.0"
|
||||
}
|
||||
},
|
||||
"node_modules/codedent": {
|
||||
"version": "0.1.2",
|
||||
"resolved": "https://registry.npmjs.org/codedent/-/codedent-0.1.2.tgz",
|
||||
"integrity": "sha512-qEqzcy5viM3UoCN0jYHZeXZoyd4NZQzYFg0kOBj8O1CgoGG9WYYTF+VeQRsN0OSKFjF3G1u4WDUOtOsWEx6N2w==",
|
||||
"dependencies": {
|
||||
"plain-tag": "^0.1.3"
|
||||
}
|
||||
},
|
||||
"node_modules/coincident": {
|
||||
"version": "1.2.3",
|
||||
"resolved": "https://registry.npmjs.org/coincident/-/coincident-1.2.3.tgz",
|
||||
"integrity": "sha512-Uxz3BMTWIslzeWjuQnizGWVg0j6khbvHUQ8+5BdM7WuJEm4ALXwq3wluYoB+uF68uPBz/oUOeJnYURKyfjexlA==",
|
||||
"dependencies": {
|
||||
"@ungap/structured-clone": "^1.2.0",
|
||||
"@ungap/with-resolvers": "^0.1.0",
|
||||
"gc-hook": "^0.3.1",
|
||||
"proxy-target": "^3.0.2"
|
||||
},
|
||||
"optionalDependencies": {
|
||||
"ws": "^8.16.0"
|
||||
}
|
||||
},
|
||||
"node_modules/color-convert": {
|
||||
"version": "2.0.1",
|
||||
"resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz",
|
||||
|
|
@ -4001,6 +4057,11 @@
|
|||
"url": "https://github.com/sponsors/ljharb"
|
||||
}
|
||||
},
|
||||
"node_modules/gc-hook": {
|
||||
"version": "0.3.1",
|
||||
"resolved": "https://registry.npmjs.org/gc-hook/-/gc-hook-0.3.1.tgz",
|
||||
"integrity": "sha512-E5M+O/h2o7eZzGhzRZGex6hbB3k4NWqO0eA+OzLRLXxhdbYPajZnynPwAtphnh+cRHPwsj5Z80dqZlfI4eK55A=="
|
||||
},
|
||||
"node_modules/get-func-name": {
|
||||
"version": "2.0.2",
|
||||
"resolved": "https://registry.npmjs.org/get-func-name/-/get-func-name-2.0.2.tgz",
|
||||
|
|
@ -4328,6 +4389,11 @@
|
|||
"node": ">=12.0.0"
|
||||
}
|
||||
},
|
||||
"node_modules/html-escaper": {
|
||||
"version": "3.0.3",
|
||||
"resolved": "https://registry.npmjs.org/html-escaper/-/html-escaper-3.0.3.tgz",
|
||||
"integrity": "sha512-RuMffC89BOWQoY0WKGpIhn5gX3iI54O6nRA0yC124NYVtzjmFWBIiFd8M0x+ZdX0P9R4lADg1mgP8C7PxGOWuQ=="
|
||||
},
|
||||
"node_modules/htmlparser2": {
|
||||
"version": "8.0.2",
|
||||
"resolved": "https://registry.npmjs.org/htmlparser2/-/htmlparser2-8.0.2.tgz",
|
||||
|
|
@ -5838,6 +5904,29 @@
|
|||
"pathe": "^1.1.2"
|
||||
}
|
||||
},
|
||||
"node_modules/plain-tag": {
|
||||
"version": "0.1.3",
|
||||
"resolved": "https://registry.npmjs.org/plain-tag/-/plain-tag-0.1.3.tgz",
|
||||
"integrity": "sha512-yyVAOFKTAElc7KdLt2+UKGExNYwYb/Y/WE9i+1ezCQsJE8gbKSjewfpRqK2nQgZ4d4hhAAGgDCOcIZVilqE5UA=="
|
||||
},
|
||||
"node_modules/polyscript": {
|
||||
"version": "0.12.8",
|
||||
"resolved": "https://registry.npmjs.org/polyscript/-/polyscript-0.12.8.tgz",
|
||||
"integrity": "sha512-kcG3W9jU/s1sYjWOTAa2jAh5D2jm3zJRi+glSTsC+lA3D1b/Sd67pEIGpyL9bWNKYSimqAx4se6jAhQjJZ7+jQ==",
|
||||
"dependencies": {
|
||||
"@ungap/structured-clone": "^1.2.0",
|
||||
"@ungap/with-resolvers": "^0.1.0",
|
||||
"@webreflection/fetch": "^0.1.5",
|
||||
"basic-devtools": "^0.1.6",
|
||||
"codedent": "^0.1.2",
|
||||
"coincident": "^1.2.3",
|
||||
"gc-hook": "^0.3.1",
|
||||
"html-escaper": "^3.0.3",
|
||||
"proxy-target": "^3.0.2",
|
||||
"sticky-module": "^0.1.1",
|
||||
"to-json-callback": "^0.1.1"
|
||||
}
|
||||
},
|
||||
"node_modules/postcss": {
|
||||
"version": "8.4.38",
|
||||
"resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.38.tgz",
|
||||
|
|
@ -6151,6 +6240,11 @@
|
|||
"integrity": "sha512-F2JHgJQ1iqwnHDcQjVBsq3n/uoaFL+iPW/eAeL7kVxy/2RrWaN4WroKjjvbsoRtv0ftelNyC01bjRhn/bhcf4A==",
|
||||
"dev": true
|
||||
},
|
||||
"node_modules/proxy-target": {
|
||||
"version": "3.0.2",
|
||||
"resolved": "https://registry.npmjs.org/proxy-target/-/proxy-target-3.0.2.tgz",
|
||||
"integrity": "sha512-FFE1XNwXX/FNC3/P8HiKaJSy/Qk68RitG/QEcLy/bVnTAPlgTAWPZKh0pARLAnpfXQPKyalBhk009NRTgsk8vQ=="
|
||||
},
|
||||
"node_modules/psl": {
|
||||
"version": "1.9.0",
|
||||
"resolved": "https://registry.npmjs.org/psl/-/psl-1.9.0.tgz",
|
||||
|
|
@ -6176,6 +6270,18 @@
|
|||
"node": ">=6"
|
||||
}
|
||||
},
|
||||
"node_modules/pyodide": {
|
||||
"version": "0.26.0-alpha.4",
|
||||
"resolved": "https://registry.npmjs.org/pyodide/-/pyodide-0.26.0-alpha.4.tgz",
|
||||
"integrity": "sha512-Ixuczq99DwhQlE+Bt0RaS6Ln9MHSZOkbU6iN8azwaeorjHtr7ukaxh+FeTxViFrp2y+ITyKgmcobY+JnBPcULw==",
|
||||
"dependencies": {
|
||||
"base-64": "^1.0.0",
|
||||
"ws": "^8.5.0"
|
||||
},
|
||||
"engines": {
|
||||
"node": ">=18.0.0"
|
||||
}
|
||||
},
|
||||
"node_modules/qs": {
|
||||
"version": "6.10.4",
|
||||
"resolved": "https://registry.npmjs.org/qs/-/qs-6.10.4.tgz",
|
||||
|
|
@ -6858,6 +6964,11 @@
|
|||
"integrity": "sha512-JPbdCEQLj1w5GilpiHAx3qJvFndqybBysA3qUOnznweH4QbNYUsW/ea8QzSrnh0vNsezMMw5bcVool8lM0gwzg==",
|
||||
"dev": true
|
||||
},
|
||||
"node_modules/sticky-module": {
|
||||
"version": "0.1.1",
|
||||
"resolved": "https://registry.npmjs.org/sticky-module/-/sticky-module-0.1.1.tgz",
|
||||
"integrity": "sha512-IuYgnyIMUx/m6rtu14l/LR2MaqOLtpXcWkxPmtPsiScRHEo+S4Tojk+DWFHOncSdFX/OsoLOM4+T92yOmI1AMw=="
|
||||
},
|
||||
"node_modules/stream-composer": {
|
||||
"version": "1.0.2",
|
||||
"resolved": "https://registry.npmjs.org/stream-composer/-/stream-composer-1.0.2.tgz",
|
||||
|
|
@ -7520,6 +7631,11 @@
|
|||
"node": ">=14.14"
|
||||
}
|
||||
},
|
||||
"node_modules/to-json-callback": {
|
||||
"version": "0.1.1",
|
||||
"resolved": "https://registry.npmjs.org/to-json-callback/-/to-json-callback-0.1.1.tgz",
|
||||
"integrity": "sha512-BzOeinTT3NjE+FJ2iCvWB8HvyuyBzoH3WlSnJ+AYVC4tlePyZWSYdkQIFOARWiq0t35/XhmI0uQsFiUsRksRqg=="
|
||||
},
|
||||
"node_modules/to-regex-range": {
|
||||
"version": "5.0.1",
|
||||
"resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz",
|
||||
|
|
@ -7629,6 +7745,11 @@
|
|||
"node": ">= 0.8.0"
|
||||
}
|
||||
},
|
||||
"node_modules/type-checked-collections": {
|
||||
"version": "0.1.7",
|
||||
"resolved": "https://registry.npmjs.org/type-checked-collections/-/type-checked-collections-0.1.7.tgz",
|
||||
"integrity": "sha512-fLIydlJy7IG9XL4wjRwEcKhxx/ekLXiWiMvcGo01cOMF+TN+5ZqajM1mRNRz2bNNi1bzou2yofhjZEQi7kgl9A=="
|
||||
},
|
||||
"node_modules/type-detect": {
|
||||
"version": "4.0.8",
|
||||
"resolved": "https://registry.npmjs.org/type-detect/-/type-detect-4.0.8.tgz",
|
||||
|
|
@ -8883,6 +9004,26 @@
|
|||
"resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz",
|
||||
"integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ=="
|
||||
},
|
||||
"node_modules/ws": {
|
||||
"version": "8.17.0",
|
||||
"resolved": "https://registry.npmjs.org/ws/-/ws-8.17.0.tgz",
|
||||
"integrity": "sha512-uJq6108EgZMAl20KagGkzCKfMEjxmKvZHG7Tlq0Z6nOky7YF7aq4mOx6xK8TJ/i1LeK4Qus7INktacctDgY8Ow==",
|
||||
"engines": {
|
||||
"node": ">=10.0.0"
|
||||
},
|
||||
"peerDependencies": {
|
||||
"bufferutil": "^4.0.1",
|
||||
"utf-8-validate": ">=5.0.2"
|
||||
},
|
||||
"peerDependenciesMeta": {
|
||||
"bufferutil": {
|
||||
"optional": true
|
||||
},
|
||||
"utf-8-validate": {
|
||||
"optional": true
|
||||
}
|
||||
}
|
||||
},
|
||||
"node_modules/xtend": {
|
||||
"version": "4.0.2",
|
||||
"resolved": "https://registry.npmjs.org/xtend/-/xtend-4.0.2.tgz",
|
||||
|
|
|
|||
11
package.json
11
package.json
|
|
@ -1,10 +1,10 @@
|
|||
{
|
||||
"name": "open-webui",
|
||||
"version": "0.1.124",
|
||||
"version": "0.1.125",
|
||||
"private": true,
|
||||
"scripts": {
|
||||
"dev": "vite dev --host",
|
||||
"build": "vite build",
|
||||
"dev": "npm run pyodide:fetch && vite dev --host",
|
||||
"build": "npm run pyodide:fetch && vite build",
|
||||
"preview": "vite preview",
|
||||
"check": "svelte-kit sync && svelte-check --tsconfig ./tsconfig.json",
|
||||
"check:watch": "svelte-kit sync && svelte-check --tsconfig ./tsconfig.json --watch",
|
||||
|
|
@ -16,7 +16,8 @@
|
|||
"format:backend": "black . --exclude \"/venv/\"",
|
||||
"i18n:parse": "i18next --config i18next-parser.config.ts && prettier --write \"src/lib/i18n/**/*.{js,json}\"",
|
||||
"cy:open": "cypress open",
|
||||
"test:frontend": "vitest"
|
||||
"test:frontend": "vitest",
|
||||
"pyodide:fetch": "node scripts/prepare-pyodide.js"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@sveltejs/adapter-auto": "^2.0.0",
|
||||
|
|
@ -47,6 +48,7 @@
|
|||
},
|
||||
"type": "module",
|
||||
"dependencies": {
|
||||
"@pyscript/core": "^0.4.32",
|
||||
"@sveltejs/adapter-node": "^1.3.1",
|
||||
"async": "^3.2.5",
|
||||
"bits-ui": "^0.19.7",
|
||||
|
|
@ -61,6 +63,7 @@
|
|||
"js-sha256": "^0.10.1",
|
||||
"katex": "^0.16.9",
|
||||
"marked": "^9.1.0",
|
||||
"pyodide": "^0.26.0-alpha.4",
|
||||
"svelte-sonner": "^0.3.19",
|
||||
"tippy.js": "^6.3.7",
|
||||
"uuid": "^9.0.1"
|
||||
|
|
|
|||
39
scripts/prepare-pyodide.js
Normal file
39
scripts/prepare-pyodide.js
Normal file
|
|
@ -0,0 +1,39 @@
|
|||
const packages = [
|
||||
'requests',
|
||||
'beautifulsoup4',
|
||||
'numpy',
|
||||
'pandas',
|
||||
'matplotlib',
|
||||
'scikit-learn',
|
||||
'scipy',
|
||||
'regex',
|
||||
'seaborn'
|
||||
];
|
||||
|
||||
import { loadPyodide } from 'pyodide';
|
||||
import { writeFile, copyFile, readdir } from 'fs/promises';
|
||||
|
||||
async function downloadPackages() {
|
||||
console.log('Setting up pyodide + micropip');
|
||||
const pyodide = await loadPyodide({
|
||||
packageCacheDir: 'static/pyodide'
|
||||
});
|
||||
await pyodide.loadPackage('micropip');
|
||||
const micropip = pyodide.pyimport('micropip');
|
||||
console.log('Downloading Pyodide packages:', packages);
|
||||
await micropip.install(packages);
|
||||
console.log('Pyodide packages downloaded, freezing into lock file');
|
||||
const lockFile = await micropip.freeze();
|
||||
await writeFile('static/pyodide/pyodide-lock.json', lockFile);
|
||||
}
|
||||
|
||||
async function copyPyodide() {
|
||||
console.log('Copying Pyodide files into static directory');
|
||||
// Copy all files from node_modules/pyodide to static/pyodide
|
||||
for await (const entry of await readdir('node_modules/pyodide')) {
|
||||
await copyFile(`node_modules/pyodide/${entry}`, `static/pyodide/${entry}`);
|
||||
}
|
||||
}
|
||||
|
||||
await downloadPackages();
|
||||
await copyPyodide();
|
||||
|
|
@ -12,6 +12,7 @@
|
|||
title="Open WebUI"
|
||||
href="/opensearch.xml"
|
||||
/>
|
||||
|
||||
<script>
|
||||
// On page load or when changing themes, best to add inline in `head` to avoid FOUC
|
||||
(() => {
|
||||
|
|
|
|||
155
src/lib/apis/memories/index.ts
Normal file
155
src/lib/apis/memories/index.ts
Normal file
|
|
@ -0,0 +1,155 @@
|
|||
import { WEBUI_API_BASE_URL } from '$lib/constants';
|
||||
|
||||
export const getMemories = async (token: string) => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${WEBUI_API_BASE_URL}/memories`, {
|
||||
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();
|
||||
})
|
||||
.catch((err) => {
|
||||
error = err.detail;
|
||||
console.log(err);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
||||
export const addNewMemory = async (token: string, content: string) => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${WEBUI_API_BASE_URL}/memories/add`, {
|
||||
method: 'POST',
|
||||
headers: {
|
||||
Accept: 'application/json',
|
||||
'Content-Type': 'application/json',
|
||||
authorization: `Bearer ${token}`
|
||||
},
|
||||
body: JSON.stringify({
|
||||
content: content
|
||||
})
|
||||
})
|
||||
.then(async (res) => {
|
||||
if (!res.ok) throw await res.json();
|
||||
return res.json();
|
||||
})
|
||||
.catch((err) => {
|
||||
error = err.detail;
|
||||
console.log(err);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
||||
export const queryMemory = async (token: string, content: string) => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${WEBUI_API_BASE_URL}/memories/query`, {
|
||||
method: 'POST',
|
||||
headers: {
|
||||
Accept: 'application/json',
|
||||
'Content-Type': 'application/json',
|
||||
authorization: `Bearer ${token}`
|
||||
},
|
||||
body: JSON.stringify({
|
||||
content: content
|
||||
})
|
||||
})
|
||||
.then(async (res) => {
|
||||
if (!res.ok) throw await res.json();
|
||||
return res.json();
|
||||
})
|
||||
.catch((err) => {
|
||||
error = err.detail;
|
||||
console.log(err);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
||||
export const deleteMemoryById = async (token: string, id: string) => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${WEBUI_API_BASE_URL}/memories/${id}`, {
|
||||
method: 'DELETE',
|
||||
headers: {
|
||||
Accept: 'application/json',
|
||||
'Content-Type': 'application/json',
|
||||
authorization: `Bearer ${token}`
|
||||
}
|
||||
})
|
||||
.then(async (res) => {
|
||||
if (!res.ok) throw await res.json();
|
||||
return res.json();
|
||||
})
|
||||
.then((json) => {
|
||||
return json;
|
||||
})
|
||||
.catch((err) => {
|
||||
error = err.detail;
|
||||
|
||||
console.log(err);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
||||
export const deleteMemoriesByUserId = async (token: string) => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${WEBUI_API_BASE_URL}/memories/user`, {
|
||||
method: 'DELETE',
|
||||
headers: {
|
||||
Accept: 'application/json',
|
||||
'Content-Type': 'application/json',
|
||||
authorization: `Bearer ${token}`
|
||||
}
|
||||
})
|
||||
.then(async (res) => {
|
||||
if (!res.ok) throw await res.json();
|
||||
return res.json();
|
||||
})
|
||||
.then((json) => {
|
||||
return json;
|
||||
})
|
||||
.catch((err) => {
|
||||
error = err.detail;
|
||||
|
||||
console.log(err);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
|
@ -1,6 +1,73 @@
|
|||
import { OPENAI_API_BASE_URL } from '$lib/constants';
|
||||
import { promptTemplate } from '$lib/utils';
|
||||
|
||||
export const getOpenAIConfig = async (token: string = '') => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${OPENAI_API_BASE_URL}/config`, {
|
||||
method: 'GET',
|
||||
headers: {
|
||||
Accept: 'application/json',
|
||||
'Content-Type': 'application/json',
|
||||
...(token && { authorization: `Bearer ${token}` })
|
||||
}
|
||||
})
|
||||
.then(async (res) => {
|
||||
if (!res.ok) throw await res.json();
|
||||
return res.json();
|
||||
})
|
||||
.catch((err) => {
|
||||
console.log(err);
|
||||
if ('detail' in err) {
|
||||
error = err.detail;
|
||||
} else {
|
||||
error = 'Server connection failed';
|
||||
}
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
||||
export const updateOpenAIConfig = async (token: string = '', enable_openai_api: boolean) => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${OPENAI_API_BASE_URL}/config/update`, {
|
||||
method: 'POST',
|
||||
headers: {
|
||||
Accept: 'application/json',
|
||||
'Content-Type': 'application/json',
|
||||
...(token && { authorization: `Bearer ${token}` })
|
||||
},
|
||||
body: JSON.stringify({
|
||||
enable_openai_api: enable_openai_api
|
||||
})
|
||||
})
|
||||
.then(async (res) => {
|
||||
if (!res.ok) throw await res.json();
|
||||
return res.json();
|
||||
})
|
||||
.catch((err) => {
|
||||
console.log(err);
|
||||
if ('detail' in err) {
|
||||
error = err.detail;
|
||||
} else {
|
||||
error = 'Server connection failed';
|
||||
}
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
||||
export const getOpenAIUrls = async (token: string = '') => {
|
||||
let error = null;
|
||||
|
||||
|
|
|
|||
|
|
@ -115,6 +115,33 @@ export const getUsers = async (token: string) => {
|
|||
return res ? res : [];
|
||||
};
|
||||
|
||||
export const getUserById = async (token: string, userId: string) => {
|
||||
let error = null;
|
||||
|
||||
const res = await fetch(`${WEBUI_API_BASE_URL}/users/${userId}`, {
|
||||
method: 'GET',
|
||||
headers: {
|
||||
'Content-Type': 'application/json',
|
||||
Authorization: `Bearer ${token}`
|
||||
}
|
||||
})
|
||||
.then(async (res) => {
|
||||
if (!res.ok) throw await res.json();
|
||||
return res.json();
|
||||
})
|
||||
.catch((err) => {
|
||||
console.log(err);
|
||||
error = err.detail;
|
||||
return null;
|
||||
});
|
||||
|
||||
if (error) {
|
||||
throw error;
|
||||
}
|
||||
|
||||
return res;
|
||||
};
|
||||
|
||||
export const deleteUserById = async (token: string, userId: string) => {
|
||||
let error = null;
|
||||
|
||||
|
|
|
|||
|
|
@ -327,7 +327,6 @@
|
|||
};
|
||||
|
||||
onMount(() => {
|
||||
console.log(document.getElementById('sidebar'));
|
||||
window.setTimeout(() => chatTextAreaElement?.focus(), 0);
|
||||
|
||||
const dropZone = document.querySelector('body');
|
||||
|
|
@ -358,7 +357,7 @@
|
|||
if (inputFiles && inputFiles.length > 0) {
|
||||
inputFiles.forEach((file) => {
|
||||
console.log(file, file.name.split('.').at(-1));
|
||||
if (['image/gif', 'image/jpeg', 'image/png'].includes(file['type'])) {
|
||||
if (['image/gif', 'image/webp', 'image/jpeg', 'image/png'].includes(file['type'])) {
|
||||
let reader = new FileReader();
|
||||
reader.onload = (event) => {
|
||||
files = [
|
||||
|
|
@ -506,6 +505,7 @@
|
|||
>
|
||||
<div class="flex items-center gap-2 text-sm dark:text-gray-500">
|
||||
<img
|
||||
crossorigin="anonymous"
|
||||
alt="model profile"
|
||||
class="size-5 max-w-[28px] object-cover rounded-full"
|
||||
src={$modelfiles.find((modelfile) => modelfile.tagName === selectedModel.id)
|
||||
|
|
@ -547,7 +547,9 @@
|
|||
if (inputFiles && inputFiles.length > 0) {
|
||||
const _inputFiles = Array.from(inputFiles);
|
||||
_inputFiles.forEach((file) => {
|
||||
if (['image/gif', 'image/jpeg', 'image/png'].includes(file['type'])) {
|
||||
if (
|
||||
['image/gif', 'image/webp', 'image/jpeg', 'image/png'].includes(file['type'])
|
||||
) {
|
||||
let reader = new FileReader();
|
||||
reader.onload = (event) => {
|
||||
files = [
|
||||
|
|
@ -584,7 +586,8 @@
|
|||
}}
|
||||
/>
|
||||
<form
|
||||
class=" flex flex-col relative w-full rounded-3xl px-1.5 border border-gray-100 dark:border-gray-850 bg-white dark:bg-gray-900 dark:text-gray-100"
|
||||
dir={$settings?.chatDirection ?? 'LTR'}
|
||||
class=" flex flex-col relative w-full rounded-3xl px-1.5 bg-gray-50 dark:bg-gray-850 dark:text-gray-100"
|
||||
on:submit|preventDefault={() => {
|
||||
submitPrompt(prompt, user);
|
||||
}}
|
||||
|
|
@ -754,7 +757,7 @@
|
|||
<textarea
|
||||
id="chat-textarea"
|
||||
bind:this={chatTextAreaElement}
|
||||
class="scrollbar-hidden dark:bg-gray-900 dark:text-gray-100 outline-none w-full py-3 px-3 {fileUploadEnabled
|
||||
class="scrollbar-hidden bg-gray-50 dark:bg-gray-850 dark:text-gray-100 outline-none w-full py-3 px-3 {fileUploadEnabled
|
||||
? ''
|
||||
: ' pl-4'} rounded-xl resize-none h-[48px]"
|
||||
placeholder={chatInputPlaceholder !== ''
|
||||
|
|
@ -995,7 +998,7 @@
|
|||
id="send-message-button"
|
||||
class="{prompt !== ''
|
||||
? 'bg-black text-white hover:bg-gray-900 dark:bg-white dark:text-black dark:hover:bg-gray-100 '
|
||||
: 'text-white bg-gray-100 dark:text-gray-900 dark:bg-gray-800 disabled'} transition rounded-full p-1.5 self-center"
|
||||
: 'text-white bg-gray-200 dark:text-gray-900 dark:bg-gray-700 disabled'} transition rounded-full p-1.5 self-center"
|
||||
type="submit"
|
||||
disabled={prompt === ''}
|
||||
>
|
||||
|
|
|
|||
|
|
@ -1,7 +1,7 @@
|
|||
<script lang="ts">
|
||||
import { v4 as uuidv4 } from 'uuid';
|
||||
|
||||
import { chats, config, modelfiles, settings, user } from '$lib/stores';
|
||||
import { chats, config, modelfiles, settings, user as _user, mobile } from '$lib/stores';
|
||||
import { tick, getContext } from 'svelte';
|
||||
|
||||
import { toast } from 'svelte-sonner';
|
||||
|
|
@ -13,6 +13,8 @@
|
|||
import Spinner from '../common/Spinner.svelte';
|
||||
import { imageGenerations } from '$lib/apis/images';
|
||||
import { copyToClipboard, findWordIndices } from '$lib/utils';
|
||||
import CompareMessages from './Messages/CompareMessages.svelte';
|
||||
import { stringify } from 'postcss';
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
|
|
@ -22,15 +24,16 @@
|
|||
export let continueGeneration: Function;
|
||||
export let regenerateResponse: Function;
|
||||
|
||||
export let user = $_user;
|
||||
export let prompt;
|
||||
export let suggestionPrompts;
|
||||
export let suggestionPrompts = [];
|
||||
export let processing = '';
|
||||
export let bottomPadding = false;
|
||||
export let autoScroll;
|
||||
export let selectedModels;
|
||||
export let history = {};
|
||||
export let messages = [];
|
||||
|
||||
export let selectedModels;
|
||||
export let selectedModelfiles = [];
|
||||
|
||||
$: if (autoScroll && bottomPadding) {
|
||||
|
|
@ -62,7 +65,8 @@
|
|||
childrenIds: [],
|
||||
role: 'user',
|
||||
content: userPrompt,
|
||||
...(history.messages[messageId].files && { files: history.messages[messageId].files })
|
||||
...(history.messages[messageId].files && { files: history.messages[messageId].files }),
|
||||
models: selectedModels.filter((m, mIdx) => selectedModels.indexOf(m) === mIdx)
|
||||
};
|
||||
|
||||
let messageParentId = history.messages[messageId].parentId;
|
||||
|
|
@ -78,7 +82,7 @@
|
|||
history.currentId = userMessageId;
|
||||
|
||||
await tick();
|
||||
await sendPrompt(userPrompt, userMessageId, chatId);
|
||||
await sendPrompt(userPrompt, userMessageId);
|
||||
};
|
||||
|
||||
const updateChatMessages = async () => {
|
||||
|
|
@ -294,7 +298,7 @@
|
|||
{#if message.role === 'user'}
|
||||
<UserMessage
|
||||
on:delete={() => messageDeleteHandler(message.id)}
|
||||
user={$user}
|
||||
{user}
|
||||
{readOnly}
|
||||
{message}
|
||||
isFirstMessage={messageIdx === 0}
|
||||
|
|
@ -308,7 +312,7 @@
|
|||
{showNextMessage}
|
||||
copyToClipboard={copyToClipboardWithToast}
|
||||
/>
|
||||
{:else}
|
||||
{:else if $mobile || (history.messages[message.parentId]?.models?.length ?? 1) === 1}
|
||||
{#key message.id}
|
||||
<ResponseMessage
|
||||
{message}
|
||||
|
|
@ -336,6 +340,38 @@
|
|||
}}
|
||||
/>
|
||||
{/key}
|
||||
{:else}
|
||||
{#key message.parentId}
|
||||
<CompareMessages
|
||||
bind:history
|
||||
{messages}
|
||||
{chatId}
|
||||
parentMessage={history.messages[message.parentId]}
|
||||
{messageIdx}
|
||||
{selectedModelfiles}
|
||||
{updateChatMessages}
|
||||
{confirmEditResponseMessage}
|
||||
{rateMessage}
|
||||
copyToClipboard={copyToClipboardWithToast}
|
||||
{continueGeneration}
|
||||
{regenerateResponse}
|
||||
on:change={async () => {
|
||||
await updateChatById(localStorage.token, chatId, {
|
||||
messages: messages,
|
||||
history: history
|
||||
});
|
||||
|
||||
if (autoScroll) {
|
||||
const element = document.getElementById('messages-container');
|
||||
autoScroll =
|
||||
element.scrollHeight - element.scrollTop <= element.clientHeight + 50;
|
||||
setTimeout(() => {
|
||||
scrollToBottom();
|
||||
}, 100);
|
||||
}
|
||||
}}
|
||||
/>
|
||||
{/key}
|
||||
{/if}
|
||||
</div>
|
||||
</div>
|
||||
|
|
|
|||
|
|
@ -1,11 +1,23 @@
|
|||
<script lang="ts">
|
||||
import Spinner from '$lib/components/common/Spinner.svelte';
|
||||
import { copyToClipboard } from '$lib/utils';
|
||||
import hljs from 'highlight.js';
|
||||
import 'highlight.js/styles/github-dark.min.css';
|
||||
import { loadPyodide } from 'pyodide';
|
||||
import { tick } from 'svelte';
|
||||
import PyodideWorker from '$lib/workers/pyodide.worker?worker';
|
||||
|
||||
export let id = '';
|
||||
|
||||
export let lang = '';
|
||||
export let code = '';
|
||||
|
||||
let executing = false;
|
||||
|
||||
let stdout = null;
|
||||
let stderr = null;
|
||||
let result = null;
|
||||
|
||||
let copied = false;
|
||||
|
||||
const copyCode = async () => {
|
||||
|
|
@ -17,24 +29,233 @@
|
|||
}, 1000);
|
||||
};
|
||||
|
||||
const checkPythonCode = (str) => {
|
||||
// Check if the string contains typical Python syntax characters
|
||||
const pythonSyntax = [
|
||||
'def ',
|
||||
'else:',
|
||||
'elif ',
|
||||
'try:',
|
||||
'except:',
|
||||
'finally:',
|
||||
'yield ',
|
||||
'lambda ',
|
||||
'assert ',
|
||||
'nonlocal ',
|
||||
'del ',
|
||||
'True',
|
||||
'False',
|
||||
'None',
|
||||
' and ',
|
||||
' or ',
|
||||
' not ',
|
||||
' in ',
|
||||
' is ',
|
||||
' with '
|
||||
];
|
||||
|
||||
for (let syntax of pythonSyntax) {
|
||||
if (str.includes(syntax)) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
// If none of the above conditions met, it's probably not Python code
|
||||
return false;
|
||||
};
|
||||
|
||||
const executePython = async (code) => {
|
||||
if (!code.includes('input') && !code.includes('matplotlib')) {
|
||||
executePythonAsWorker(code);
|
||||
} else {
|
||||
result = null;
|
||||
stdout = null;
|
||||
stderr = null;
|
||||
|
||||
executing = true;
|
||||
|
||||
document.pyodideMplTarget = document.getElementById(`plt-canvas-${id}`);
|
||||
|
||||
let pyodide = await loadPyodide({
|
||||
indexURL: '/pyodide/',
|
||||
stdout: (text) => {
|
||||
console.log('Python output:', text);
|
||||
|
||||
if (stdout) {
|
||||
stdout += `${text}\n`;
|
||||
} else {
|
||||
stdout = `${text}\n`;
|
||||
}
|
||||
},
|
||||
stderr: (text) => {
|
||||
console.log('An error occured:', text);
|
||||
if (stderr) {
|
||||
stderr += `${text}\n`;
|
||||
} else {
|
||||
stderr = `${text}\n`;
|
||||
}
|
||||
},
|
||||
packages: ['micropip']
|
||||
});
|
||||
|
||||
try {
|
||||
const micropip = pyodide.pyimport('micropip');
|
||||
|
||||
await micropip.set_index_urls('https://pypi.org/pypi/{package_name}/json');
|
||||
|
||||
let packages = [
|
||||
code.includes('requests') ? 'requests' : null,
|
||||
code.includes('bs4') ? 'beautifulsoup4' : null,
|
||||
code.includes('numpy') ? 'numpy' : null,
|
||||
code.includes('pandas') ? 'pandas' : null,
|
||||
code.includes('matplotlib') ? 'matplotlib' : null,
|
||||
code.includes('sklearn') ? 'scikit-learn' : null,
|
||||
code.includes('scipy') ? 'scipy' : null,
|
||||
code.includes('re') ? 'regex' : null,
|
||||
code.includes('seaborn') ? 'seaborn' : null
|
||||
].filter(Boolean);
|
||||
|
||||
console.log(packages);
|
||||
await micropip.install(packages);
|
||||
|
||||
result = await pyodide.runPythonAsync(`from js import prompt
|
||||
def input(p):
|
||||
return prompt(p)
|
||||
__builtins__.input = input`);
|
||||
|
||||
result = await pyodide.runPython(code);
|
||||
|
||||
if (!result) {
|
||||
result = '[NO OUTPUT]';
|
||||
}
|
||||
|
||||
console.log(result);
|
||||
console.log(stdout);
|
||||
console.log(stderr);
|
||||
|
||||
const pltCanvasElement = document.getElementById(`plt-canvas-${id}`);
|
||||
|
||||
if (pltCanvasElement?.innerHTML !== '') {
|
||||
pltCanvasElement.classList.add('pt-4');
|
||||
}
|
||||
} catch (error) {
|
||||
console.error('Error:', error);
|
||||
stderr = error;
|
||||
}
|
||||
|
||||
executing = false;
|
||||
}
|
||||
};
|
||||
|
||||
const executePythonAsWorker = async (code) => {
|
||||
result = null;
|
||||
stdout = null;
|
||||
stderr = null;
|
||||
|
||||
executing = true;
|
||||
|
||||
let packages = [
|
||||
code.includes('requests') ? 'requests' : null,
|
||||
code.includes('bs4') ? 'beautifulsoup4' : null,
|
||||
code.includes('numpy') ? 'numpy' : null,
|
||||
code.includes('pandas') ? 'pandas' : null,
|
||||
code.includes('sklearn') ? 'scikit-learn' : null,
|
||||
code.includes('scipy') ? 'scipy' : null,
|
||||
code.includes('re') ? 'regex' : null,
|
||||
code.includes('seaborn') ? 'seaborn' : null
|
||||
].filter(Boolean);
|
||||
|
||||
console.log(packages);
|
||||
|
||||
const pyodideWorker = new PyodideWorker();
|
||||
|
||||
pyodideWorker.postMessage({
|
||||
id: id,
|
||||
code: code,
|
||||
packages: packages
|
||||
});
|
||||
|
||||
setTimeout(() => {
|
||||
if (executing) {
|
||||
executing = false;
|
||||
stderr = 'Execution Time Limit Exceeded';
|
||||
pyodideWorker.terminate();
|
||||
}
|
||||
}, 60000);
|
||||
|
||||
pyodideWorker.onmessage = (event) => {
|
||||
console.log('pyodideWorker.onmessage', event);
|
||||
const { id, ...data } = event.data;
|
||||
|
||||
console.log(id, data);
|
||||
|
||||
data['stdout'] && (stdout = data['stdout']);
|
||||
data['stderr'] && (stderr = data['stderr']);
|
||||
data['result'] && (result = data['result']);
|
||||
|
||||
executing = false;
|
||||
};
|
||||
|
||||
pyodideWorker.onerror = (event) => {
|
||||
console.log('pyodideWorker.onerror', event);
|
||||
executing = false;
|
||||
};
|
||||
};
|
||||
|
||||
$: highlightedCode = code ? hljs.highlightAuto(code, hljs.getLanguage(lang)?.aliases).value : '';
|
||||
</script>
|
||||
|
||||
{#if code}
|
||||
<div class="mb-4">
|
||||
<div class="mb-4" dir="ltr">
|
||||
<div
|
||||
class="flex justify-between bg-[#202123] text-white text-xs px-4 pt-1 pb-0.5 rounded-t-lg overflow-x-auto"
|
||||
>
|
||||
<div class="p-1">{@html lang}</div>
|
||||
<button class="copy-code-button bg-none border-none p-1" on:click={copyCode}
|
||||
>{copied ? 'Copied' : 'Copy Code'}</button
|
||||
>
|
||||
|
||||
<div class="flex items-center">
|
||||
{#if ['', 'python'].includes(lang) && (lang === 'python' || checkPythonCode(code))}
|
||||
{#if executing}
|
||||
<div class="copy-code-button bg-none border-none p-1 cursor-not-allowed">Running</div>
|
||||
{:else}
|
||||
<button
|
||||
class="copy-code-button bg-none border-none p-1"
|
||||
on:click={() => {
|
||||
executePython(code);
|
||||
}}>Run</button
|
||||
>
|
||||
{/if}
|
||||
{/if}
|
||||
<button class="copy-code-button bg-none border-none p-1" on:click={copyCode}
|
||||
>{copied ? 'Copied' : 'Copy Code'}</button
|
||||
>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<pre
|
||||
class=" hljs p-4 px-5 overflow-x-auto"
|
||||
style="border-top-left-radius: 0px; border-top-right-radius: 0px;"><code
|
||||
style="border-top-left-radius: 0px; border-top-right-radius: 0px; {(executing ||
|
||||
stdout ||
|
||||
stderr ||
|
||||
result) &&
|
||||
'border-bottom-left-radius: 0px; border-bottom-right-radius: 0px;'}"><code
|
||||
class="language-{lang} rounded-t-none whitespace-pre">{@html highlightedCode || code}</code
|
||||
></pre>
|
||||
|
||||
<div
|
||||
id="plt-canvas-{id}"
|
||||
class="bg-[#202123] text-white max-w-full overflow-x-auto scrollbar-hidden"
|
||||
/>
|
||||
|
||||
{#if executing}
|
||||
<div class="bg-[#202123] text-white px-4 py-4 rounded-b-lg">
|
||||
<div class=" text-gray-500 text-xs mb-1">STDOUT/STDERR</div>
|
||||
<div class="text-sm">Running...</div>
|
||||
</div>
|
||||
{:else if stdout || stderr || result}
|
||||
<div class="bg-[#202123] text-white px-4 py-4 rounded-b-lg">
|
||||
<div class=" text-gray-500 text-xs mb-1">STDOUT/STDERR</div>
|
||||
<div class="text-sm">{stdout || stderr || result}</div>
|
||||
</div>
|
||||
{/if}
|
||||
</div>
|
||||
{/if}
|
||||
|
|
|
|||
163
src/lib/components/chat/Messages/CompareMessages.svelte
Normal file
163
src/lib/components/chat/Messages/CompareMessages.svelte
Normal file
|
|
@ -0,0 +1,163 @@
|
|||
<script lang="ts">
|
||||
import { createEventDispatcher } from 'svelte';
|
||||
|
||||
import { updateChatById } from '$lib/apis/chats';
|
||||
import { onMount, tick } from 'svelte';
|
||||
import ResponseMessage from './ResponseMessage.svelte';
|
||||
|
||||
export let chatId;
|
||||
|
||||
export let history;
|
||||
export let messages = [];
|
||||
export let messageIdx;
|
||||
|
||||
export let parentMessage;
|
||||
|
||||
export let selectedModelfiles;
|
||||
|
||||
export let updateChatMessages: Function;
|
||||
export let confirmEditResponseMessage: Function;
|
||||
export let rateMessage: Function;
|
||||
|
||||
export let copyToClipboard: Function;
|
||||
export let continueGeneration: Function;
|
||||
export let regenerateResponse: Function;
|
||||
|
||||
const dispatch = createEventDispatcher();
|
||||
|
||||
let currentMessageId;
|
||||
|
||||
let groupedMessagesIdx = {};
|
||||
let groupedMessages = {};
|
||||
|
||||
$: groupedMessages = parentMessage?.models.reduce((a, model) => {
|
||||
const modelMessages = parentMessage?.childrenIds
|
||||
.map((id) => history.messages[id])
|
||||
.filter((m) => m.model === model);
|
||||
|
||||
return {
|
||||
...a,
|
||||
[model]: { messages: modelMessages }
|
||||
};
|
||||
}, {});
|
||||
|
||||
const showPreviousMessage = (model) => {
|
||||
groupedMessagesIdx[model] = Math.max(0, groupedMessagesIdx[model] - 1);
|
||||
let messageId = groupedMessages[model].messages[groupedMessagesIdx[model]].id;
|
||||
|
||||
console.log(messageId);
|
||||
let messageChildrenIds = history.messages[messageId].childrenIds;
|
||||
|
||||
while (messageChildrenIds.length !== 0) {
|
||||
messageId = messageChildrenIds.at(-1);
|
||||
messageChildrenIds = history.messages[messageId].childrenIds;
|
||||
}
|
||||
|
||||
history.currentId = messageId;
|
||||
|
||||
dispatch('change');
|
||||
};
|
||||
|
||||
const showNextMessage = (model) => {
|
||||
groupedMessagesIdx[model] = Math.min(
|
||||
groupedMessages[model].messages.length - 1,
|
||||
groupedMessagesIdx[model] + 1
|
||||
);
|
||||
|
||||
let messageId = groupedMessages[model].messages[groupedMessagesIdx[model]].id;
|
||||
console.log(messageId);
|
||||
|
||||
let messageChildrenIds = history.messages[messageId].childrenIds;
|
||||
|
||||
while (messageChildrenIds.length !== 0) {
|
||||
messageId = messageChildrenIds.at(-1);
|
||||
messageChildrenIds = history.messages[messageId].childrenIds;
|
||||
}
|
||||
|
||||
history.currentId = messageId;
|
||||
|
||||
dispatch('change');
|
||||
};
|
||||
|
||||
onMount(async () => {
|
||||
await tick();
|
||||
currentMessageId = messages[messageIdx].id;
|
||||
|
||||
for (const model of parentMessage?.models) {
|
||||
const idx = groupedMessages[model].messages.findIndex((m) => m.id === currentMessageId);
|
||||
|
||||
if (idx !== -1) {
|
||||
groupedMessagesIdx[model] = idx;
|
||||
} else {
|
||||
groupedMessagesIdx[model] = 0;
|
||||
}
|
||||
}
|
||||
});
|
||||
</script>
|
||||
|
||||
<div>
|
||||
<div
|
||||
class="flex snap-x snap-mandatory overflow-x-auto scrollbar-hidden"
|
||||
id="responses-container-{parentMessage.id}"
|
||||
>
|
||||
{#each Object.keys(groupedMessages) as model}
|
||||
{#if groupedMessagesIdx[model] !== undefined && groupedMessages[model].messages.length > 0}
|
||||
<!-- svelte-ignore a11y-no-static-element-interactions -->
|
||||
<!-- svelte-ignore a11y-click-events-have-key-events -->
|
||||
|
||||
<div
|
||||
class=" snap-center min-w-80 w-full max-w-full m-1 border {history.messages[
|
||||
currentMessageId
|
||||
].model === model
|
||||
? 'border-gray-100 dark:border-gray-700 border-[1.5px]'
|
||||
: 'border-gray-50 dark:border-gray-850 '} transition p-5 rounded-3xl"
|
||||
on:click={() => {
|
||||
currentMessageId = groupedMessages[model].messages[groupedMessagesIdx[model]].id;
|
||||
|
||||
let messageId = groupedMessages[model].messages[groupedMessagesIdx[model]].id;
|
||||
|
||||
console.log(messageId);
|
||||
let messageChildrenIds = history.messages[messageId].childrenIds;
|
||||
|
||||
while (messageChildrenIds.length !== 0) {
|
||||
messageId = messageChildrenIds.at(-1);
|
||||
messageChildrenIds = history.messages[messageId].childrenIds;
|
||||
}
|
||||
|
||||
history.currentId = messageId;
|
||||
dispatch('change');
|
||||
}}
|
||||
>
|
||||
<ResponseMessage
|
||||
message={groupedMessages[model].messages[groupedMessagesIdx[model]]}
|
||||
modelfiles={selectedModelfiles}
|
||||
siblings={groupedMessages[model].messages.map((m) => m.id)}
|
||||
isLastMessage={true}
|
||||
{updateChatMessages}
|
||||
{confirmEditResponseMessage}
|
||||
showPreviousMessage={() => showPreviousMessage(model)}
|
||||
showNextMessage={() => showNextMessage(model)}
|
||||
{rateMessage}
|
||||
{copyToClipboard}
|
||||
{continueGeneration}
|
||||
regenerateResponse={async (message) => {
|
||||
regenerateResponse(message);
|
||||
await tick();
|
||||
groupedMessagesIdx[model] = groupedMessages[model].messages.length - 1;
|
||||
}}
|
||||
on:save={async (e) => {
|
||||
console.log('save', e);
|
||||
|
||||
const message = e.detail;
|
||||
history.messages[message.id] = message;
|
||||
await updateChatById(localStorage.token, chatId, {
|
||||
messages: messages,
|
||||
history: history
|
||||
});
|
||||
}}
|
||||
/>
|
||||
</div>
|
||||
{/if}
|
||||
{/each}
|
||||
</div>
|
||||
</div>
|
||||
|
|
@ -1,3 +1,3 @@
|
|||
<div class=" self-center font-bold mb-0.5 line-clamp-1">
|
||||
<div class=" self-center font-bold mb-0.5 line-clamp-1 contents">
|
||||
<slot />
|
||||
</div>
|
||||
|
|
|
|||
|
|
@ -43,6 +43,7 @@
|
|||
>
|
||||
{#if model in modelfiles}
|
||||
<img
|
||||
crossorigin="anonymous"
|
||||
src={modelfiles[model]?.imageUrl ?? `${WEBUI_BASE_URL}/static/favicon.png`}
|
||||
alt="modelfile"
|
||||
class=" size-[2.7rem] rounded-full border-[1px] border-gray-200 dark:border-none"
|
||||
|
|
@ -50,6 +51,7 @@
|
|||
/>
|
||||
{:else}
|
||||
<img
|
||||
crossorigin="anonymous"
|
||||
src={$i18n.language === 'dg-DG'
|
||||
? `/doge.png`
|
||||
: `${WEBUI_BASE_URL}/static/favicon.png`}
|
||||
|
|
|
|||
|
|
@ -1,7 +1,21 @@
|
|||
<script lang="ts">
|
||||
import { settings } from '$lib/stores';
|
||||
import { WEBUI_BASE_URL } from '$lib/constants';
|
||||
|
||||
export let src = '/user.png';
|
||||
</script>
|
||||
|
||||
<div class=" mr-3">
|
||||
<img {src} class=" w-8 object-cover rounded-full" alt="profile" draggable="false" />
|
||||
<div class={($settings?.chatDirection ?? 'LTR') === 'LTR' ? 'mr-3' : 'ml-3'}>
|
||||
<img
|
||||
crossorigin="anonymous"
|
||||
src={src.startsWith(WEBUI_BASE_URL) ||
|
||||
src.startsWith('https://www.gravatar.com/avatar/') ||
|
||||
src.startsWith('data:') ||
|
||||
src.startsWith('/')
|
||||
? src
|
||||
: `/user.png`}
|
||||
class=" w-8 object-cover rounded-full"
|
||||
alt="profile"
|
||||
draggable="false"
|
||||
/>
|
||||
</div>
|
||||
|
|
|
|||
|
|
@ -69,7 +69,7 @@
|
|||
|
||||
let selectedCitation = null;
|
||||
|
||||
$: tokens = marked.lexer(sanitizeResponseContent(message.content));
|
||||
$: tokens = marked.lexer(sanitizeResponseContent(message?.content));
|
||||
|
||||
const renderer = new marked.Renderer();
|
||||
|
||||
|
|
@ -332,7 +332,11 @@
|
|||
<CitationsModal bind:show={showCitationModal} citation={selectedCitation} />
|
||||
|
||||
{#key message.id}
|
||||
<div class=" flex w-full message-{message.id}" id="message-{message.id}">
|
||||
<div
|
||||
class=" flex w-full message-{message.id}"
|
||||
id="message-{message.id}"
|
||||
dir={$settings.chatDirection}
|
||||
>
|
||||
<ProfileImage
|
||||
src={modelfiles[message.model]?.imageUrl ??
|
||||
($i18n.language === 'dg-DG' ? `/doge.png` : `${WEBUI_BASE_URL}/static/favicon.png`)}
|
||||
|
|
@ -434,9 +438,10 @@
|
|||
{:else if message.content === ''}
|
||||
<Skeleton />
|
||||
{:else}
|
||||
{#each tokens as token}
|
||||
{#each tokens as token, tokenIdx}
|
||||
{#if token.type === 'code'}
|
||||
<CodeBlock
|
||||
id={`${message.id}-${tokenIdx}`}
|
||||
lang={token.lang}
|
||||
code={revertSanitizedResponseContent(token.text)}
|
||||
/>
|
||||
|
|
@ -494,7 +499,7 @@
|
|||
class=" flex justify-start overflow-x-auto buttons text-gray-600 dark:text-gray-500"
|
||||
>
|
||||
{#if siblings.length > 1}
|
||||
<div class="flex self-center">
|
||||
<div class="flex self-center min-w-fit" dir="ltr">
|
||||
<button
|
||||
class="self-center p-1 hover:bg-black/5 dark:hover:bg-white/5 dark:hover:text-white hover:text-black rounded-md transition"
|
||||
on:click={() => {
|
||||
|
|
@ -518,7 +523,7 @@
|
|||
</button>
|
||||
|
||||
<div
|
||||
class="text-sm tracking-widest font-semibold self-center dark:text-gray-100"
|
||||
class="text-sm tracking-widest font-semibold self-center dark:text-gray-100 min-w-fit"
|
||||
>
|
||||
{siblings.indexOf(message.id) + 1}/{siblings.length}
|
||||
</div>
|
||||
|
|
@ -889,7 +894,9 @@
|
|||
class="{isLastMessage
|
||||
? 'visible'
|
||||
: 'invisible group-hover:visible'} p-1.5 hover:bg-black/5 dark:hover:bg-white/5 rounded-lg dark:hover:text-white hover:text-black transition regenerate-response-button"
|
||||
on:click={regenerateResponse}
|
||||
on:click={() => {
|
||||
regenerateResponse(message);
|
||||
}}
|
||||
>
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
|
|
|
|||
|
|
@ -7,6 +7,8 @@
|
|||
import { modelfiles, settings } from '$lib/stores';
|
||||
import Tooltip from '$lib/components/common/Tooltip.svelte';
|
||||
|
||||
import { user as _user } from '$lib/stores';
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
const dispatch = createEventDispatcher();
|
||||
|
|
@ -54,7 +56,7 @@
|
|||
};
|
||||
</script>
|
||||
|
||||
<div class=" flex w-full user-message">
|
||||
<div class=" flex w-full user-message" dir={$settings.chatDirection}>
|
||||
{#if !($settings?.chatBubble ?? true)}
|
||||
<ProfileImage
|
||||
src={message.user
|
||||
|
|
@ -63,7 +65,7 @@
|
|||
: user?.profile_image_url ?? '/user.png'}
|
||||
/>
|
||||
{/if}
|
||||
<div class="w-full overflow-hidden">
|
||||
<div class="w-full overflow-hidden pl-1">
|
||||
{#if !($settings?.chatBubble ?? true)}
|
||||
<div>
|
||||
<Name>
|
||||
|
|
@ -74,7 +76,7 @@
|
|||
{$i18n.t('You')}
|
||||
<span class=" text-gray-500 text-sm font-medium">{message?.user ?? ''}</span>
|
||||
{/if}
|
||||
{:else if $settings.showUsername}
|
||||
{:else if $settings.showUsername || $_user.name !== user.name}
|
||||
{user.name}
|
||||
{:else}
|
||||
{$i18n.t('You')}
|
||||
|
|
@ -239,7 +241,7 @@
|
|||
>
|
||||
{#if !($settings?.chatBubble ?? true)}
|
||||
{#if siblings.length > 1}
|
||||
<div class="flex self-center">
|
||||
<div class="flex self-center" dir="ltr">
|
||||
<button
|
||||
class="self-center p-1 hover:bg-black/5 dark:hover:bg-white/5 dark:hover:text-white hover:text-black rounded-md transition"
|
||||
on:click={() => {
|
||||
|
|
@ -368,7 +370,7 @@
|
|||
|
||||
{#if $settings?.chatBubble ?? true}
|
||||
{#if siblings.length > 1}
|
||||
<div class="flex self-center">
|
||||
<div class="flex self-center" dir="ltr">
|
||||
<button
|
||||
class="self-center p-1 hover:bg-black/5 dark:hover:bg-white/5 dark:hover:text-white hover:text-black rounded-md transition"
|
||||
on:click={() => {
|
||||
|
|
|
|||
|
|
@ -25,7 +25,7 @@
|
|||
|
||||
export let items = [{ value: 'mango', label: 'Mango' }];
|
||||
|
||||
export let className = ' w-[30rem]';
|
||||
export let className = 'w-[30rem]';
|
||||
|
||||
let show = false;
|
||||
|
||||
|
|
@ -36,7 +36,7 @@
|
|||
let ollamaVersion = null;
|
||||
|
||||
$: filteredItems = searchValue
|
||||
? items.filter((item) => item.value.includes(searchValue.toLowerCase()))
|
||||
? items.filter((item) => item.value.toLowerCase().includes(searchValue.toLowerCase()))
|
||||
: items;
|
||||
|
||||
const pullModelHandler = async () => {
|
||||
|
|
@ -203,7 +203,9 @@
|
|||
</DropdownMenu.Trigger>
|
||||
|
||||
<DropdownMenu.Content
|
||||
class=" z-40 {className} max-w-[calc(100vw-1rem)] justify-start rounded-xl bg-white dark:bg-gray-850 dark:text-white shadow-lg border border-gray-300/30 dark:border-gray-700/50 outline-none "
|
||||
class=" z-40 {$mobile
|
||||
? `w-full`
|
||||
: `${className}`} max-w-[calc(100vw-1rem)] justify-start rounded-xl bg-white dark:bg-gray-850 dark:text-white shadow-lg border border-gray-300/30 dark:border-gray-700/50 outline-none "
|
||||
transition={flyAndScale}
|
||||
side={$mobile ? 'bottom' : 'bottom-start'}
|
||||
sideOffset={4}
|
||||
|
|
|
|||
|
|
@ -127,7 +127,7 @@
|
|||
|
||||
if (
|
||||
files.length > 0 &&
|
||||
['image/gif', 'image/jpeg', 'image/png'].includes(files[0]['type'])
|
||||
['image/gif', 'image/webp', 'image/jpeg', 'image/png'].includes(files[0]['type'])
|
||||
) {
|
||||
reader.readAsDataURL(files[0]);
|
||||
}
|
||||
|
|
|
|||
|
|
@ -5,28 +5,27 @@
|
|||
|
||||
import { getOllamaUrls, getOllamaVersion, updateOllamaUrls } from '$lib/apis/ollama';
|
||||
import {
|
||||
getOpenAIConfig,
|
||||
getOpenAIKeys,
|
||||
getOpenAIUrls,
|
||||
updateOpenAIConfig,
|
||||
updateOpenAIKeys,
|
||||
updateOpenAIUrls
|
||||
} from '$lib/apis/openai';
|
||||
import { toast } from 'svelte-sonner';
|
||||
import Switch from '$lib/components/common/Switch.svelte';
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
export let getModels: Function;
|
||||
|
||||
// External
|
||||
let OLLAMA_BASE_URL = '';
|
||||
let OLLAMA_BASE_URLS = [''];
|
||||
|
||||
let OPENAI_API_KEY = '';
|
||||
let OPENAI_API_BASE_URL = '';
|
||||
|
||||
let OPENAI_API_KEYS = [''];
|
||||
let OPENAI_API_BASE_URLS = [''];
|
||||
|
||||
let showOpenAI = false;
|
||||
let ENABLE_OPENAI_API = false;
|
||||
|
||||
const updateOpenAIHandler = async () => {
|
||||
OPENAI_API_BASE_URLS = await updateOpenAIUrls(localStorage.token, OPENAI_API_BASE_URLS);
|
||||
|
|
@ -52,6 +51,10 @@
|
|||
onMount(async () => {
|
||||
if ($user.role === 'admin') {
|
||||
OLLAMA_BASE_URLS = await getOllamaUrls(localStorage.token);
|
||||
|
||||
const config = await getOpenAIConfig(localStorage.token);
|
||||
ENABLE_OPENAI_API = config.ENABLE_OPENAI_API;
|
||||
|
||||
OPENAI_API_BASE_URLS = await getOpenAIUrls(localStorage.token);
|
||||
OPENAI_API_KEYS = await getOpenAIKeys(localStorage.token);
|
||||
}
|
||||
|
|
@ -70,16 +73,18 @@
|
|||
<div class="mt-2 space-y-2 pr-1.5">
|
||||
<div class="flex justify-between items-center text-sm">
|
||||
<div class=" font-medium">{$i18n.t('OpenAI API')}</div>
|
||||
<button
|
||||
class=" text-xs font-medium text-gray-500"
|
||||
type="button"
|
||||
on:click={() => {
|
||||
showOpenAI = !showOpenAI;
|
||||
}}>{showOpenAI ? $i18n.t('Hide') : $i18n.t('Show')}</button
|
||||
>
|
||||
|
||||
<div class="mt-1">
|
||||
<Switch
|
||||
bind:state={ENABLE_OPENAI_API}
|
||||
on:change={async () => {
|
||||
updateOpenAIConfig(localStorage.token, ENABLE_OPENAI_API);
|
||||
}}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{#if showOpenAI}
|
||||
{#if ENABLE_OPENAI_API}
|
||||
<div class="flex flex-col gap-1">
|
||||
{#each OPENAI_API_BASE_URLS as url, idx}
|
||||
<div class="flex w-full gap-2">
|
||||
|
|
|
|||
|
|
@ -23,6 +23,7 @@
|
|||
let promptSuggestions = [];
|
||||
let showUsername = false;
|
||||
let chatBubble = true;
|
||||
let chatDirection: 'LTR' | 'RTL' = 'LTR';
|
||||
|
||||
const toggleSplitLargeChunks = async () => {
|
||||
splitLargeChunks = !splitLargeChunks;
|
||||
|
|
@ -76,6 +77,11 @@
|
|||
}
|
||||
};
|
||||
|
||||
const toggleChangeChatDirection = async () => {
|
||||
chatDirection = chatDirection === 'LTR' ? 'RTL' : 'LTR';
|
||||
saveSettings({ chatDirection });
|
||||
};
|
||||
|
||||
const updateInterfaceHandler = async () => {
|
||||
if ($user.role === 'admin') {
|
||||
promptSuggestions = await setDefaultPromptSuggestions(localStorage.token, promptSuggestions);
|
||||
|
|
@ -114,6 +120,7 @@
|
|||
chatBubble = settings.chatBubble ?? true;
|
||||
fullScreenMode = settings.fullScreenMode ?? false;
|
||||
splitLargeChunks = settings.splitLargeChunks ?? false;
|
||||
chatDirection = settings.chatDirection ?? 'LTR';
|
||||
});
|
||||
</script>
|
||||
|
||||
|
|
@ -210,27 +217,29 @@
|
|||
</div>
|
||||
</div>
|
||||
|
||||
<div>
|
||||
<div class=" py-0.5 flex w-full justify-between">
|
||||
<div class=" self-center text-xs font-medium">
|
||||
{$i18n.t('Display the username instead of You in the Chat')}
|
||||
</div>
|
||||
{#if !$settings.chatBubble}
|
||||
<div>
|
||||
<div class=" py-0.5 flex w-full justify-between">
|
||||
<div class=" self-center text-xs font-medium">
|
||||
{$i18n.t('Display the username instead of You in the Chat')}
|
||||
</div>
|
||||
|
||||
<button
|
||||
class="p-1 px-3 text-xs flex rounded transition"
|
||||
on:click={() => {
|
||||
toggleShowUsername();
|
||||
}}
|
||||
type="button"
|
||||
>
|
||||
{#if showUsername === true}
|
||||
<span class="ml-2 self-center">{$i18n.t('On')}</span>
|
||||
{:else}
|
||||
<span class="ml-2 self-center">{$i18n.t('Off')}</span>
|
||||
{/if}
|
||||
</button>
|
||||
<button
|
||||
class="p-1 px-3 text-xs flex rounded transition"
|
||||
on:click={() => {
|
||||
toggleShowUsername();
|
||||
}}
|
||||
type="button"
|
||||
>
|
||||
{#if showUsername === true}
|
||||
<span class="ml-2 self-center">{$i18n.t('On')}</span>
|
||||
{:else}
|
||||
<span class="ml-2 self-center">{$i18n.t('Off')}</span>
|
||||
{/if}
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
{/if}
|
||||
|
||||
<div>
|
||||
<div class=" py-0.5 flex w-full justify-between">
|
||||
|
|
@ -255,6 +264,24 @@
|
|||
</div>
|
||||
</div>
|
||||
|
||||
<div>
|
||||
<div class=" py-0.5 flex w-full justify-between">
|
||||
<div class=" self-center text-xs font-medium">{$i18n.t('Chat direction')}</div>
|
||||
|
||||
<button
|
||||
class="p-1 px-3 text-xs flex rounded transition"
|
||||
on:click={toggleChangeChatDirection}
|
||||
type="button"
|
||||
>
|
||||
{#if chatDirection === 'LTR'}
|
||||
<span class="ml-2 self-center">{$i18n.t('LTR')}</span>
|
||||
{:else}
|
||||
<span class="ml-2 self-center">{$i18n.t('RTL')}</span>
|
||||
{/if}
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<hr class=" dark:border-gray-700" />
|
||||
|
||||
<div>
|
||||
|
|
|
|||
96
src/lib/components/chat/Settings/Personalization.svelte
Normal file
96
src/lib/components/chat/Settings/Personalization.svelte
Normal file
|
|
@ -0,0 +1,96 @@
|
|||
<script lang="ts">
|
||||
import { getBackendConfig } from '$lib/apis';
|
||||
import { setDefaultPromptSuggestions } from '$lib/apis/configs';
|
||||
import Switch from '$lib/components/common/Switch.svelte';
|
||||
import { config, models, settings, user } from '$lib/stores';
|
||||
import { createEventDispatcher, onMount, getContext, tick } from 'svelte';
|
||||
import { toast } from 'svelte-sonner';
|
||||
import ManageModal from './Personalization/ManageModal.svelte';
|
||||
import Tooltip from '$lib/components/common/Tooltip.svelte';
|
||||
const dispatch = createEventDispatcher();
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
export let saveSettings: Function;
|
||||
|
||||
let showManageModal = false;
|
||||
|
||||
// Addons
|
||||
let enableMemory = false;
|
||||
|
||||
onMount(async () => {
|
||||
let settings = JSON.parse(localStorage.getItem('settings') ?? '{}');
|
||||
enableMemory = settings?.memory ?? false;
|
||||
});
|
||||
</script>
|
||||
|
||||
<ManageModal bind:show={showManageModal} />
|
||||
|
||||
<form
|
||||
class="flex flex-col h-full justify-between space-y-3 text-sm"
|
||||
on:submit|preventDefault={() => {
|
||||
dispatch('save');
|
||||
}}
|
||||
>
|
||||
<div class=" pr-1.5 overflow-y-scroll max-h-[25rem]">
|
||||
<div>
|
||||
<div class="flex items-center justify-between mb-1">
|
||||
<Tooltip
|
||||
content="This is an experimental feature, it may not function as expected and is subject to change at any time."
|
||||
>
|
||||
<div class="text-sm font-medium">
|
||||
{$i18n.t('Memory')}
|
||||
|
||||
<span class=" text-xs text-gray-500">({$i18n.t('Experimental')})</span>
|
||||
</div>
|
||||
</Tooltip>
|
||||
|
||||
<div class="mt-1">
|
||||
<Switch
|
||||
bind:state={enableMemory}
|
||||
on:change={async () => {
|
||||
saveSettings({ memory: enableMemory });
|
||||
}}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="text-xs text-gray-600 dark:text-gray-400">
|
||||
<div>
|
||||
You can personalize your interactions with LLMs by adding memories through the 'Manage'
|
||||
button below, making them more helpful and tailored to you.
|
||||
</div>
|
||||
|
||||
<!-- <div class="mt-3">
|
||||
To understand what LLM remembers or teach it something new, just chat with it:
|
||||
|
||||
<div>- “Remember that I like concise responses.”</div>
|
||||
<div>- “I just got a puppy!”</div>
|
||||
<div>- “What do you remember about me?”</div>
|
||||
<div>- “Where did we leave off on my last project?”</div>
|
||||
</div> -->
|
||||
</div>
|
||||
|
||||
<div class="mt-3 mb-1 ml-1">
|
||||
<button
|
||||
type="button"
|
||||
class=" px-3.5 py-1.5 font-medium hover:bg-black/5 dark:hover:bg-white/5 outline outline-1 outline-gray-300 dark:outline-gray-800 rounded-3xl"
|
||||
on:click={() => {
|
||||
showManageModal = true;
|
||||
}}
|
||||
>
|
||||
Manage
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="flex justify-end text-sm font-medium">
|
||||
<button
|
||||
class=" px-4 py-2 bg-emerald-700 hover:bg-emerald-800 text-gray-100 transition rounded-lg"
|
||||
type="submit"
|
||||
>
|
||||
{$i18n.t('Save')}
|
||||
</button>
|
||||
</div>
|
||||
</form>
|
||||
|
|
@ -0,0 +1,125 @@
|
|||
<script>
|
||||
import { createEventDispatcher, getContext } from 'svelte';
|
||||
|
||||
import Modal from '$lib/components/common/Modal.svelte';
|
||||
import { addNewMemory } from '$lib/apis/memories';
|
||||
import { toast } from 'svelte-sonner';
|
||||
|
||||
const dispatch = createEventDispatcher();
|
||||
|
||||
export let show;
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
let loading = false;
|
||||
let content = '';
|
||||
|
||||
const submitHandler = async () => {
|
||||
loading = true;
|
||||
|
||||
const res = await addNewMemory(localStorage.token, content).catch((error) => {
|
||||
toast.error(error);
|
||||
|
||||
return null;
|
||||
});
|
||||
|
||||
if (res) {
|
||||
console.log(res);
|
||||
toast.success('Memory added successfully');
|
||||
content = '';
|
||||
show = false;
|
||||
dispatch('save');
|
||||
}
|
||||
|
||||
loading = false;
|
||||
};
|
||||
</script>
|
||||
|
||||
<Modal bind:show size="sm">
|
||||
<div>
|
||||
<div class=" flex justify-between dark:text-gray-300 px-5 pt-4 pb-2">
|
||||
<div class=" text-lg font-medium self-center">{$i18n.t('Add Memory')}</div>
|
||||
<button
|
||||
class="self-center"
|
||||
on:click={() => {
|
||||
show = false;
|
||||
}}
|
||||
>
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
viewBox="0 0 20 20"
|
||||
fill="currentColor"
|
||||
class="w-5 h-5"
|
||||
>
|
||||
<path
|
||||
d="M6.28 5.22a.75.75 0 00-1.06 1.06L8.94 10l-3.72 3.72a.75.75 0 101.06 1.06L10 11.06l3.72 3.72a.75.75 0 101.06-1.06L11.06 10l3.72-3.72a.75.75 0 00-1.06-1.06L10 8.94 6.28 5.22z"
|
||||
/>
|
||||
</svg>
|
||||
</button>
|
||||
</div>
|
||||
|
||||
<div class="flex flex-col md:flex-row w-full px-5 pb-4 md:space-x-4 dark:text-gray-200">
|
||||
<div class=" flex flex-col w-full sm:flex-row sm:justify-center sm:space-x-6">
|
||||
<form
|
||||
class="flex flex-col w-full"
|
||||
on:submit|preventDefault={() => {
|
||||
submitHandler();
|
||||
}}
|
||||
>
|
||||
<div class="">
|
||||
<textarea
|
||||
bind:value={content}
|
||||
class=" bg-transparent w-full text-sm resize-none rounded-xl p-3 outline outline-1 outline-gray-100 dark:outline-gray-800"
|
||||
rows="3"
|
||||
placeholder={$i18n.t('Enter a detail about yourself for your LLMs to recall')}
|
||||
/>
|
||||
|
||||
<div class="text-xs text-gray-500">
|
||||
ⓘ Refer to yourself as "User" (e.g., "User is learning Spanish")
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div class="flex justify-end pt-1 text-sm font-medium">
|
||||
<button
|
||||
class=" px-4 py-2 bg-emerald-700 hover:bg-emerald-800 text-gray-100 transition rounded-3xl flex flex-row space-x-1 items-center {loading
|
||||
? ' cursor-not-allowed'
|
||||
: ''}"
|
||||
type="submit"
|
||||
disabled={loading}
|
||||
>
|
||||
{$i18n.t('Add')}
|
||||
|
||||
{#if loading}
|
||||
<div class="ml-2 self-center">
|
||||
<svg
|
||||
class=" w-4 h-4"
|
||||
viewBox="0 0 24 24"
|
||||
fill="currentColor"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
><style>
|
||||
.spinner_ajPY {
|
||||
transform-origin: center;
|
||||
animation: spinner_AtaB 0.75s infinite linear;
|
||||
}
|
||||
@keyframes spinner_AtaB {
|
||||
100% {
|
||||
transform: rotate(360deg);
|
||||
}
|
||||
}
|
||||
</style><path
|
||||
d="M12,1A11,11,0,1,0,23,12,11,11,0,0,0,12,1Zm0,19a8,8,0,1,1,8-8A8,8,0,0,1,12,20Z"
|
||||
opacity=".25"
|
||||
/><path
|
||||
d="M10.14,1.16a11,11,0,0,0-9,8.92A1.59,1.59,0,0,0,2.46,12,1.52,1.52,0,0,0,4.11,10.7a8,8,0,0,1,6.66-6.61A1.42,1.42,0,0,0,12,2.69h0A1.57,1.57,0,0,0,10.14,1.16Z"
|
||||
class="spinner_ajPY"
|
||||
/></svg
|
||||
>
|
||||
</div>
|
||||
{/if}
|
||||
</button>
|
||||
</div>
|
||||
</form>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</Modal>
|
||||
|
|
@ -0,0 +1,165 @@
|
|||
<script lang="ts">
|
||||
import { toast } from 'svelte-sonner';
|
||||
import dayjs from 'dayjs';
|
||||
import { getContext, createEventDispatcher } from 'svelte';
|
||||
|
||||
const dispatch = createEventDispatcher();
|
||||
|
||||
import Modal from '$lib/components/common/Modal.svelte';
|
||||
import AddMemoryModal from './AddMemoryModal.svelte';
|
||||
import { deleteMemoriesByUserId, deleteMemoryById, getMemories } from '$lib/apis/memories';
|
||||
import Tooltip from '$lib/components/common/Tooltip.svelte';
|
||||
import { error } from '@sveltejs/kit';
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
export let show = false;
|
||||
|
||||
let memories = [];
|
||||
|
||||
let showAddMemoryModal = false;
|
||||
|
||||
$: if (show) {
|
||||
(async () => {
|
||||
memories = await getMemories(localStorage.token);
|
||||
})();
|
||||
}
|
||||
</script>
|
||||
|
||||
<Modal size="xl" bind:show>
|
||||
<div>
|
||||
<div class=" flex justify-between dark:text-gray-300 px-5 pt-4 pb-1">
|
||||
<div class=" text-lg font-medium self-center">{$i18n.t('Memory')}</div>
|
||||
<button
|
||||
class="self-center"
|
||||
on:click={() => {
|
||||
show = false;
|
||||
}}
|
||||
>
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
viewBox="0 0 20 20"
|
||||
fill="currentColor"
|
||||
class="w-5 h-5"
|
||||
>
|
||||
<path
|
||||
d="M6.28 5.22a.75.75 0 00-1.06 1.06L8.94 10l-3.72 3.72a.75.75 0 101.06 1.06L10 11.06l3.72 3.72a.75.75 0 101.06-1.06L11.06 10l3.72-3.72a.75.75 0 00-1.06-1.06L10 8.94 6.28 5.22z"
|
||||
/>
|
||||
</svg>
|
||||
</button>
|
||||
</div>
|
||||
|
||||
<div class="flex flex-col w-full px-5 pb-5 dark:text-gray-200">
|
||||
<div
|
||||
class=" flex flex-col w-full sm:flex-row sm:justify-center sm:space-x-6 h-[28rem] max-h-screen outline outline-1 rounded-xl outline-gray-100 dark:outline-gray-800 mb-4 mt-1"
|
||||
>
|
||||
{#if memories.length > 0}
|
||||
<div class="text-left text-sm w-full mb-4 max-h-[22rem] overflow-y-scroll">
|
||||
<div class="relative overflow-x-auto">
|
||||
<table class="w-full text-sm text-left text-gray-600 dark:text-gray-400 table-auto">
|
||||
<thead
|
||||
class="text-xs text-gray-700 uppercase bg-transparent dark:text-gray-200 border-b-2 dark:border-gray-800"
|
||||
>
|
||||
<tr>
|
||||
<th scope="col" class="px-3 py-2"> {$i18n.t('Name')} </th>
|
||||
<th scope="col" class="px-3 py-2 hidden md:flex"> {$i18n.t('Created At')} </th>
|
||||
<th scope="col" class="px-3 py-2 text-right" />
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{#each memories as memory}
|
||||
<tr class="border-b dark:border-gray-800 items-center">
|
||||
<td class="px-3 py-1">
|
||||
<div class="line-clamp-1">
|
||||
{memory.content}
|
||||
</div>
|
||||
</td>
|
||||
<td class=" px-3 py-1 hidden md:flex h-[2.5rem]">
|
||||
<div class="my-auto whitespace-nowrap">
|
||||
{dayjs(memory.created_at * 1000).format($i18n.t('MMMM DD, YYYY'))}
|
||||
</div>
|
||||
</td>
|
||||
<td class="px-3 py-1">
|
||||
<div class="flex justify-end w-full">
|
||||
<Tooltip content="Delete">
|
||||
<button
|
||||
class="self-center w-fit text-sm px-2 py-2 hover:bg-black/5 dark:hover:bg-white/5 rounded-xl"
|
||||
on:click={async () => {
|
||||
const res = await deleteMemoryById(
|
||||
localStorage.token,
|
||||
memory.id
|
||||
).catch((error) => {
|
||||
toast.error(error);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (res) {
|
||||
toast.success('Memory deleted successfully');
|
||||
memories = await getMemories(localStorage.token);
|
||||
}
|
||||
}}
|
||||
>
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
fill="none"
|
||||
viewBox="0 0 24 24"
|
||||
stroke-width="1.5"
|
||||
stroke="currentColor"
|
||||
class="w-4 h-4"
|
||||
>
|
||||
<path
|
||||
stroke-linecap="round"
|
||||
stroke-linejoin="round"
|
||||
d="m14.74 9-.346 9m-4.788 0L9.26 9m9.968-3.21c.342.052.682.107 1.022.166m-1.022-.165L18.16 19.673a2.25 2.25 0 0 1-2.244 2.077H8.084a2.25 2.25 0 0 1-2.244-2.077L4.772 5.79m14.456 0a48.108 48.108 0 0 0-3.478-.397m-12 .562c.34-.059.68-.114 1.022-.165m0 0a48.11 48.11 0 0 1 3.478-.397m7.5 0v-.916c0-1.18-.91-2.164-2.09-2.201a51.964 51.964 0 0 0-3.32 0c-1.18.037-2.09 1.022-2.09 2.201v.916m7.5 0a48.667 48.667 0 0 0-7.5 0"
|
||||
/>
|
||||
</svg>
|
||||
</button>
|
||||
</Tooltip>
|
||||
</div>
|
||||
</td>
|
||||
</tr>
|
||||
{/each}
|
||||
</tbody>
|
||||
</table>
|
||||
</div>
|
||||
</div>
|
||||
{:else}
|
||||
<div class="text-center flex h-full text-sm w-full">
|
||||
<div class=" my-auto pb-10 px-4 w-full text-gray-500">
|
||||
{$i18n.t('Memories accessible by LLMs will be shown here.')}
|
||||
</div>
|
||||
</div>
|
||||
{/if}
|
||||
</div>
|
||||
<div class="flex text-sm font-medium gap-1.5">
|
||||
<button
|
||||
class=" px-3.5 py-1.5 font-medium hover:bg-black/5 dark:hover:bg-white/5 outline outline-1 outline-gray-300 dark:outline-gray-800 rounded-3xl"
|
||||
on:click={() => {
|
||||
showAddMemoryModal = true;
|
||||
}}>Add memory</button
|
||||
>
|
||||
<button
|
||||
class=" px-3.5 py-1.5 font-medium text-red-500 hover:bg-black/5 dark:hover:bg-white/5 outline outline-1 outline-red-300 dark:outline-red-800 rounded-3xl"
|
||||
on:click={async () => {
|
||||
const res = await deleteMemoriesByUserId(localStorage.token).catch((error) => {
|
||||
toast.error(error);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (res) {
|
||||
toast.success('Memory cleared successfully');
|
||||
memories = [];
|
||||
}
|
||||
}}>Clear memory</button
|
||||
>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</Modal>
|
||||
|
||||
<AddMemoryModal
|
||||
bind:show={showAddMemoryModal}
|
||||
on:save={async () => {
|
||||
memories = await getMemories(localStorage.token);
|
||||
}}
|
||||
/>
|
||||
|
|
@ -15,6 +15,8 @@
|
|||
import Chats from './Settings/Chats.svelte';
|
||||
import Connections from './Settings/Connections.svelte';
|
||||
import Images from './Settings/Images.svelte';
|
||||
import User from '../icons/User.svelte';
|
||||
import Personalization from './Settings/Personalization.svelte';
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
|
|
@ -167,28 +169,17 @@
|
|||
|
||||
<button
|
||||
class="px-2.5 py-2.5 min-w-fit rounded-lg flex-1 md:flex-none flex text-right transition {selectedTab ===
|
||||
'interface'
|
||||
'personalization'
|
||||
? 'bg-gray-200 dark:bg-gray-700'
|
||||
: ' hover:bg-gray-300 dark:hover:bg-gray-800'}"
|
||||
on:click={() => {
|
||||
selectedTab = 'interface';
|
||||
selectedTab = 'personalization';
|
||||
}}
|
||||
>
|
||||
<div class=" self-center mr-2">
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
viewBox="0 0 16 16"
|
||||
fill="currentColor"
|
||||
class="w-4 h-4"
|
||||
>
|
||||
<path
|
||||
fill-rule="evenodd"
|
||||
d="M2 4.25A2.25 2.25 0 0 1 4.25 2h7.5A2.25 2.25 0 0 1 14 4.25v5.5A2.25 2.25 0 0 1 11.75 12h-1.312c.1.128.21.248.328.36a.75.75 0 0 1 .234.545v.345a.75.75 0 0 1-.75.75h-4.5a.75.75 0 0 1-.75-.75v-.345a.75.75 0 0 1 .234-.545c.118-.111.228-.232.328-.36H4.25A2.25 2.25 0 0 1 2 9.75v-5.5Zm2.25-.75a.75.75 0 0 0-.75.75v4.5c0 .414.336.75.75.75h7.5a.75.75 0 0 0 .75-.75v-4.5a.75.75 0 0 0-.75-.75h-7.5Z"
|
||||
clip-rule="evenodd"
|
||||
/>
|
||||
</svg>
|
||||
<User />
|
||||
</div>
|
||||
<div class=" self-center">{$i18n.t('Interface')}</div>
|
||||
<div class=" self-center">{$i18n.t('Personalization')}</div>
|
||||
</button>
|
||||
|
||||
<button
|
||||
|
|
@ -349,6 +340,13 @@
|
|||
toast.success($i18n.t('Settings saved successfully!'));
|
||||
}}
|
||||
/>
|
||||
{:else if selectedTab === 'personalization'}
|
||||
<Personalization
|
||||
{saveSettings}
|
||||
on:save={() => {
|
||||
toast.success($i18n.t('Settings saved successfully!'));
|
||||
}}
|
||||
/>
|
||||
{:else if selectedTab === 'audio'}
|
||||
<Audio
|
||||
{saveSettings}
|
||||
|
|
|
|||
|
|
@ -65,7 +65,7 @@
|
|||
return false;
|
||||
}
|
||||
return chat.id !== _chat.id || chat.share_id !== _chat.share_id;
|
||||
}
|
||||
};
|
||||
|
||||
$: if (show) {
|
||||
(async () => {
|
||||
|
|
@ -128,7 +128,7 @@
|
|||
{$i18n.t('and create a new shared link.')}
|
||||
{:else}
|
||||
{$i18n.t(
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat."
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat."
|
||||
)}
|
||||
{/if}
|
||||
</div>
|
||||
|
|
|
|||
|
|
@ -18,7 +18,7 @@
|
|||
} else if (size === 'md') {
|
||||
return 'w-[48rem]';
|
||||
} else {
|
||||
return 'w-[50rem]';
|
||||
return 'w-[56rem]';
|
||||
}
|
||||
};
|
||||
|
||||
|
|
|
|||
|
|
@ -26,7 +26,7 @@
|
|||
let searchValue = '';
|
||||
|
||||
$: filteredItems = searchValue
|
||||
? items.filter((item) => item.value.includes(searchValue.toLowerCase()))
|
||||
? items.filter((item) => item.value.toLowerCase().includes(searchValue.toLowerCase()))
|
||||
: items;
|
||||
</script>
|
||||
|
||||
|
|
|
|||
|
|
@ -14,7 +14,7 @@
|
|||
}}
|
||||
class="flex h-5 min-h-5 w-9 shrink-0 cursor-pointer items-center rounded-full px-[3px] transition {state
|
||||
? ' bg-emerald-600'
|
||||
: 'bg-gray-200 dark:bg-transparent'} outline outline-gray-100 dark:outline-gray-800"
|
||||
: 'bg-gray-200 dark:bg-transparent'} outline outline-1 outline-gray-100 dark:outline-gray-800"
|
||||
>
|
||||
<Switch.Thumb
|
||||
class="pointer-events-none block size-4 shrink-0 rounded-full bg-white transition-transform data-[state=checked]:translate-x-3.5 data-[state=unchecked]:translate-x-0 data-[state=unchecked]:shadow-mini "
|
||||
|
|
|
|||
|
|
@ -254,6 +254,8 @@
|
|||
embeddingModel = '';
|
||||
} else if (e.target.value === 'openai') {
|
||||
embeddingModel = 'text-embedding-3-small';
|
||||
} else if (e.target.value === '') {
|
||||
embeddingModel = 'sentence-transformers/all-MiniLM-L6-v2';
|
||||
}
|
||||
}}
|
||||
>
|
||||
|
|
|
|||
|
|
@ -82,7 +82,7 @@
|
|||
<button
|
||||
class="hidden md:flex cursor-pointer px-2 py-2 rounded-xl hover:bg-gray-100 dark:hover:bg-gray-850 transition"
|
||||
id="chat-context-menu-button"
|
||||
>
|
||||
>
|
||||
<div class=" m-auto self-center">
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
|
|
@ -141,14 +141,15 @@
|
|||
}}
|
||||
>
|
||||
<button
|
||||
class=" flex rounded-xl p-1.5 w-full hover:bg-gray-100 dark:hover:bg-gray-850 transition"
|
||||
class="select-none flex rounded-xl p-1.5 w-full hover:bg-gray-100 dark:hover:bg-gray-850 transition"
|
||||
aria-label="User Menu"
|
||||
>
|
||||
<div class=" self-center">
|
||||
<img
|
||||
src={$user.profile_image_url}
|
||||
class=" size-6 object-cover rounded-full"
|
||||
class="size-6 object-cover rounded-full"
|
||||
alt="User profile"
|
||||
draggable="false"
|
||||
/>
|
||||
</div>
|
||||
</button>
|
||||
|
|
|
|||
|
|
@ -248,6 +248,7 @@
|
|||
>
|
||||
<div class="self-center mx-1.5">
|
||||
<img
|
||||
crossorigin="anonymous"
|
||||
src="{WEBUI_BASE_URL}/static/favicon.png"
|
||||
class=" size-6 -translate-x-1.5 rounded-full"
|
||||
alt="logo"
|
||||
|
|
|
|||
|
|
@ -329,7 +329,6 @@
|
|||
info: model
|
||||
}))}
|
||||
bind:value={selectedModelId}
|
||||
className="w-[42rem]"
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "عن",
|
||||
"Account": "الحساب",
|
||||
"Accurate information": "معلومات دقيقة",
|
||||
"Add": "",
|
||||
"Add a model": "أضافة موديل",
|
||||
"Add a model tag name": "ضع تاق للأسم الموديل",
|
||||
"Add a short description about what this modelfile does": "أضف وصفًا قصيرًا حول ما يفعله ملف الموديل هذا",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "أضافة مطالبة مخصصه",
|
||||
"Add Docs": "إضافة المستندات",
|
||||
"Add Files": "إضافة ملفات",
|
||||
"Add Memory": "",
|
||||
"Add message": "اضافة رسالة",
|
||||
"Add Model": "اضافة موديل",
|
||||
"Add Tags": "اضافة تاق",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "التصنيفات",
|
||||
"Change Password": "تغير الباسورد",
|
||||
"Chat": "المحادثة",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "تاريخ المحادثة",
|
||||
"Chat History is off for this browser.": "سجل الدردشة معطل لهذا المتصفح",
|
||||
"Chats": "المحادثات",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "تفعيل",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "تأكد من أن ملف CSV الخاص بك يتضمن 4 أعمدة بهذا الترتيب: Name, Email, Password, Role.",
|
||||
"Enter {{role}} message here": "أدخل رسالة {{role}} هنا",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "أدخل Chunk المتداخل",
|
||||
"Enter Chunk Size": "أدخل Chunk الحجم",
|
||||
"Enter Image Size (e.g. 512x512)": "(e.g. 512x512) أدخل حجم الصورة ",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "استيراد ملفات النماذج",
|
||||
"Import Prompts": "مطالبات الاستيراد",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "قم بتضمين علامة `-api` عند تشغيل Stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "إدخال الأوامر",
|
||||
"Interface": "واجهه المستخدم",
|
||||
"Invalid Tag": "تاق غير صالحة",
|
||||
"January": "يناير",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "فاتح",
|
||||
"Listening...": "جاري الاستماع",
|
||||
"LLMs can make mistakes. Verify important information.": "يمكن أن تصدر بعض الأخطاء. لذلك يجب التحقق من المعلومات المهمة",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "OpenWebUI تم إنشاؤه بواسطة مجتمع ",
|
||||
"Make sure to enclose them with": "تأكد من إرفاقها",
|
||||
"Manage LiteLLM Models": "LiteLLM إدارة نماذج ",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Max Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "يمكن تنزيل 3 نماذج كحد أقصى في وقت واحد. الرجاء معاودة المحاولة في وقت لاحق.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "لن تتم مشاركة الرسائل التي ترسلها بعد إنشاء الرابط الخاص بك. سيتمكن المستخدمون الذين لديهم عنوان URL من عرض الدردشة المشتركة.",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "الحد الأدنى من النقاط",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF أستخرج الصور (OCR)",
|
||||
"pending": "قيد الانتظار",
|
||||
"Permission denied when accessing microphone: {{error}}": "{{error}} تم رفض الإذن عند الوصول إلى الميكروفون ",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "نص عادي (.txt)",
|
||||
"Playground": "مكان التجربة",
|
||||
"Positive attitude": "موقف ايجابي",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "منصب",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "حفظ",
|
||||
"Save & Create": "حفظ وإنشاء",
|
||||
"Save & Update": "حفظ وتحديث",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "اكتب اقتراحًا سريعًا (على سبيل المثال، من أنت؟)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "اكتب ملخصًا في 50 كلمة يلخص [الموضوع أو الكلمة الرئيسية]",
|
||||
"Yesterday": "أمس",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "لا تملك محادثات محفوظه",
|
||||
"You have shared this chat": "تم مشاركة هذه المحادثة",
|
||||
"You're a helpful assistant.": "مساعدك المفيد هنا",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "Относно",
|
||||
"Account": "Акаунт",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Добавяне на модел",
|
||||
"Add a model tag name": "Добавяне на име на таг за модел",
|
||||
"Add a short description about what this modelfile does": "Добавяне на кратко описание за това какво прави този модфайл",
|
||||
"Add a short title for this prompt": "Добавяне на кратко заглавие за този промпт",
|
||||
"Add a tag": "Добавяне на таг",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Добавяне на собствен промпт",
|
||||
"Add Docs": "Добавяне на Документи",
|
||||
"Add Files": "Добавяне на Файлове",
|
||||
"Add Memory": "",
|
||||
"Add message": "Добавяне на съобщение",
|
||||
"Add Model": "",
|
||||
"Add Tags": "добавяне на тагове",
|
||||
|
|
@ -47,7 +49,7 @@
|
|||
"Archived Chats": "",
|
||||
"are allowed - Activate this command by typing": "са разрешени - Активирайте тази команда чрез въвеждане",
|
||||
"Are you sure?": "Сигурни ли сте?",
|
||||
"Attach file": "",
|
||||
"Attach file": "Прикачване на файл",
|
||||
"Attention to detail": "",
|
||||
"Audio": "Аудио",
|
||||
"August": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Категории",
|
||||
"Change Password": "Промяна на Парола",
|
||||
"Chat": "Чат",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Чат История",
|
||||
"Chat History is off for this browser.": "Чат История е изключен за този браузър.",
|
||||
"Chats": "Чатове",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Включено",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Въведете съобщение за {{role}} тук",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Въведете Chunk Overlap",
|
||||
"Enter Chunk Size": "Въведете Chunk Size",
|
||||
"Enter Image Size (e.g. 512x512)": "Въведете размер на изображението (напр. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Импортване на модфайлове",
|
||||
"Import Prompts": "Импортване на промптове",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Включете флага `--api`, когато стартирате stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Въведете команди",
|
||||
"Interface": "Интерфейс",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Светъл",
|
||||
"Listening...": "Слушам...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs могат да правят грешки. Проверете важните данни.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Направено от OpenWebUI общността",
|
||||
"Make sure to enclose them with": "Уверете се, че са заключени с",
|
||||
"Manage LiteLLM Models": "Управление на LiteLLM Моделите",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Max Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 модели могат да бъдат сваляни едновременно. Моля, опитайте отново по-късно.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF Extract Images (OCR)",
|
||||
"pending": "в очакване",
|
||||
"Permission denied when accessing microphone: {{error}}": "Permission denied when accessing microphone: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Плейграунд",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Роля",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Запис",
|
||||
"Save & Create": "Запис & Създаване",
|
||||
"Save & Update": "Запис & Актуализиране",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Изберете режим",
|
||||
"Select a model": "Изберете модел",
|
||||
"Select an Ollama instance": "Изберете Ollama инстанция",
|
||||
"Select model": "",
|
||||
"Select model": "Изберете модел",
|
||||
"Send": "",
|
||||
"Send a Message": "Изпращане на Съобщение",
|
||||
"Send message": "Изпращане на съобщение",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Напиши предложение за промпт (напр. Кой сте вие?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Напиши описание в 50 знака, което описва [тема или ключова дума].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Вие сте полезен асистент.",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "সম্পর্কে",
|
||||
"Account": "একাউন্ট",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "একটি মডেল যোগ করুন",
|
||||
"Add a model tag name": "একটি মডেল ট্যাগ যোগ করুন",
|
||||
"Add a short description about what this modelfile does": "এই মডেলফাইলটির সম্পর্কে সংক্ষিপ্ত বিবরণ যোগ করুন",
|
||||
"Add a short title for this prompt": "এই প্রম্পটের জন্য একটি সংক্ষিপ্ত টাইটেল যোগ করুন",
|
||||
"Add a tag": "একটি ট্যাগ যোগ করুন",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "একটি কাস্টম প্রম্পট যোগ করুন",
|
||||
"Add Docs": "ডকুমেন্ট যোগ করুন",
|
||||
"Add Files": "ফাইল যোগ করুন",
|
||||
"Add Memory": "",
|
||||
"Add message": "মেসেজ যোগ করুন",
|
||||
"Add Model": "",
|
||||
"Add Tags": "ট্যাগ যোগ করুন",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "চ্যাট ইতিহাস সংরক্ষণাগার",
|
||||
"are allowed - Activate this command by typing": "অনুমোদিত - কমান্ডটি চালু করার জন্য লিখুন",
|
||||
"Are you sure?": "আপনি নিশ্চিত?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "ফাইল যুক্ত করুন",
|
||||
"Attention to detail": "বিস্তারিত বিশেষতা",
|
||||
"Audio": "অডিও",
|
||||
"August": "",
|
||||
"Auto-playback response": "রেসপন্স অটো-প্লেব্যাক",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "ক্যাটাগরিসমূহ",
|
||||
"Change Password": "পাসওয়ার্ড পরিবর্তন করুন",
|
||||
"Chat": "চ্যাট",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "চ্যাট হিস্টোরি",
|
||||
"Chat History is off for this browser.": "এই ব্রাউজারের জন্য চ্যাট হিস্টোরি বন্ধ আছে",
|
||||
"Chats": "চ্যাটসমূহ",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "চালু করা হয়েছে",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "{{role}} মেসেজ এখানে লিখুন",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "চাঙ্ক ওভারল্যাপ লিখুন",
|
||||
"Enter Chunk Size": "চাংক সাইজ লিখুন",
|
||||
"Enter Image Size (e.g. 512x512)": "ছবির মাপ লিখুন (যেমন 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "মডেলফাইলগুলো ইমপোর্ট করুন",
|
||||
"Import Prompts": "প্রম্পটগুলো ইমপোর্ট করুন",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "stable-diffusion-webui চালু করার সময় `--api` ফ্ল্যাগ সংযুক্ত করুন",
|
||||
"Input commands": "",
|
||||
"Input commands": "ইনপুট কমান্ডস",
|
||||
"Interface": "ইন্টারফেস",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "লাইট",
|
||||
"Listening...": "শুনছে...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLM ভুল করতে পারে। গুরুত্বপূর্ণ তথ্য যাচাই করে নিন।",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "OpenWebUI কমিউনিটিকর্তৃক নির্মিত",
|
||||
"Make sure to enclose them with": "এটা দিয়ে বন্ধনী দিতে ভুলবেন না",
|
||||
"Manage LiteLLM Models": "LiteLLM মডেল ব্যবস্থাপনা করুন",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "সর্বোচ্চ টোকন",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "একসঙ্গে সর্বোচ্চ তিনটি মডেল ডাউনলোড করা যায়। দয়া করে পরে আবার চেষ্টা করুন।",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "পিডিএফ এর ছবি থেকে লেখা বের করুন (OCR)",
|
||||
"pending": "অপেক্ষমান",
|
||||
"Permission denied when accessing microphone: {{error}}": "মাইক্রোফোন ব্যবহারের অনুমতি পাওয়া যায়নি: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "খেলাঘর",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "পদবি",
|
||||
"Rosé Pine": "রোজ পাইন",
|
||||
"Rosé Pine Dawn": "ভোরের রোজ পাইন",
|
||||
"RTL": "",
|
||||
"Save": "সংরক্ষণ",
|
||||
"Save & Create": "সংরক্ষণ এবং তৈরি করুন",
|
||||
"Save & Update": "সংরক্ষণ এবং আপডেট করুন",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "একটি মডেল নির্বাচন করুন",
|
||||
"Select a model": "একটি মডেল নির্বাচন করুন",
|
||||
"Select an Ollama instance": "একটি Ollama ইন্সট্যান্স নির্বাচন করুন",
|
||||
"Select model": "",
|
||||
"Select model": "মডেল নির্বাচন করুন",
|
||||
"Send": "",
|
||||
"Send a Message": "একটি মেসেজ পাঠান",
|
||||
"Send message": "মেসেজ পাঠান",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "একটি প্রম্পট সাজেশন লিখুন (যেমন Who are you?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "৫০ শব্দের মধ্যে [topic or keyword] এর একটি সারসংক্ষেপ লিখুন।",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "আপনি একজন উপকারী এসিস্ট্যান্ট",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "Sobre",
|
||||
"Account": "Compte",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Afegeix un model",
|
||||
"Add a model tag name": "Afegeix un nom d'etiqueta de model",
|
||||
"Add a short description about what this modelfile does": "Afegeix una descripció curta del que fa aquest arxiu de model",
|
||||
"Add a short title for this prompt": "Afegeix un títol curt per aquest prompt",
|
||||
"Add a tag": "Afegeix una etiqueta",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Afegir un prompt personalitzat",
|
||||
"Add Docs": "Afegeix Documents",
|
||||
"Add Files": "Afegeix Arxius",
|
||||
"Add Memory": "",
|
||||
"Add message": "Afegeix missatge",
|
||||
"Add Model": "",
|
||||
"Add Tags": "afegeix etiquetes",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "Arxiu d'historial de xat",
|
||||
"are allowed - Activate this command by typing": "estan permesos - Activa aquesta comanda escrivint",
|
||||
"Are you sure?": "Estàs segur?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "Adjuntar arxiu",
|
||||
"Attention to detail": "Detall atent",
|
||||
"Audio": "Àudio",
|
||||
"August": "",
|
||||
"Auto-playback response": "Resposta de reproducció automàtica",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Categories",
|
||||
"Change Password": "Canvia la Contrasenya",
|
||||
"Chat": "Xat",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Històric del Xat",
|
||||
"Chat History is off for this browser.": "L'historial de xat està desactivat per a aquest navegador.",
|
||||
"Chats": "Xats",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Activat",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Introdueix aquí el missatge de {{role}}",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Introdueix el Solapament de Blocs",
|
||||
"Enter Chunk Size": "Introdueix la Mida del Bloc",
|
||||
"Enter Image Size (e.g. 512x512)": "Introdueix la Mida de la Imatge (p. ex. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Importa Fitxers de Model",
|
||||
"Import Prompts": "Importa Prompts",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Inclou la bandera `--api` quan executis stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Entra ordres",
|
||||
"Interface": "Interfície",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Clar",
|
||||
"Listening...": "Escoltant...",
|
||||
"LLMs can make mistakes. Verify important information.": "Els LLMs poden cometre errors. Verifica la informació important.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Creat per la Comunitat OpenWebUI",
|
||||
"Make sure to enclose them with": "Assegura't d'envoltar-los amb",
|
||||
"Manage LiteLLM Models": "Gestiona Models LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Màxim de Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es poden descarregar un màxim de 3 models simultàniament. Si us plau, prova-ho més tard.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Eta de Mirostat",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Extreu Imatges de PDF (OCR)",
|
||||
"pending": "pendent",
|
||||
"Permission denied when accessing microphone: {{error}}": "Permís denegat en accedir al micròfon: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Zona de Jocs",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rol",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Albada Rosé Pine",
|
||||
"RTL": "",
|
||||
"Save": "Guarda",
|
||||
"Save & Create": "Guarda i Crea",
|
||||
"Save & Update": "Guarda i Actualitza",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Selecciona un mode",
|
||||
"Select a model": "Selecciona un model",
|
||||
"Select an Ollama instance": "Selecciona una instància d'Ollama",
|
||||
"Select model": "",
|
||||
"Select model": "Selecciona un model",
|
||||
"Send": "",
|
||||
"Send a Message": "Envia un Missatge",
|
||||
"Send message": "Envia missatge",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Escriu una suggerència de prompt (p. ex. Qui ets tu?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Escriu un resum en 50 paraules que resumeixi [tema o paraula clau].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Ets un assistent útil.",
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "Über",
|
||||
"Account": "Account",
|
||||
"Accurate information": "Genaue Information",
|
||||
"Add": "",
|
||||
"Add a model": "Füge ein Modell hinzu",
|
||||
"Add a model tag name": "Benenne deinen Modell-Tag",
|
||||
"Add a short description about what this modelfile does": "Füge eine kurze Beschreibung hinzu, was dieses Modelfile kann",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "Eigenen Prompt hinzufügen",
|
||||
"Add Docs": "Dokumente hinzufügen",
|
||||
"Add Files": "Dateien hinzufügen",
|
||||
"Add Memory": "",
|
||||
"Add message": "Nachricht eingeben",
|
||||
"Add Model": "Modell hinzufügen",
|
||||
"Add Tags": "Tags hinzufügen",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Kategorien",
|
||||
"Change Password": "Passwort ändern",
|
||||
"Chat": "Chat",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Chat Verlauf",
|
||||
"Chat History is off for this browser.": "Chat Verlauf ist für diesen Browser ausgeschaltet.",
|
||||
"Chats": "Chats",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Aktiviert",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Gib die {{role}} Nachricht hier ein",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Gib den Chunk Overlap ein",
|
||||
"Enter Chunk Size": "Gib die Chunk Size ein",
|
||||
"Enter Image Size (e.g. 512x512)": "Gib die Bildgröße ein (z.B. 512x512)",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Hell",
|
||||
"Listening...": "Hören...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs können Fehler machen. Überprüfe wichtige Informationen.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Von der OpenWebUI-Community",
|
||||
"Make sure to enclose them with": "Formatiere deine Variablen mit:",
|
||||
"Manage LiteLLM Models": "LiteLLM-Modelle verwalten",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Maximale Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Es können maximal 3 Modelle gleichzeitig heruntergeladen werden. Bitte versuche es später erneut.",
|
||||
"May": "Mai",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "Fortlaudende Nachrichten in diesem Chat werden nicht automatisch geteilt. Benutzer mit dem Link können den Chat einsehen.",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "Mindestscore",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Text von Bildern aus PDFs extrahieren (OCR)",
|
||||
"pending": "ausstehend",
|
||||
"Permission denied when accessing microphone: {{error}}": "Zugriff auf das Mikrofon verweigert: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "Nur Text (.txt)",
|
||||
"Playground": "Testumgebung",
|
||||
"Positive attitude": "Positive Einstellung",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rolle",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Speichern",
|
||||
"Save & Create": "Speichern und erstellen",
|
||||
"Save & Update": "Speichern und aktualisieren",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Einen Modus auswählen",
|
||||
"Select a model": "Ein Modell auswählen",
|
||||
"Select an Ollama instance": "Eine Ollama Instanz auswählen",
|
||||
"Select model": "",
|
||||
"Select model": "Modell auswählen",
|
||||
"Send": "",
|
||||
"Send a Message": "Eine Nachricht senden",
|
||||
"Send message": "Nachricht senden",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Gebe einen Prompt-Vorschlag ein (z.B. Wer bist du?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Schreibe eine kurze Zusammenfassung in 50 Wörtern, die [Thema oder Schlüsselwort] zusammenfasst.",
|
||||
"Yesterday": "Gestern",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "Du hast keine archivierten Unterhaltungen.",
|
||||
"You have shared this chat": "Du hast diesen Chat",
|
||||
"You're a helpful assistant.": "Du bist ein hilfreicher Assistent.",
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "Much About",
|
||||
"Account": "Account",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Add a model",
|
||||
"Add a model tag name": "Add a model tag name",
|
||||
"Add a short description about what this modelfile does": "Add short description about what this modelfile does",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "",
|
||||
"Add Docs": "Add Docs",
|
||||
"Add Files": "Add Files",
|
||||
"Add Memory": "",
|
||||
"Add message": "Add Prompt",
|
||||
"Add Model": "",
|
||||
"Add Tags": "",
|
||||
|
|
@ -47,7 +49,7 @@
|
|||
"Archived Chats": "",
|
||||
"are allowed - Activate this command by typing": "are allowed. Activate typing",
|
||||
"Are you sure?": "Such certainty?",
|
||||
"Attach file": "",
|
||||
"Attach file": "Attach file",
|
||||
"Attention to detail": "",
|
||||
"Audio": "Audio",
|
||||
"August": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Categories",
|
||||
"Change Password": "Change Password",
|
||||
"Chat": "Chat",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Chat History",
|
||||
"Chat History is off for this browser.": "Chat History off for this browser. Such sadness.",
|
||||
"Chats": "Chats",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "So Activated",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Enter {{role}} bork here",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Enter Overlap of Chunks",
|
||||
"Enter Chunk Size": "Enter Size of Chunk",
|
||||
"Enter Image Size (e.g. 512x512)": "Enter Size of Wow (e.g. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Import Modelfiles",
|
||||
"Import Prompts": "Import Promptos",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Include `--api` flag when running stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Input commands",
|
||||
"Interface": "Interface",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Light",
|
||||
"Listening...": "Listening...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs can make borks. Verify important info.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Made by OpenWebUI Community",
|
||||
"Make sure to enclose them with": "Make sure to enclose them with",
|
||||
"Manage LiteLLM Models": "Manage LiteLLM Models",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Max Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximum of 3 models can be downloaded simultaneously. Please try again later.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF Extract Wowmages (OCR)",
|
||||
"pending": "pending",
|
||||
"Permission denied when accessing microphone: {{error}}": "Permission denied when accessing microphone: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Playground",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Role",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Save much wow",
|
||||
"Save & Create": "Save & Create much create",
|
||||
"Save & Update": "Save & Update much update",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Select a mode very choose",
|
||||
"Select a model": "Select a model much choice",
|
||||
"Select an Ollama instance": "Select an Ollama instance very choose",
|
||||
"Select model": "",
|
||||
"Select model": "Select model much choice",
|
||||
"Send": "",
|
||||
"Send a Message": "Send a Message much message",
|
||||
"Send message": "Send message very send",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Write a prompt suggestion (e.g. Who are you?) much suggest",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Write a summary in 50 words that summarizes [topic or keyword]. Much summarize.",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "You're a helpful assistant. Much helpful.",
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "",
|
||||
"Account": "",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "",
|
||||
"Add a model tag name": "",
|
||||
"Add a short description about what this modelfile does": "",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "",
|
||||
"Add Docs": "",
|
||||
"Add Files": "",
|
||||
"Add Memory": "",
|
||||
"Add message": "",
|
||||
"Add Model": "",
|
||||
"Add Tags": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "",
|
||||
"Change Password": "",
|
||||
"Chat": "",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "",
|
||||
"Chat History is off for this browser.": "",
|
||||
"Chats": "",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "",
|
||||
"Enter Chunk Size": "",
|
||||
"Enter Image Size (e.g. 512x512)": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "",
|
||||
"Listening...": "",
|
||||
"LLMs can make mistakes. Verify important information.": "",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "",
|
||||
"Make sure to enclose them with": "",
|
||||
"Manage LiteLLM Models": "",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "",
|
||||
"Mirostat Eta": "",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "",
|
||||
"pending": "",
|
||||
"Permission denied when accessing microphone: {{error}}": "",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "",
|
||||
"Rosé Pine": "",
|
||||
"Rosé Pine Dawn": "",
|
||||
"RTL": "",
|
||||
"Save": "",
|
||||
"Save & Create": "",
|
||||
"Save & Update": "",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "",
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "",
|
||||
"Account": "",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "",
|
||||
"Add a model tag name": "",
|
||||
"Add a short description about what this modelfile does": "",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "",
|
||||
"Add Docs": "",
|
||||
"Add Files": "",
|
||||
"Add Memory": "",
|
||||
"Add message": "",
|
||||
"Add Model": "",
|
||||
"Add Tags": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "",
|
||||
"Change Password": "",
|
||||
"Chat": "",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "",
|
||||
"Chat History is off for this browser.": "",
|
||||
"Chats": "",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "",
|
||||
"Enter Chunk Size": "",
|
||||
"Enter Image Size (e.g. 512x512)": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "",
|
||||
"Listening...": "",
|
||||
"LLMs can make mistakes. Verify important information.": "",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "",
|
||||
"Make sure to enclose them with": "",
|
||||
"Manage LiteLLM Models": "",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "",
|
||||
"Mirostat Eta": "",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "",
|
||||
"pending": "",
|
||||
"Permission denied when accessing microphone: {{error}}": "",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "",
|
||||
"Rosé Pine": "",
|
||||
"Rosé Pine Dawn": "",
|
||||
"RTL": "",
|
||||
"Save": "",
|
||||
"Save & Create": "",
|
||||
"Save & Update": "",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "Sobre nosotros",
|
||||
"Account": "Cuenta",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Agregar un modelo",
|
||||
"Add a model tag name": "Agregar un nombre de etiqueta de modelo",
|
||||
"Add a short description about what this modelfile does": "Agregue una descripción corta de lo que este modelfile hace",
|
||||
"Add a short title for this prompt": "Agregue un título corto para este Prompt",
|
||||
"Add a tag": "Agregar una etiqueta",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Agregar un prompt personalizado",
|
||||
"Add Docs": "Agregar Documentos",
|
||||
"Add Files": "Agregar Archivos",
|
||||
"Add Memory": "",
|
||||
"Add message": "Agregar Prompt",
|
||||
"Add Model": "",
|
||||
"Add Tags": "agregar etiquetas",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "Chats archivados",
|
||||
"are allowed - Activate this command by typing": "están permitidos - Active este comando escribiendo",
|
||||
"Are you sure?": "¿Está seguro?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "Adjuntar archivo",
|
||||
"Attention to detail": "Detalle preciso",
|
||||
"Audio": "Audio",
|
||||
"August": "",
|
||||
"Auto-playback response": "Respuesta de reproducción automática",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Categorías",
|
||||
"Change Password": "Cambia la Contraseña",
|
||||
"Chat": "Chat",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Historial del Chat",
|
||||
"Chat History is off for this browser.": "El Historial del Chat está apagado para este navegador.",
|
||||
"Chats": "Chats",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Activado",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Ingrese el mensaje {{role}} aquí",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Ingresar superposición de fragmentos",
|
||||
"Enter Chunk Size": "Ingrese el tamaño del fragmento",
|
||||
"Enter Image Size (e.g. 512x512)": "Ingrese el tamaño de la imagen (p.ej. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Importar Modelfiles",
|
||||
"Import Prompts": "Importar Prompts",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Incluir el indicador `--api` al ejecutar stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Ingresar comandos",
|
||||
"Interface": "Interfaz",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Claro",
|
||||
"Listening...": "Escuchando...",
|
||||
"LLMs can make mistakes. Verify important information.": "Los LLM pueden cometer errores. Verifica la información importante.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Hecho por la comunidad de OpenWebUI",
|
||||
"Make sure to enclose them with": "Asegúrese de adjuntarlos con",
|
||||
"Manage LiteLLM Models": "Administrar Modelos LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Máximo de Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Se pueden descargar un máximo de 3 modelos simultáneamente. Por favor, inténtelo de nuevo más tarde.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Extraer imágenes de PDF (OCR)",
|
||||
"pending": "pendiente",
|
||||
"Permission denied when accessing microphone: {{error}}": "Permiso denegado al acceder al micrófono: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Patio de juegos",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rol",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Guardar",
|
||||
"Save & Create": "Guardar y Crear",
|
||||
"Save & Update": "Guardar y Actualizar",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Selecciona un modo",
|
||||
"Select a model": "Selecciona un modelo",
|
||||
"Select an Ollama instance": "Seleccione una instancia de Ollama",
|
||||
"Select model": "",
|
||||
"Select model": "Selecciona un modelo",
|
||||
"Send": "",
|
||||
"Send a Message": "Enviar un Mensaje",
|
||||
"Send message": "Enviar Mensaje",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Escribe una sugerencia para un prompt (por ejemplo, ¿quién eres?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Escribe un resumen en 50 palabras que resuma [tema o palabra clave].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Eres un asistente útil.",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "درباره",
|
||||
"Account": "حساب کاربری",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "اضافه کردن یک مدل",
|
||||
"Add a model tag name": "اضافه کردن یک نام تگ برای مدل",
|
||||
"Add a short description about what this modelfile does": "توضیح کوتاهی در مورد کاری که این فایل\u200cمدل انجام می دهد اضافه کنید",
|
||||
"Add a short title for this prompt": "یک عنوان کوتاه برای این درخواست اضافه کنید",
|
||||
"Add a tag": "اضافه کردن یک تگ",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "اضافه کردن یک درخواست سفارشی",
|
||||
"Add Docs": "اضافه کردن اسناد",
|
||||
"Add Files": "اضافه کردن فایل\u200cها",
|
||||
"Add Memory": "",
|
||||
"Add message": "اضافه کردن پیغام",
|
||||
"Add Model": "",
|
||||
"Add Tags": "اضافه کردن تگ\u200cها",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "آرشیو تاریخچه چت",
|
||||
"are allowed - Activate this command by typing": "مجاز هستند - این دستور را با تایپ کردن این فعال کنید:",
|
||||
"Are you sure?": "آیا مطمئن هستید؟",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "پیوست فایل",
|
||||
"Attention to detail": "دقیق",
|
||||
"Audio": "صدا",
|
||||
"August": "",
|
||||
"Auto-playback response": "پخش خودکار پاسخ ",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "دسته\u200cبندی\u200cها",
|
||||
"Change Password": "تغییر رمز عبور",
|
||||
"Chat": "گپ",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "تاریخچه\u200cی گفتگو",
|
||||
"Chat History is off for this browser.": "سابقه گپ برای این مرورگر خاموش است.",
|
||||
"Chats": "گپ\u200cها",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "فعال",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "پیام {{role}} را اینجا وارد کنید",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "مقدار Chunk Overlap را وارد کنید",
|
||||
"Enter Chunk Size": "مقدار Chunk Size را وارد کنید",
|
||||
"Enter Image Size (e.g. 512x512)": "اندازه تصویر را وارد کنید (مثال: 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "ایمپورت فایل\u200cهای مدل",
|
||||
"Import Prompts": "ایمپورت پرامپت\u200cها",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "فلگ `--api` را هنکام اجرای stable-diffusion-webui استفاده کنید.",
|
||||
"Input commands": "",
|
||||
"Input commands": "ورودی دستورات",
|
||||
"Interface": "رابط",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "روشن",
|
||||
"Listening...": "در حال گوش دادن...",
|
||||
"LLMs can make mistakes. Verify important information.": "مدل\u200cهای زبانی بزرگ می\u200cتوانند اشتباه کنند. اطلاعات مهم را راستی\u200cآزمایی کنید.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "ساخته شده توسط OpenWebUI Community",
|
||||
"Make sure to enclose them with": "مطمئن شوید که آنها را با این محصور کنید:",
|
||||
"Manage LiteLLM Models": "Manage LiteLLM Models",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "حداکثر توکن",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "حداکثر 3 مدل را می توان به طور همزمان دانلود کرد. لطفاً بعداً دوباره امتحان کنید.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "استخراج تصاویر از PDF (OCR)",
|
||||
"pending": "در انتظار",
|
||||
"Permission denied when accessing microphone: {{error}}": "هنگام دسترسی به میکروفون، اجازه داده نشد: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "زمین بازی",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "نقش",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "ذخیره",
|
||||
"Save & Create": "ذخیره و ایجاد",
|
||||
"Save & Update": "ذخیره و به\u200cروزرسانی",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "یک حالت انتخاب کنید",
|
||||
"Select a model": "انتخاب یک مدل",
|
||||
"Select an Ollama instance": "انتخاب یک نمونه از اولاما",
|
||||
"Select model": "",
|
||||
"Select model": "انتخاب یک مدل",
|
||||
"Send": "",
|
||||
"Send a Message": "ارسال یک پیام",
|
||||
"Send message": "ارسال پیام",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "یک پیشنهاد پرامپت بنویسید (مثلاً شما کی هستید؟)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "خلاصه ای در 50 کلمه بنویسید که [موضوع یا کلمه کلیدی] را خلاصه کند.",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "تو یک دستیار سودمند هستی.",
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "Tietoja",
|
||||
"Account": "Tili",
|
||||
"Accurate information": "Tarkkaa tietoa",
|
||||
"Add": "",
|
||||
"Add a model": "Lisää malli",
|
||||
"Add a model tag name": "Lisää mallitagi",
|
||||
"Add a short description about what this modelfile does": "Lisää lyhyt kuvaus siitä, mitä tämä mallitiedosto tekee",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "Lisää mukautettu kehote",
|
||||
"Add Docs": "Lisää asiakirjoja",
|
||||
"Add Files": "Lisää tiedostoja",
|
||||
"Add Memory": "",
|
||||
"Add message": "Lisää viesti",
|
||||
"Add Model": "Lisää malli",
|
||||
"Add Tags": "Lisää tageja",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Kategoriat",
|
||||
"Change Password": "Vaihda salasana",
|
||||
"Chat": "Keskustelu",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Keskusteluhistoria",
|
||||
"Chat History is off for this browser.": "Keskusteluhistoria on pois päältä tällä selaimella.",
|
||||
"Chats": "Keskustelut",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Käytössä",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Varmista, että CSV-tiedostossasi on 4 saraketta seuraavassa järjestyksessä: Nimi, Sähköposti, Salasana, Rooli.",
|
||||
"Enter {{role}} message here": "Kirjoita {{role}} viesti tähän",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Syötä osien päällekkäisyys",
|
||||
"Enter Chunk Size": "Syötä osien koko",
|
||||
"Enter Image Size (e.g. 512x512)": "Syötä kuvan koko (esim. 512x512)",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Vaalea",
|
||||
"Listening...": "Kuunnellaan...",
|
||||
"LLMs can make mistakes. Verify important information.": "Kielimallit voivat tehdä virheitä. Varmista tärkeät tiedot.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Tehnyt OpenWebUI-yhteisö",
|
||||
"Make sure to enclose them with": "Varmista, että suljet ne",
|
||||
"Manage LiteLLM Models": "Hallitse LiteLLM-malleja",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Maksimitokenit",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Enintään 3 mallia voidaan ladata samanaikaisesti. Yritä myöhemmin uudelleen.",
|
||||
"May": "toukokuu",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "Viestejä, jotka lähetät luotuasi linkin, ei jaeta. Käyttäjät, joilla on tämä osoite voivat tarkastella jaettua keskustelua.",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "Vähimmäispisteet",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF-tiedoston kuvien erottelu (OCR)",
|
||||
"pending": "odottaa",
|
||||
"Permission denied when accessing microphone: {{error}}": "Mikrofonin käyttöoikeus evätty: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "Pelkkä teksti (.txt)",
|
||||
"Playground": "Leikkipaikka",
|
||||
"Positive attitude": "Positiivinen asenne",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rooli",
|
||||
"Rosé Pine": "Rosee-mänty",
|
||||
"Rosé Pine Dawn": "Aamuinen Rosee-mänty",
|
||||
"RTL": "",
|
||||
"Save": "Tallenna",
|
||||
"Save & Create": "Tallenna ja luo",
|
||||
"Save & Update": "Tallenna ja päivitä",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Kirjoita ehdotettu kehote (esim. Kuka olet?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Kirjoita 50 sanan yhteenveto, joka tiivistää [aihe tai avainsana].",
|
||||
"Yesterday": "Eilen",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "Sinulla ei ole arkistoituja keskusteluja.",
|
||||
"You have shared this chat": "Olet jakanut tämän keskustelun",
|
||||
"You're a helpful assistant.": "Olet avulias apulainen.",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "À propos",
|
||||
"Account": "Compte",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Ajouter un modèle",
|
||||
"Add a model tag name": "Ajouter un nom de tag pour le modèle",
|
||||
"Add a short description about what this modelfile does": "Ajouter une courte description de ce que fait ce fichier de modèle",
|
||||
"Add a short title for this prompt": "Ajouter un court titre pour ce prompt",
|
||||
"Add a tag": "Ajouter un tag",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Ajouter un prompt personnalisé",
|
||||
"Add Docs": "Ajouter des documents",
|
||||
"Add Files": "Ajouter des fichiers",
|
||||
"Add Memory": "",
|
||||
"Add message": "Ajouter un message",
|
||||
"Add Model": "",
|
||||
"Add Tags": "ajouter des tags",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "enregistrement du chat",
|
||||
"are allowed - Activate this command by typing": "sont autorisés - Activez cette commande en tapant",
|
||||
"Are you sure?": "Êtes-vous sûr ?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "Joindre un fichier",
|
||||
"Attention to detail": "Attention aux détails",
|
||||
"Audio": "Audio",
|
||||
"August": "",
|
||||
"Auto-playback response": "Réponse en lecture automatique",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Catégories",
|
||||
"Change Password": "Changer le mot de passe",
|
||||
"Chat": "Discussion",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Historique des discussions",
|
||||
"Chat History is off for this browser.": "L'historique des discussions est désactivé pour ce navigateur.",
|
||||
"Chats": "Discussions",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Activé",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Entrez le message {{role}} ici",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Entrez le chevauchement de bloc",
|
||||
"Enter Chunk Size": "Entrez la taille du bloc",
|
||||
"Enter Image Size (e.g. 512x512)": "Entrez la taille de l'image (p. ex. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Importer les fichiers de modèle",
|
||||
"Import Prompts": "Importer les prompts",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Inclure l'indicateur `--api` lors de l'exécution de stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Entrez des commandes d'entrée",
|
||||
"Interface": "Interface",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Lumière",
|
||||
"Listening...": "Écoute...",
|
||||
"LLMs can make mistakes. Verify important information.": "Les LLMs peuvent faire des erreurs. Vérifiez les informations importantes.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Réalisé par la communauté OpenWebUI",
|
||||
"Make sure to enclose them with": "Assurez-vous de les entourer avec",
|
||||
"Manage LiteLLM Models": "Gérer les modèles LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Tokens maximaux",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Un maximum de 3 modèles peut être téléchargé simultanément. Veuillez réessayer plus tard.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Extraction d'images PDF (OCR)",
|
||||
"pending": "en attente",
|
||||
"Permission denied when accessing microphone: {{error}}": "Permission refusée lors de l'accès au microphone : {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Aire de jeu",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rôle",
|
||||
"Rosé Pine": "Pin Rosé",
|
||||
"Rosé Pine Dawn": "Aube Pin Rosé",
|
||||
"RTL": "",
|
||||
"Save": "Enregistrer",
|
||||
"Save & Create": "Enregistrer & Créer",
|
||||
"Save & Update": "Enregistrer & Mettre à jour",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Sélectionnez un mode",
|
||||
"Select a model": "Sélectionnez un modèle",
|
||||
"Select an Ollama instance": "Sélectionner une instance Ollama",
|
||||
"Select model": "",
|
||||
"Select model": "Sélectionnez un modèle",
|
||||
"Send": "",
|
||||
"Send a Message": "Envoyer un message",
|
||||
"Send message": "Envoyer un message",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Rédigez une suggestion de prompt (p. ex. Qui êtes-vous ?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Rédigez un résumé en 50 mots qui résume [sujet ou mot-clé].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Vous êtes un assistant utile",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "À propos",
|
||||
"Account": "Compte",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Ajouter un modèle",
|
||||
"Add a model tag name": "Ajouter un nom de tag pour le modèle",
|
||||
"Add a short description about what this modelfile does": "Ajouter une courte description de ce que fait ce fichier de modèle",
|
||||
"Add a short title for this prompt": "Ajouter un court titre pour ce prompt",
|
||||
"Add a tag": "Ajouter un tag",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Ajouter un prompt personnalisé",
|
||||
"Add Docs": "Ajouter des documents",
|
||||
"Add Files": "Ajouter des fichiers",
|
||||
"Add Memory": "",
|
||||
"Add message": "Ajouter un message",
|
||||
"Add Model": "",
|
||||
"Add Tags": "ajouter des tags",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "enregistrement du chat",
|
||||
"are allowed - Activate this command by typing": "sont autorisés - Activez cette commande en tapant",
|
||||
"Are you sure?": "Êtes-vous sûr ?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "Joindre un fichier",
|
||||
"Attention to detail": "Attention aux détails",
|
||||
"Audio": "Audio",
|
||||
"August": "",
|
||||
"Auto-playback response": "Réponse en lecture automatique",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Catégories",
|
||||
"Change Password": "Changer le mot de passe",
|
||||
"Chat": "Chat",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Historique du chat",
|
||||
"Chat History is off for this browser.": "L'historique du chat est désactivé pour ce navigateur.",
|
||||
"Chats": "Chats",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Activé",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Entrez le message {{role}} ici",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Entrez le chevauchement de bloc",
|
||||
"Enter Chunk Size": "Entrez la taille du bloc",
|
||||
"Enter Image Size (e.g. 512x512)": "Entrez la taille de l'image (p. ex. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Importer les fichiers de modèle",
|
||||
"Import Prompts": "Importer les prompts",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Inclure le drapeau `--api` lors de l'exécution de stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Entrez les commandes d'entrée",
|
||||
"Interface": "Interface",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Clair",
|
||||
"Listening...": "Écoute...",
|
||||
"LLMs can make mistakes. Verify important information.": "Les LLMs peuvent faire des erreurs. Vérifiez les informations importantes.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Réalisé par la communauté OpenWebUI",
|
||||
"Make sure to enclose them with": "Assurez-vous de les entourer avec",
|
||||
"Manage LiteLLM Models": "Gérer les modèles LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Tokens maximaux",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Un maximum de 3 modèles peut être téléchargé simultanément. Veuillez réessayer plus tard.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Extraction d'images PDF (OCR)",
|
||||
"pending": "en attente",
|
||||
"Permission denied when accessing microphone: {{error}}": "Permission refusée lors de l'accès au microphone : {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Aire de jeu",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rôle",
|
||||
"Rosé Pine": "Pin Rosé",
|
||||
"Rosé Pine Dawn": "Aube Pin Rosé",
|
||||
"RTL": "",
|
||||
"Save": "Enregistrer",
|
||||
"Save & Create": "Enregistrer & Créer",
|
||||
"Save & Update": "Enregistrer & Mettre à jour",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Sélectionnez un mode",
|
||||
"Select a model": "Sélectionner un modèle",
|
||||
"Select an Ollama instance": "Sélectionner une instance Ollama",
|
||||
"Select model": "",
|
||||
"Select model": "Sélectionner un modèle",
|
||||
"Send": "",
|
||||
"Send a Message": "Envoyer un message",
|
||||
"Send message": "Envoyer un message",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Écrivez un prompt (e.x. Qui est-tu ?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Ecrivez un résumé en 50 mots [sujet ou mot-clé]",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Vous êtes un assistant utile",
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "אודות",
|
||||
"Account": "חשבון",
|
||||
"Accurate information": "מידע מדויק",
|
||||
"Add": "",
|
||||
"Add a model": "הוסף מודל",
|
||||
"Add a model tag name": "הוסף שם תג למודל",
|
||||
"Add a short description about what this modelfile does": "הוסף תיאור קצר על מה שהקובץ מודל עושה",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "הוסף פקודה מותאמת אישית",
|
||||
"Add Docs": "הוסף מסמכים",
|
||||
"Add Files": "הוסף קבצים",
|
||||
"Add Memory": "",
|
||||
"Add message": "הוסף הודעה",
|
||||
"Add Model": "הוסף מודל",
|
||||
"Add Tags": "הוסף תגים",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "קטגוריות",
|
||||
"Change Password": "שנה סיסמה",
|
||||
"Chat": "צ'אט",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "היסטוריית צ'אט",
|
||||
"Chat History is off for this browser.": "היסטוריית הצ'אט כבויה לדפדפן זה.",
|
||||
"Chats": "צ'אטים",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "מופעל",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "ודא שקובץ ה-CSV שלך כולל 4 עמודות בסדר הבא: שם, דוא\"ל, סיסמה, תפקיד.",
|
||||
"Enter {{role}} message here": "הזן הודעת {{role}} כאן",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "הזן חפיפת נתונים",
|
||||
"Enter Chunk Size": "הזן גודל נתונים",
|
||||
"Enter Image Size (e.g. 512x512)": "הזן גודל תמונה (למשל 512x512)",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "בהיר",
|
||||
"Listening...": "מאזין...",
|
||||
"LLMs can make mistakes. Verify important information.": "מודלים בשפה טבעית יכולים לטעות. אמת מידע חשוב.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "נוצר על ידי קהילת OpenWebUI",
|
||||
"Make sure to enclose them with": "ודא להקיף אותם עם",
|
||||
"Manage LiteLLM Models": "נהל מודלים של LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "מקסימום טוקנים",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "ניתן להוריד מקסימום 3 מודלים בו זמנית. אנא נסה שוב מאוחר יותר.",
|
||||
"May": "מאי",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "הודעות שתשלח לאחר יצירת הקישור שלך לא ישותפו. משתמשים עם הכתובת URL יוכלו לצפות בצ'אט המשותף.",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "ציון מינימלי",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "חילוץ תמונות מ-PDF (OCR)",
|
||||
"pending": "ממתין",
|
||||
"Permission denied when accessing microphone: {{error}}": "ההרשאה נדחתה בעת גישה למיקרופון: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "טקסט פשוט (.txt)",
|
||||
"Playground": "אזור משחקים",
|
||||
"Positive attitude": "גישה חיובית",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "תפקיד",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "שמור",
|
||||
"Save & Create": "שמור וצור",
|
||||
"Save & Update": "שמור ועדכן",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "",
|
||||
"Yesterday": "אתמול",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "हमारे बारे में",
|
||||
"Account": "खाता",
|
||||
"Accurate information": "सटीक जानकारी",
|
||||
"Add": "",
|
||||
"Add a model": "एक मॉडल जोड़ें",
|
||||
"Add a model tag name": "एक मॉडल टैग नाम जोड़ें",
|
||||
"Add a short description about what this modelfile does": "यह मॉडलफ़ाइल क्या करती है इसके बारे में एक संक्षिप्त विवरण जोड़ें",
|
||||
"Add a short title for this prompt": "इस संकेत के लिए एक संक्षिप्त शीर्षक जोड़ें",
|
||||
"Add a tag": "एक टैग जोड़े",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "अनुकूल संकेत जोड़ें",
|
||||
"Add Docs": "दस्तावेज़ जोड़ें",
|
||||
"Add Files": "फाइलें जोड़ें",
|
||||
"Add Memory": "",
|
||||
"Add message": "संदेश डालें",
|
||||
"Add Model": "मॉडल जोड़ें",
|
||||
"Add Tags": "टैगों को जोड़ें",
|
||||
|
|
@ -47,7 +49,7 @@
|
|||
"Archived Chats": "संग्रहीत चैट",
|
||||
"are allowed - Activate this command by typing": "अनुमति है - टाइप करके इस कमांड को सक्रिय करें",
|
||||
"Are you sure?": "क्या आपको यकीन है?",
|
||||
"Attach file": "",
|
||||
"Attach file": "फ़ाइल atta",
|
||||
"Attention to detail": "विस्तार पर ध्यान",
|
||||
"Audio": "ऑडियो",
|
||||
"August": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "श्रेणियाँ",
|
||||
"Change Password": "पासवर्ड बदलें",
|
||||
"Chat": "चैट करें",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "चैट का इतिहास",
|
||||
"Chat History is off for this browser.": "इस ब्राउज़र के लिए चैट इतिहास बंद है।",
|
||||
"Chats": "सभी चैट",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "सक्रिय",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "सुनिश्चित करें कि आपकी CSV फ़ाइल में इस क्रम में 4 कॉलम शामिल हैं: नाम, ईमेल, पासवर्ड, भूमिका।",
|
||||
"Enter {{role}} message here": "यहां {{role}} संदेश दर्ज करें",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "चंक ओवरलैप दर्ज करें",
|
||||
"Enter Chunk Size": "खंड आकार दर्ज करें",
|
||||
"Enter Image Size (e.g. 512x512)": "छवि का आकार दर्ज करें (उदा. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "मॉडल फ़ाइलें आयात करें",
|
||||
"Import Prompts": "प्रॉम्प्ट आयात करें",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "stable-diffusion-webui चलाते समय `--api` ध्वज शामिल करें",
|
||||
"Input commands": "",
|
||||
"Input commands": "इनपुट क命",
|
||||
"Interface": "इंटरफेस",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "",
|
||||
"Listening...": "सुन रहा हूँ...",
|
||||
"LLMs can make mistakes. Verify important information.": "एलएलएम गलतियाँ कर सकते हैं। महत्वपूर्ण जानकारी सत्यापित करें.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "OpenWebUI समुदाय द्वारा निर्मित",
|
||||
"Make sure to enclose them with": "उन्हें संलग्न करना सुनिश्चित करें",
|
||||
"Manage LiteLLM Models": "LiteLLM मॉडल प्रबंधित करें",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "अधिकतम टोकन",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "अधिकतम 3 मॉडल एक साथ डाउनलोड किये जा सकते हैं। कृपया बाद में पुन: प्रयास करें।",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "न्यूनतम स्कोर",
|
||||
"Mirostat": "",
|
||||
"Mirostat Eta": "",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF छवियाँ निकालें (OCR)",
|
||||
"pending": "लंबित",
|
||||
"Permission denied when accessing microphone: {{error}}": "माइक्रोफ़ोन तक पहुँचने पर अनुमति अस्वीकृत: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "सादा पाठ (.txt)",
|
||||
"Playground": "कार्यक्षेत्र",
|
||||
"Positive attitude": "सकारात्मक रवैया",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "भूमिका",
|
||||
"Rosé Pine": "",
|
||||
"Rosé Pine Dawn": "",
|
||||
"RTL": "",
|
||||
"Save": "सहेजें",
|
||||
"Save & Create": "सहेजें और बनाएं",
|
||||
"Save & Update": "सहेजें और अपडेट करें",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "एक मोड चुनें",
|
||||
"Select a model": "एक मॉडल चुनें",
|
||||
"Select an Ollama instance": "एक Ollama Instance चुनें",
|
||||
"Select model": "",
|
||||
"Select model": "मॉडल चुनें",
|
||||
"Send": "",
|
||||
"Send a Message": "एक संदेश भेजो",
|
||||
"Send message": "मेसेज भेजें",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "एक त्वरित सुझाव लिखें (जैसे कि आप कौन हैं?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "50 शब्दों में एक सारांश लिखें जो [विषय या कीवर्ड] का सारांश प्रस्तुत करता हो।",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "आप एक सहायक सहायक हैं",
|
||||
|
|
|
|||
503
src/lib/i18n/locales/hr-HR/translation.json
Normal file
503
src/lib/i18n/locales/hr-HR/translation.json
Normal file
|
|
@ -0,0 +1,503 @@
|
|||
{
|
||||
"'s', 'm', 'h', 'd', 'w' or '-1' for no expiration.": "'s', 'm', 'h', 'd', 'w' ili '-1' za bez isteka.",
|
||||
"(Beta)": "(Beta)",
|
||||
"(e.g. `sh webui.sh --api`)": "(npr. `sh webui.sh --api`)",
|
||||
"(latest)": "(najnovije)",
|
||||
"{{modelName}} is thinking...": "{{modelName}} razmišlja...",
|
||||
"{{user}}'s Chats": "Razgovori korisnika {{user}}",
|
||||
"{{webUIName}} Backend Required": "{{webUIName}} Backend je potreban",
|
||||
"a user": "korisnik",
|
||||
"About": "O",
|
||||
"Account": "Račun",
|
||||
"Accurate information": "Točne informacije",
|
||||
"Add": "",
|
||||
"Add a model": "Dodaj model",
|
||||
"Add a model tag name": "Dodaj oznaku modela",
|
||||
"Add a short description about what this modelfile does": "Dodajte kratak opis što ova datoteka modela radi",
|
||||
"Add a short title for this prompt": "Dodajte kratki naslov za ovaj prompt",
|
||||
"Add a tag": "Dodaj oznaku",
|
||||
"Add custom prompt": "Dodaj prilagođeni prompt",
|
||||
"Add Docs": "Dodaj dokumente",
|
||||
"Add Files": "Dodaj datoteke",
|
||||
"Add Memory": "",
|
||||
"Add message": "Dodaj poruku",
|
||||
"Add Model": "Dodaj model",
|
||||
"Add Tags": "Dodaj oznake",
|
||||
"Add User": "Dodaj korisnika",
|
||||
"Adjusting these settings will apply changes universally to all users.": "Podešavanje ovih postavki primijenit će promjene univerzalno na sve korisnike.",
|
||||
"admin": "administrator",
|
||||
"Admin Panel": "Administratorska ploča",
|
||||
"Admin Settings": "Administratorske postavke",
|
||||
"Advanced Parameters": "Napredni parametri",
|
||||
"all": "sve",
|
||||
"All Documents": "Svi dokumenti",
|
||||
"All Users": "Svi korisnici",
|
||||
"Allow": "Dopusti",
|
||||
"Allow Chat Deletion": "Dopusti brisanje razgovora",
|
||||
"alphanumeric characters and hyphens": "alfanumerički znakovi i crtice",
|
||||
"Already have an account?": "Već imate račun?",
|
||||
"an assistant": "asistent",
|
||||
"and": "i",
|
||||
"and create a new shared link.": "i stvorite novu dijeljenu vezu.",
|
||||
"API Base URL": "Osnovni URL API-ja",
|
||||
"API Key": "API ključ",
|
||||
"API Key created.": "API ključ je stvoren.",
|
||||
"API keys": "API ključevi",
|
||||
"API RPM": "API RPM",
|
||||
"April": "Travanj",
|
||||
"Archive": "Arhiva",
|
||||
"Archived Chats": "Arhivirani razgovori",
|
||||
"are allowed - Activate this command by typing": "su dopušteni - Aktivirajte ovu naredbu upisivanjem",
|
||||
"Are you sure?": "Jeste li sigurni?",
|
||||
"Attach file": "Priloži datoteku",
|
||||
"Attention to detail": "Pažnja na detalje",
|
||||
"Audio": "Audio",
|
||||
"August": "Kolovoz",
|
||||
"Auto-playback response": "Automatska reprodukcija odgovora",
|
||||
"Auto-send input after 3 sec.": "Automatsko slanje unosa nakon 3 sek.",
|
||||
"AUTOMATIC1111 Base URL": "AUTOMATIC1111 osnovni URL",
|
||||
"AUTOMATIC1111 Base URL is required.": "Potreban je AUTOMATIC1111 osnovni URL.",
|
||||
"available!": "dostupno!",
|
||||
"Back": "Natrag",
|
||||
"Bad Response": "Loš odgovor",
|
||||
"before": "prije",
|
||||
"Being lazy": "Biti lijen",
|
||||
"Builder Mode": "Način graditelja",
|
||||
"Bypass SSL verification for Websites": "Zaobiđi SSL provjeru za web stranice",
|
||||
"Cancel": "Otkaži",
|
||||
"Categories": "Kategorije",
|
||||
"Change Password": "Promijeni lozinku",
|
||||
"Chat": "Razgovor",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Povijest razgovora",
|
||||
"Chat History is off for this browser.": "Povijest razgovora je isključena za ovaj preglednik.",
|
||||
"Chats": "Razgovori",
|
||||
"Check Again": "Provjeri ponovo",
|
||||
"Check for updates": "Provjeri za ažuriranja",
|
||||
"Checking for updates...": "Provjeravam ažuriranja...",
|
||||
"Choose a model before saving...": "Odaberite model prije spremanja...",
|
||||
"Chunk Overlap": "Preklapanje dijelova",
|
||||
"Chunk Params": "Parametri dijelova",
|
||||
"Chunk Size": "Veličina dijela",
|
||||
"Citation": "Citiranje",
|
||||
"Click here for help.": "Kliknite ovdje za pomoć.",
|
||||
"Click here to": "Kliknite ovdje za",
|
||||
"Click here to check other modelfiles.": "Kliknite ovdje da provjerite druge datoteke modela.",
|
||||
"Click here to select": "Kliknite ovdje za odabir",
|
||||
"Click here to select a csv file.": "Kliknite ovdje da odaberete csv datoteku.",
|
||||
"Click here to select documents.": "Kliknite ovdje da odaberete dokumente.",
|
||||
"click here.": "kliknite ovdje.",
|
||||
"Click on the user role button to change a user's role.": "Kliknite na gumb uloge korisnika za promjenu uloge korisnika.",
|
||||
"Close": "Zatvori",
|
||||
"Collection": "Kolekcija",
|
||||
"ComfyUI": "ComfyUI",
|
||||
"ComfyUI Base URL": "ComfyUI osnovni URL",
|
||||
"ComfyUI Base URL is required.": "Potreban je ComfyUI osnovni URL.",
|
||||
"Command": "Naredba",
|
||||
"Confirm Password": "Potvrdite lozinku",
|
||||
"Connections": "Povezivanja",
|
||||
"Content": "Sadržaj",
|
||||
"Context Length": "Dužina konteksta",
|
||||
"Continue Response": "Nastavi odgovor",
|
||||
"Conversation Mode": "Način razgovora",
|
||||
"Copied shared chat URL to clipboard!": "Kopirana URL dijeljenog razgovora u međuspremnik!",
|
||||
"Copy": "Kopiraj",
|
||||
"Copy last code block": "Kopiraj zadnji blok koda",
|
||||
"Copy last response": "Kopiraj zadnji odgovor",
|
||||
"Copy Link": "Kopiraj vezu",
|
||||
"Copying to clipboard was successful!": "Kopiranje u međuspremnik je bilo uspješno!",
|
||||
"Create a concise, 3-5 word phrase as a header for the following query, strictly adhering to the 3-5 word limit and avoiding the use of the word 'title':": "Stvorite sažetu frazu od 3-5 riječi kao naslov za sljedeći upit, strogo se pridržavajući ograničenja od 3-5 riječi i izbjegavajući upotrebu riječi 'naslov':",
|
||||
"Create a modelfile": "Stvorite datoteku modela",
|
||||
"Create Account": "Stvori račun",
|
||||
"Create new key": "Stvori novi ključ",
|
||||
"Create new secret key": "Stvori novi tajni ključ",
|
||||
"Created at": "Stvoreno",
|
||||
"Created At": "Stvoreno",
|
||||
"Current Model": "Trenutni model",
|
||||
"Current Password": "Trenutna lozinka",
|
||||
"Custom": "Prilagođeno",
|
||||
"Customize Ollama models for a specific purpose": "Prilagodite Ollama modele za specifičnu svrhu",
|
||||
"Dark": "Tamno",
|
||||
"Dashboard": "Nadzorna ploča",
|
||||
"Database": "Baza podataka",
|
||||
"December": "Prosinac",
|
||||
"Default": "Zadano",
|
||||
"Default (Automatic1111)": "Zadano (Automatic1111)",
|
||||
"Default (SentenceTransformers)": "Zadano (SentenceTransformers)",
|
||||
"Default (Web API)": "Zadano (Web API)",
|
||||
"Default model updated": "Zadani model ažuriran",
|
||||
"Default Prompt Suggestions": "Zadani prijedlozi prompta",
|
||||
"Default User Role": "Zadana korisnička uloga",
|
||||
"delete": "izbriši",
|
||||
"Delete": "Izbriši",
|
||||
"Delete a model": "Izbriši model",
|
||||
"Delete chat": "Izbriši razgovor",
|
||||
"Delete Chat": "Izbriši razgovor",
|
||||
"Delete Chats": "Izbriši razgovore",
|
||||
"delete this link": "izbriši ovu vezu",
|
||||
"Delete User": "Izbriši korisnika",
|
||||
"Deleted {{deleteModelTag}}": "Izbrisan {{deleteModelTag}}",
|
||||
"Deleted {{tagName}}": "Izbrisan {{tagName}}",
|
||||
"Description": "Opis",
|
||||
"Didn't fully follow instructions": "Nije u potpunosti slijedio upute",
|
||||
"Disabled": "Onemogućeno",
|
||||
"Discover a modelfile": "Otkrijte datoteku modela",
|
||||
"Discover a prompt": "Otkrijte prompt",
|
||||
"Discover, download, and explore custom prompts": "Otkrijte, preuzmite i istražite prilagođene prompte",
|
||||
"Discover, download, and explore model presets": "Otkrijte, preuzmite i istražite unaprijed postavljene modele",
|
||||
"Display the username instead of You in the Chat": "Prikaži korisničko ime umjesto Vas u razgovoru",
|
||||
"Document": "Dokument",
|
||||
"Document Settings": "Postavke dokumenta",
|
||||
"Documents": "Dokumenti",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ne uspostavlja vanjske veze, a vaši podaci ostaju sigurno na vašem lokalno hostiranom poslužitelju.",
|
||||
"Don't Allow": "Ne dopuštaj",
|
||||
"Don't have an account?": "Nemate račun?",
|
||||
"Don't like the style": "Ne sviđa mi se stil",
|
||||
"Download": "Preuzimanje",
|
||||
"Download canceled": "Preuzimanje otkazano",
|
||||
"Download Database": "Preuzmi bazu podataka",
|
||||
"Drop any files here to add to the conversation": "Spustite bilo koje datoteke ovdje za dodavanje u razgovor",
|
||||
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "npr. '30s','10m'. Važeće vremenske jedinice su 's', 'm', 'h'.",
|
||||
"Edit": "Uredi",
|
||||
"Edit Doc": "Uredi dokument",
|
||||
"Edit User": "Uredi korisnika",
|
||||
"Email": "Email",
|
||||
"Embedding Model": "Umetanje modela",
|
||||
"Embedding Model Engine": "Stroj za umetanje modela",
|
||||
"Embedding model set to \"{{embedding_model}}\"": "Model za umetanje postavljen na \"{{embedding_model}}\"",
|
||||
"Enable Chat History": "Omogući povijest razgovora",
|
||||
"Enable New Sign Ups": "Omogući nove prijave",
|
||||
"Enabled": "Omogućeno",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Provjerite da vaša CSV datoteka uključuje 4 stupca u ovom redoslijedu: Ime, Email, Lozinka, Uloga.",
|
||||
"Enter {{role}} message here": "Unesite poruku {{role}} ovdje",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Unesite preklapanje dijelova",
|
||||
"Enter Chunk Size": "Unesite veličinu dijela",
|
||||
"Enter Image Size (e.g. 512x512)": "Unesite veličinu slike (npr. 512x512)",
|
||||
"Enter language codes": "Unesite kodove jezika",
|
||||
"Enter LiteLLM API Base URL (litellm_params.api_base)": "Unesite osnovni URL LiteLLM API-ja (litellm_params.api_base)",
|
||||
"Enter LiteLLM API Key (litellm_params.api_key)": "Unesite ključ LiteLLM API-ja (litellm_params.api_key)",
|
||||
"Enter LiteLLM API RPM (litellm_params.rpm)": "Unesite LiteLLM API RPM (litellm_params.rpm)",
|
||||
"Enter LiteLLM Model (litellm_params.model)": "Unesite LiteLLM model (litellm_params.model)",
|
||||
"Enter Max Tokens (litellm_params.max_tokens)": "Unesite maksimalan broj tokena (litellm_params.max_tokens)",
|
||||
"Enter model tag (e.g. {{modelTag}})": "Unesite oznaku modela (npr. {{modelTag}})",
|
||||
"Enter Number of Steps (e.g. 50)": "Unesite broj koraka (npr. 50)",
|
||||
"Enter Score": "Unesite ocjenu",
|
||||
"Enter stop sequence": "Unesite sekvencu zaustavljanja",
|
||||
"Enter Top K": "Unesite Top K",
|
||||
"Enter URL (e.g. http://127.0.0.1:7860/)": "Unesite URL (npr. http://127.0.0.1:7860/)",
|
||||
"Enter URL (e.g. http://localhost:11434)": "Unesite URL (npr. http://localhost:11434)",
|
||||
"Enter Your Email": "Unesite svoj email",
|
||||
"Enter Your Full Name": "Unesite svoje puno ime",
|
||||
"Enter Your Password": "Unesite svoju lozinku",
|
||||
"Enter Your Role": "Unesite svoju ulogu",
|
||||
"Experimental": "Eksperimentalno",
|
||||
"Export All Chats (All Users)": "Izvoz svih razgovora (svi korisnici)",
|
||||
"Export Chats": "Izvoz razgovora",
|
||||
"Export Documents Mapping": "Izvoz mapiranja dokumenata",
|
||||
"Export Modelfiles": "Izvoz datoteka modela",
|
||||
"Export Prompts": "Izvoz prompta",
|
||||
"Failed to create API Key.": "Neuspješno stvaranje API ključa.",
|
||||
"Failed to read clipboard contents": "Neuspješno čitanje sadržaja međuspremnika",
|
||||
"February": "Veljača",
|
||||
"Feel free to add specific details": "Slobodno dodajte specifične detalje",
|
||||
"File Mode": "Način datoteke",
|
||||
"File not found.": "Datoteka nije pronađena.",
|
||||
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Otkriveno krivotvorenje otisaka prstiju: Nemoguće je koristiti inicijale kao avatar. Postavljanje na zadanu profilnu sliku.",
|
||||
"Fluidly stream large external response chunks": "Glavno strujanje velikih vanjskih dijelova odgovora",
|
||||
"Focus chat input": "Fokusiraj unos razgovora",
|
||||
"Followed instructions perfectly": "Savršeno slijedio upute",
|
||||
"Format your variables using square brackets like this:": "Formatirajte svoje varijable pomoću uglatih zagrada ovako:",
|
||||
"From (Base Model)": "Od (osnovni model)",
|
||||
"Full Screen Mode": "Način cijelog zaslona",
|
||||
"General": "Općenito",
|
||||
"General Settings": "Opće postavke",
|
||||
"Generation Info": "Informacije o generaciji",
|
||||
"Good Response": "Dobar odgovor",
|
||||
"h:mm a": "",
|
||||
"has no conversations.": "nema razgovora.",
|
||||
"Hello, {{name}}": "Bok, {{name}}",
|
||||
"Help": "Pomoć",
|
||||
"Hide": "Sakrij",
|
||||
"Hide Additional Params": "Sakrij dodatne parametre",
|
||||
"How can I help you today?": "Kako vam mogu pomoći danas?",
|
||||
"Hybrid Search": "Hibridna pretraga",
|
||||
"Image Generation (Experimental)": "Generiranje slika (eksperimentalno)",
|
||||
"Image Generation Engine": "Stroj za generiranje slika",
|
||||
"Image Settings": "Postavke slike",
|
||||
"Images": "Slike",
|
||||
"Import Chats": "Uvoz razgovora",
|
||||
"Import Documents Mapping": "Uvoz mapiranja dokumenata",
|
||||
"Import Modelfiles": "Uvoz datoteka modela",
|
||||
"Import Prompts": "Uvoz prompta",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Uključite zastavicu `--api` prilikom pokretanja stable-diffusion-webui",
|
||||
"Input commands": "Unos naredbi",
|
||||
"Interface": "Sučelje",
|
||||
"Invalid Tag": "Nevažeća oznaka",
|
||||
"January": "Siječanj",
|
||||
"join our Discord for help.": "pridružite se našem Discordu za pomoć.",
|
||||
"JSON": "JSON",
|
||||
"July": "Srpanj",
|
||||
"June": "Lipanj",
|
||||
"JWT Expiration": "Isticanje JWT-a",
|
||||
"JWT Token": "JWT token",
|
||||
"Keep Alive": "Održavanje živim",
|
||||
"Keyboard shortcuts": "Tipkovnički prečaci",
|
||||
"Language": "Jezik",
|
||||
"Last Active": "Zadnja aktivnost",
|
||||
"Light": "Svijetlo",
|
||||
"Listening...": "Slušanje...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLM-ovi mogu pogriješiti. Provjerite važne informacije.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Izradio OpenWebUI Community",
|
||||
"Make sure to enclose them with": "Provjerite da ih zatvorite s",
|
||||
"Manage LiteLLM Models": "Upravljajte LiteLLM modelima",
|
||||
"Manage Models": "Upravljanje modelima",
|
||||
"Manage Ollama Models": "Upravljanje Ollama modelima",
|
||||
"March": "Ožujak",
|
||||
"Max Tokens": "Maksimalni tokeni",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksimalno 3 modela mogu se preuzeti istovremeno. Pokušajte ponovo kasnije.",
|
||||
"May": "Svibanj",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "Minimalna ocjena",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
"Mirostat Tau": "Mirostat Tau",
|
||||
"MMMM DD, YYYY": "MMMM DD, YYYY",
|
||||
"MMMM DD, YYYY HH:mm": "MMMM DD, YYYY HH:mm",
|
||||
"Model '{{modelName}}' has been successfully downloaded.": "Model '{{modelName}}' je uspješno preuzet.",
|
||||
"Model '{{modelTag}}' is already in queue for downloading.": "Model '{{modelTag}}' je već u redu za preuzimanje.",
|
||||
"Model {{modelId}} not found": "Model {{modelId}} nije pronađen",
|
||||
"Model {{modelName}} already exists.": "Model {{modelName}} već postoji.",
|
||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Otkriven put datotečnog sustava modela. Kratko ime modela je potrebno za ažuriranje, nije moguće nastaviti.",
|
||||
"Model Name": "Naziv modela",
|
||||
"Model not selected": "Model nije odabran",
|
||||
"Model Tag Name": "Naziv oznake modela",
|
||||
"Model Whitelisting": "Bijela lista modela",
|
||||
"Model(s) Whitelisted": "Model(i) na bijeloj listi",
|
||||
"Modelfile": "Datoteka modela",
|
||||
"Modelfile Advanced Settings": "Napredne postavke datoteke modela",
|
||||
"Modelfile Content": "Sadržaj datoteke modela",
|
||||
"Modelfiles": "Datoteke modela",
|
||||
"Models": "Modeli",
|
||||
"More": "Više",
|
||||
"Name": "Ime",
|
||||
"Name Tag": "Naziv oznake",
|
||||
"Name your modelfile": "Nazovite svoju datoteku modela",
|
||||
"New Chat": "Novi razgovor",
|
||||
"New Password": "Nova lozinka",
|
||||
"No results found": "Nema rezultata",
|
||||
"No source available": "Nema dostupnog izvora",
|
||||
"Not factually correct": "Nije činjenično točno",
|
||||
"Not sure what to add?": "Niste sigurni što dodati?",
|
||||
"Not sure what to write? Switch to": "Niste sigurni što napisati? Prebacite se na",
|
||||
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Napomena: Ako postavite minimalnu ocjenu, pretraga će vratiti samo dokumente s ocjenom većom ili jednakom minimalnoj ocjeni.",
|
||||
"Notifications": "Obavijesti",
|
||||
"November": "Studeni",
|
||||
"October": "Listopad",
|
||||
"Off": "Isključeno",
|
||||
"Okay, Let's Go!": "U redu, idemo!",
|
||||
"OLED Dark": "OLED Tamno",
|
||||
"Ollama": "Ollama",
|
||||
"Ollama Base URL": "Osnovni URL Ollama",
|
||||
"Ollama Version": "Verzija Ollama",
|
||||
"On": "Uključeno",
|
||||
"Only": "Samo",
|
||||
"Only alphanumeric characters and hyphens are allowed in the command string.": "Samo alfanumerički znakovi i crtice su dopušteni u naredbenom nizu.",
|
||||
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Ups! Držite se! Vaše datoteke su još uvijek u procesu obrade. Pečemo ih do savršenstva. Molimo vas da budete strpljivi i obavijestit ćemo vas kada budu spremne.",
|
||||
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Ups! Izgleda da je URL nevažeći. Molimo provjerite ponovno i pokušajte ponovo.",
|
||||
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Ups! Koristite nepodržanu metodu (samo frontend). Molimo poslužite WebUI s backend-a.",
|
||||
"Open": "Otvoreno",
|
||||
"Open AI": "Open AI",
|
||||
"Open AI (Dall-E)": "Open AI (Dall-E)",
|
||||
"Open new chat": "Otvorite novi razgovor",
|
||||
"OpenAI": "OpenAI",
|
||||
"OpenAI API": "OpenAI API",
|
||||
"OpenAI API Config": "OpenAI API konfiguracija",
|
||||
"OpenAI API Key is required.": "Potreban je OpenAI API ključ.",
|
||||
"OpenAI URL/Key required.": "Potreban je OpenAI URL/ključ.",
|
||||
"or": "ili",
|
||||
"Other": "Ostalo",
|
||||
"Overview": "Pregled",
|
||||
"Parameters": "Parametri",
|
||||
"Password": "Lozinka",
|
||||
"PDF document (.pdf)": "PDF dokument (.pdf)",
|
||||
"PDF Extract Images (OCR)": "PDF izdvajanje slika (OCR)",
|
||||
"pending": "u tijeku",
|
||||
"Permission denied when accessing microphone: {{error}}": "Dopuštenje odbijeno prilikom pristupa mikrofonu: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "Običan tekst (.txt)",
|
||||
"Playground": "Igralište",
|
||||
"Positive attitude": "Pozitivan stav",
|
||||
"Previous 30 days": "Prethodnih 30 dana",
|
||||
"Previous 7 days": "Prethodnih 7 dana",
|
||||
"Profile Image": "Profilna slika",
|
||||
"Prompt": "Prompt",
|
||||
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (npr. Reci mi zanimljivost o Rimskom carstvu)",
|
||||
"Prompt Content": "Sadržaj prompta",
|
||||
"Prompt suggestions": "Prijedlozi prompta",
|
||||
"Prompts": "Prompti",
|
||||
"Pull \"{{searchValue}}\" from Ollama.com": "Povucite \"{{searchValue}}\" s Ollama.com",
|
||||
"Pull a model from Ollama.com": "Povucite model s Ollama.com",
|
||||
"Pull Progress": "Napredak povlačenja",
|
||||
"Query Params": "Parametri upita",
|
||||
"RAG Template": "RAG predložak",
|
||||
"Raw Format": "Neobrađeni format",
|
||||
"Read Aloud": "Čitaj naglas",
|
||||
"Record voice": "Snimanje glasa",
|
||||
"Redirecting you to OpenWebUI Community": "Preusmjeravanje na OpenWebUI zajednicu",
|
||||
"Refused when it shouldn't have": "Odbijen kada nije trebao biti",
|
||||
"Regenerate": "Regeneriraj",
|
||||
"Release Notes": "Bilješke o izdanju",
|
||||
"Remove": "Ukloni",
|
||||
"Remove Model": "Ukloni model",
|
||||
"Rename": "Preimenuj",
|
||||
"Repeat Last N": "Ponovi zadnjih N",
|
||||
"Repeat Penalty": "Kazna za ponavljanje",
|
||||
"Request Mode": "Način zahtjeva",
|
||||
"Reranking Model": "Model za ponovno rangiranje",
|
||||
"Reranking model disabled": "Model za ponovno rangiranje onemogućen",
|
||||
"Reranking model set to \"{{reranking_model}}\"": "Model za ponovno rangiranje postavljen na \"{{reranking_model}}\"",
|
||||
"Reset Vector Storage": "Resetiraj pohranu vektora",
|
||||
"Response AutoCopy to Clipboard": "Automatsko kopiranje odgovora u međuspremnik",
|
||||
"Role": "Uloga",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Spremi",
|
||||
"Save & Create": "Spremi i stvori",
|
||||
"Save & Update": "Spremi i ažuriraj",
|
||||
"Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "Spremanje zapisnika razgovora izravno u pohranu vašeg preglednika više nije podržano. Molimo vas da odvojite trenutak za preuzimanje i brisanje zapisnika razgovora klikom na gumb ispod. Ne brinite, možete lako ponovno uvesti zapisnike razgovora u backend putem",
|
||||
"Scan": "Skeniraj",
|
||||
"Scan complete!": "Skeniranje dovršeno!",
|
||||
"Scan for documents from {{path}}": "Skeniraj dokumente s {{path}}",
|
||||
"Search": "Pretraga",
|
||||
"Search a model": "Pretraži model",
|
||||
"Search Documents": "Pretraga dokumenata",
|
||||
"Search Prompts": "Pretraga prompta",
|
||||
"See readme.md for instructions": "Pogledajte readme.md za upute",
|
||||
"See what's new": "Pogledajte što je novo",
|
||||
"Seed": "Sjeme",
|
||||
"Select a mode": "Odaberite način",
|
||||
"Select a model": "Odaberite model",
|
||||
"Select an Ollama instance": "Odaberite Ollama instancu",
|
||||
"Select model": "Odaberite model",
|
||||
"Send": "",
|
||||
"Send a Message": "Pošaljite poruku",
|
||||
"Send message": "Pošalji poruku",
|
||||
"September": "Rujan",
|
||||
"Server connection verified": "Veza s poslužiteljem potvrđena",
|
||||
"Set as default": "Postavi kao zadano",
|
||||
"Set Default Model": "Postavi zadani model",
|
||||
"Set embedding model (e.g. {{model}})": "Postavi model za umetanje (npr. {{model}})",
|
||||
"Set Image Size": "Postavi veličinu slike",
|
||||
"Set Model": "Postavi model",
|
||||
"Set reranking model (e.g. {{model}})": "Postavi model za ponovno rangiranje (npr. {{model}})",
|
||||
"Set Steps": "Postavi korake",
|
||||
"Set Title Auto-Generation Model": "Postavi model za automatsko generiranje naslova",
|
||||
"Set Voice": "Postavi glas",
|
||||
"Settings": "Postavke",
|
||||
"Settings saved successfully!": "Postavke su uspješno spremljene!",
|
||||
"Share": "Podijeli",
|
||||
"Share Chat": "Podijeli razgovor",
|
||||
"Share to OpenWebUI Community": "Podijeli u OpenWebUI zajednici",
|
||||
"short-summary": "kratki sažetak",
|
||||
"Show": "Pokaži",
|
||||
"Show Additional Params": "Pokaži dodatne parametre",
|
||||
"Show shortcuts": "Pokaži prečace",
|
||||
"Showcased creativity": "Prikazana kreativnost",
|
||||
"sidebar": "bočna traka",
|
||||
"Sign in": "Prijava",
|
||||
"Sign Out": "Odjava",
|
||||
"Sign up": "Registracija",
|
||||
"Signing in": "Prijava",
|
||||
"Source": "Izvor",
|
||||
"Speech recognition error: {{error}}": "Pogreška prepoznavanja govora: {{error}}",
|
||||
"Speech-to-Text Engine": "Stroj za prepoznavanje govora",
|
||||
"SpeechRecognition API is not supported in this browser.": "API za prepoznavanje govora nije podržan u ovom pregledniku.",
|
||||
"Stop Sequence": "Zaustavi sekvencu",
|
||||
"STT Settings": "STT postavke",
|
||||
"Submit": "Pošalji",
|
||||
"Subtitle (e.g. about the Roman Empire)": "Podnaslov (npr. o Rimskom carstvu)",
|
||||
"Success": "Uspjeh",
|
||||
"Successfully updated.": "Uspješno ažurirano.",
|
||||
"Suggested": "Predloženo",
|
||||
"Sync All": "Sinkroniziraj sve",
|
||||
"System": "Sustav",
|
||||
"System Prompt": "Sistemski prompt",
|
||||
"Tags": "Oznake",
|
||||
"Tell us more:": "Recite nam više:",
|
||||
"Temperature": "Temperatura",
|
||||
"Template": "Predložak",
|
||||
"Text Completion": "Dovršavanje teksta",
|
||||
"Text-to-Speech Engine": "Stroj za pretvorbu teksta u govor",
|
||||
"Tfs Z": "Tfs Z",
|
||||
"Thanks for your feedback!": "Hvala na povratnim informacijama!",
|
||||
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Ocjena treba biti vrijednost između 0,0 (0%) i 1,0 (100%).",
|
||||
"Theme": "Tema",
|
||||
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ovo osigurava da su vaši vrijedni razgovori sigurno spremljeni u vašu bazu podataka na backendu. Hvala vam!",
|
||||
"This setting does not sync across browsers or devices.": "Ova postavka se ne sinkronizira između preglednika ili uređaja.",
|
||||
"Thorough explanation": "Detaljno objašnjenje",
|
||||
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Savjet: Ažurirajte više mjesta za varijable uzastopno pritiskom na tipku tab u unosu razgovora nakon svake zamjene.",
|
||||
"Title": "Naslov",
|
||||
"Title (e.g. Tell me a fun fact)": "Naslov (npr. Reci mi zanimljivost)",
|
||||
"Title Auto-Generation": "Automatsko generiranje naslova",
|
||||
"Title cannot be an empty string.": "Naslov ne može biti prazni niz.",
|
||||
"Title Generation Prompt": "Prompt za generiranje naslova",
|
||||
"to": "do",
|
||||
"To access the available model names for downloading,": "Za pristup dostupnim nazivima modela za preuzimanje,",
|
||||
"To access the GGUF models available for downloading,": "Za pristup GGUF modelima dostupnim za preuzimanje,",
|
||||
"to chat input.": "u unos razgovora.",
|
||||
"Today": "Danas",
|
||||
"Toggle settings": "Prebaci postavke",
|
||||
"Toggle sidebar": "Prebaci bočnu traku",
|
||||
"Top K": "Top K",
|
||||
"Top P": "Top P",
|
||||
"Trouble accessing Ollama?": "Problemi s pristupom Ollama?",
|
||||
"TTS Settings": "TTS postavke",
|
||||
"Type Hugging Face Resolve (Download) URL": "Upišite Hugging Face Resolve (Download) URL",
|
||||
"Uh-oh! There was an issue connecting to {{provider}}.": "Uh-oh! Pojavio se problem s povezivanjem na {{provider}}.",
|
||||
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Nepoznata vrsta datoteke '{{file_type}}', ali prihvaćena i obrađuje se kao običan tekst",
|
||||
"Update and Copy Link": "Ažuriraj i kopiraj vezu",
|
||||
"Update password": "Ažuriraj lozinku",
|
||||
"Upload a GGUF model": "Učitaj GGUF model",
|
||||
"Upload files": "Učitaj datoteke",
|
||||
"Upload Progress": "Napredak učitavanja",
|
||||
"URL Mode": "URL način",
|
||||
"Use '#' in the prompt input to load and select your documents.": "Koristite '#' u unosu prompta za učitavanje i odabir vaših dokumenata.",
|
||||
"Use Gravatar": "Koristi Gravatar",
|
||||
"Use Initials": "Koristi inicijale",
|
||||
"user": "korisnik",
|
||||
"User Permissions": "Korisnička dopuštenja",
|
||||
"Users": "Korisnici",
|
||||
"Utilize": "Iskoristi",
|
||||
"Valid time units:": "Važeće vremenske jedinice:",
|
||||
"variable": "varijabla",
|
||||
"variable to have them replaced with clipboard content.": "varijabla za zamjenu sadržajem međuspremnika.",
|
||||
"Version": "Verzija",
|
||||
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Upozorenje: Ako ažurirate ili promijenite svoj model za umetanje, morat ćete ponovno uvesti sve dokumente.",
|
||||
"Web": "Web",
|
||||
"Web Loader Settings": "Postavke web učitavanja",
|
||||
"Web Params": "Web parametri",
|
||||
"Webhook URL": "URL webkuke",
|
||||
"WebUI Add-ons": "Dodaci za WebUI",
|
||||
"WebUI Settings": "WebUI postavke",
|
||||
"WebUI will make requests to": "WebUI će slati zahtjeve na",
|
||||
"What’s New in": "Što je novo u",
|
||||
"When history is turned off, new chats on this browser won't appear in your history on any of your devices.": "Kada je povijest isključena, novi razgovori na ovom pregledniku neće se pojaviti u vašoj povijesti na bilo kojem od vaših uređaja.",
|
||||
"Whisper (Local)": "Whisper (lokalno)",
|
||||
"Workspace": "",
|
||||
"Write a prompt suggestion (e.g. Who are you?)": "Napišite prijedlog prompta (npr. Tko si ti?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Napišite sažetak u 50 riječi koji sažima [temu ili ključnu riječ].",
|
||||
"Yesterday": "Jučer",
|
||||
"You": "Vi",
|
||||
"You have no archived conversations.": "Nemate arhiviranih razgovora.",
|
||||
"You have shared this chat": "Podijelili ste ovaj razgovor",
|
||||
"You're a helpful assistant.": "Vi ste korisni asistent.",
|
||||
"You're now logged in.": "Sada ste prijavljeni.",
|
||||
"Youtube": "YouTube",
|
||||
"Youtube Loader Settings": "YouTube postavke učitavanja"
|
||||
}
|
||||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "Informazioni",
|
||||
"Account": "Account",
|
||||
"Accurate information": "Informazioni accurate",
|
||||
"Add": "",
|
||||
"Add a model": "Aggiungi un modello",
|
||||
"Add a model tag name": "Aggiungi un nome tag del modello",
|
||||
"Add a short description about what this modelfile does": "Aggiungi una breve descrizione di ciò che fa questo file modello",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "Aggiungi un prompt custom",
|
||||
"Add Docs": "Aggiungi documenti",
|
||||
"Add Files": "Aggiungi file",
|
||||
"Add Memory": "",
|
||||
"Add message": "Aggiungi messaggio",
|
||||
"Add Model": "Aggiungi modello",
|
||||
"Add Tags": "Aggiungi tag",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Categorie",
|
||||
"Change Password": "Cambia password",
|
||||
"Chat": "Chat",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Cronologia chat",
|
||||
"Chat History is off for this browser.": "La cronologia chat è disattivata per questo browser.",
|
||||
"Chats": "Chat",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Abilitato",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Assicurati che il tuo file CSV includa 4 colonne in questo ordine: Nome, Email, Password, Ruolo.",
|
||||
"Enter {{role}} message here": "Inserisci il messaggio per {{role}} qui",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Inserisci la sovrapposizione chunk",
|
||||
"Enter Chunk Size": "Inserisci la dimensione chunk",
|
||||
"Enter Image Size (e.g. 512x512)": "Inserisci la dimensione dell'immagine (ad esempio 512x512)",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Chiaro",
|
||||
"Listening...": "Ascolto...",
|
||||
"LLMs can make mistakes. Verify important information.": "Gli LLM possono commettere errori. Verifica le informazioni importanti.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Realizzato dalla comunità OpenWebUI",
|
||||
"Make sure to enclose them with": "Assicurati di racchiuderli con",
|
||||
"Manage LiteLLM Models": "Gestisci modelli LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Max token",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "È possibile scaricare un massimo di 3 modelli contemporaneamente. Riprova più tardi.",
|
||||
"May": "Maggio",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "I messaggi che invii dopo aver creato il tuo link non verranno condivisi. Gli utenti con l'URL potranno visualizzare la chat condivisa.",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "Punteggio minimo",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Estrazione immagini PDF (OCR)",
|
||||
"pending": "in sospeso",
|
||||
"Permission denied when accessing microphone: {{error}}": "Autorizzazione negata durante l'accesso al microfono: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "Testo normale (.txt)",
|
||||
"Playground": "Terreno di gioco",
|
||||
"Positive attitude": "Attitudine positiva",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Ruolo",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Salva",
|
||||
"Save & Create": "Salva e crea",
|
||||
"Save & Update": "Salva e aggiorna",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Scrivi un suggerimento per il prompt (ad esempio Chi sei?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Scrivi un riassunto in 50 parole che riassume [argomento o parola chiave].",
|
||||
"Yesterday": "Ieri",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "Non hai conversazioni archiviate.",
|
||||
"You have shared this chat": "Hai condiviso questa chat",
|
||||
"You're a helpful assistant.": "Sei un assistente utile.",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "概要",
|
||||
"Account": "アカウント",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "モデルを追加",
|
||||
"Add a model tag name": "モデルタグ名を追加",
|
||||
"Add a short description about what this modelfile does": "このモデルファイルの機能に関する簡単な説明を追加",
|
||||
"Add a short title for this prompt": "このプロンプトの短いタイトルを追加",
|
||||
"Add a tag": "タグを追加",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "カスタムプロンプトを追加",
|
||||
"Add Docs": "ドキュメントを追加",
|
||||
"Add Files": "ファイルを追加",
|
||||
"Add Memory": "",
|
||||
"Add message": "メッセージを追加",
|
||||
"Add Model": "",
|
||||
"Add Tags": "タグを追加",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "チャット記録",
|
||||
"are allowed - Activate this command by typing": "が許可されています - 次のように入力してこのコマンドをアクティブ化します",
|
||||
"Are you sure?": "よろしいですか?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "ファイルを添付する",
|
||||
"Attention to detail": "詳細に注意する",
|
||||
"Audio": "オーディオ",
|
||||
"August": "",
|
||||
"Auto-playback response": "応答の自動再生",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "カテゴリ",
|
||||
"Change Password": "パスワードを変更",
|
||||
"Chat": "チャット",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "チャット履歴",
|
||||
"Chat History is off for this browser.": "このブラウザではチャット履歴が無効になっています。",
|
||||
"Chats": "チャット",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "有効",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "{{role}} メッセージをここに入力してください",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "チャンクオーバーラップを入力してください",
|
||||
"Enter Chunk Size": "チャンクサイズを入力してください",
|
||||
"Enter Image Size (e.g. 512x512)": "画像サイズを入力してください (例: 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "モデルファイルをインポート",
|
||||
"Import Prompts": "プロンプトをインポート",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "",
|
||||
"Input commands": "",
|
||||
"Input commands": "入力コマンド",
|
||||
"Interface": "インターフェース",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "ライト",
|
||||
"Listening...": "聞いています...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLM は間違いを犯す可能性があります。重要な情報を検証してください。",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "OpenWebUI コミュニティによって作成",
|
||||
"Make sure to enclose them with": "必ず次で囲んでください",
|
||||
"Manage LiteLLM Models": "LiteLLM モデルを管理",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "最大トークン数",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "同時にダウンロードできるモデルは最大 3 つです。後でもう一度お試しください。",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "ミロスタット",
|
||||
"Mirostat Eta": "ミロスタット Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF 画像抽出 (OCR)",
|
||||
"pending": "保留中",
|
||||
"Permission denied when accessing microphone: {{error}}": "マイクへのアクセス時に権限が拒否されました: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "プレイグラウンド",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "役割",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "保存",
|
||||
"Save & Create": "保存して作成",
|
||||
"Save & Update": "保存して更新",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "モードを選択",
|
||||
"Select a model": "モデルを選択",
|
||||
"Select an Ollama instance": "Ollama インスタンスを選択",
|
||||
"Select model": "",
|
||||
"Select model": "モデルを選択",
|
||||
"Send": "",
|
||||
"Send a Message": "メッセージを送信",
|
||||
"Send message": "メッセージを送信",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "プロンプトの提案を書いてください (例: あなたは誰ですか?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "[トピックまたはキーワード] を要約する 50 語の概要を書いてください。",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "あなたは役に立つアシスタントです。",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "შესახებ",
|
||||
"Account": "ანგარიში",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "მოდელის დამატება",
|
||||
"Add a model tag name": "მოდელის ტეგის სახელის დამატება",
|
||||
"Add a short description about what this modelfile does": "დაამატე მოკლე აღწერა იმის შესახებ, თუ რას აკეთებს ეს მოდელური ფაილი",
|
||||
"Add a short title for this prompt": "დაამატე მოკლე სათაური ამ მოთხოვნისთვის",
|
||||
"Add a tag": "დაამატე ტეგი",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "პირველადი მოთხოვნის დამატება",
|
||||
"Add Docs": "დოკუმენტის დამატება",
|
||||
"Add Files": "ფაილების დამატება",
|
||||
"Add Memory": "",
|
||||
"Add message": "შეტყობინების დამატება",
|
||||
"Add Model": "",
|
||||
"Add Tags": "ტეგების დამატება",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "ჩატის ისტორიის არქივი",
|
||||
"are allowed - Activate this command by typing": "დაშვებულია - ბრძანების გასააქტიურებლად აკრიფეთ:",
|
||||
"Are you sure?": "დარწმუნებული ხარ?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "ფაილის ჩაწერა",
|
||||
"Attention to detail": "დეტალური მიმართვა",
|
||||
"Audio": "ხმოვანი",
|
||||
"August": "",
|
||||
"Auto-playback response": "ავტომატური დაკვრის პასუხი",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "კატეგორიები",
|
||||
"Change Password": "პაროლის შეცვლა",
|
||||
"Chat": "მიმოწერა",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "მიმოწერის ისტორია",
|
||||
"Chat History is off for this browser.": "მიმოწერის ისტორია ამ ბრაუზერისთვის გათიშულია",
|
||||
"Chats": "მიმოწერები",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "ჩართულია",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "შეიყვანე {{role}} შეტყობინება აქ",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "შეიყვანეთ ნაწილის გადახურვა",
|
||||
"Enter Chunk Size": "შეიყვანე ბლოკის ზომა",
|
||||
"Enter Image Size (e.g. 512x512)": "შეიყვანეთ სურათის ზომა (მაგ. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "მოდელური ფაილების იმპორტი",
|
||||
"Import Prompts": "მოთხოვნების იმპორტი",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "ჩართეთ `--api` დროშა stable-diffusion-webui-ის გაშვებისას",
|
||||
"Input commands": "",
|
||||
"Input commands": "შეყვანით ბრძანებებს",
|
||||
"Interface": "ინტერფეისი",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "მსუბუქი",
|
||||
"Listening...": "გისმენ...",
|
||||
"LLMs can make mistakes. Verify important information.": "შესაძლოა LLM-ებმა შეცდომები დაუშვან. გადაამოწმეთ მნიშვნელოვანი ინფორმაცია.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "დამზადებულია OpenWebUI საზოგადოების მიერ",
|
||||
"Make sure to enclose them with": "დარწმუნდით, რომ დაურთეთ ისინი",
|
||||
"Manage LiteLLM Models": "LiteLLM მოდელების მართვა",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "მაქსიმალური ტოკენები",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "მაქსიმუმ 3 მოდელის ჩამოტვირთვა შესაძლებელია ერთდროულად. Გთხოვთ სცადოთ მოგვიანებით.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "მიროსტატი",
|
||||
"Mirostat Eta": "მიროსტატი ეტა",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF იდან ამოღებული სურათები (OCR)",
|
||||
"pending": "ლოდინის რეჟიმშია",
|
||||
"Permission denied when accessing microphone: {{error}}": "ნებართვა უარყოფილია მიკროფონზე წვდომისას: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "სათამაშო მოედანი",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "როლი",
|
||||
"Rosé Pine": "ვარდისფერი ფიჭვის ხე",
|
||||
"Rosé Pine Dawn": "ვარდისფერი ფიჭვის გარიჟრაჟი",
|
||||
"RTL": "",
|
||||
"Save": "შენახვა",
|
||||
"Save & Create": "დამახსოვრება და შექმნა",
|
||||
"Save & Update": "დამახსოვრება და განახლება",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "რეჟიმის არჩევა",
|
||||
"Select a model": "მოდელის არჩევა",
|
||||
"Select an Ollama instance": "",
|
||||
"Select model": "",
|
||||
"Select model": "მოდელის არჩევა",
|
||||
"Send": "",
|
||||
"Send a Message": "შეტყობინების გაგზავნა",
|
||||
"Send message": "შეტყობინების გაგზავნა",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "დაწერეთ მოკლე წინადადება (მაგ. ვინ ხარ?",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "დაწერეთ რეზიუმე 50 სიტყვით, რომელიც აჯამებს [თემას ან საკვანძო სიტყვას].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "თქვენ სასარგებლო ასისტენტი ხართ.",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "소개",
|
||||
"Account": "계정",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "모델 추가",
|
||||
"Add a model tag name": "모델 태그명 추가",
|
||||
"Add a short description about what this modelfile does": "이 모델파일이 하는 일에 대한 간단한 설명 추가",
|
||||
"Add a short title for this prompt": "이 프롬프트에 대한 간단한 제목 추가",
|
||||
"Add a tag": "태그 추가",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "프롬프트 추가",
|
||||
"Add Docs": "문서 추가",
|
||||
"Add Files": "파일 추가",
|
||||
"Add Memory": "",
|
||||
"Add message": "메시지 추가",
|
||||
"Add Model": "",
|
||||
"Add Tags": "태그들 추가",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "채팅 기록 아카이브",
|
||||
"are allowed - Activate this command by typing": "허용됩니다 - 이 명령을 활성화하려면 입력하세요.",
|
||||
"Are you sure?": "확실합니까?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "파일 첨부",
|
||||
"Attention to detail": "상세한 주의",
|
||||
"Audio": "오디오",
|
||||
"August": "",
|
||||
"Auto-playback response": "응답 자동 재생",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "분류",
|
||||
"Change Password": "비밀번호 변경",
|
||||
"Chat": "채팅",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "채팅 기록",
|
||||
"Chat History is off for this browser.": "이 브라우저에서 채팅 기록이 꺼져 있습니다.",
|
||||
"Chats": "채팅",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "활성화",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "여기에 {{role}} 메시지 입력",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "청크 오버랩 입력",
|
||||
"Enter Chunk Size": "청크 크기 입력",
|
||||
"Enter Image Size (e.g. 512x512)": "이미지 크기 입력(예: 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "모델파일 가져오기",
|
||||
"Import Prompts": "프롬프트 가져오기",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "",
|
||||
"Input commands": "",
|
||||
"Input commands": "입력 명령",
|
||||
"Interface": "인터페이스",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "밝음",
|
||||
"Listening...": "청취 중...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLM은 실수를 할 수 있습니다. 중요한 정보를 확인하세요.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "OpenWebUI 커뮤니티에서 제작",
|
||||
"Make sure to enclose them with": "다음으로 묶는 것을 잊지 마세요:",
|
||||
"Manage LiteLLM Models": "LiteLLM 모델 관리",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "최대 토큰 수",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "최대 3개의 모델을 동시에 다운로드할 수 있습니다. 나중에 다시 시도하세요.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF에서 이미지 추출 (OCR)",
|
||||
"pending": "보류 중",
|
||||
"Permission denied when accessing microphone: {{error}}": "마이크 액세스가 거부되었습니다: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "놀이터",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "역할",
|
||||
"Rosé Pine": "로제 파인",
|
||||
"Rosé Pine Dawn": "로제 파인 던",
|
||||
"RTL": "",
|
||||
"Save": "저장",
|
||||
"Save & Create": "저장 및 생성",
|
||||
"Save & Update": "저장 및 업데이트",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "모드 선택",
|
||||
"Select a model": "모델 선택",
|
||||
"Select an Ollama instance": "Ollama 인스턴스 선택",
|
||||
"Select model": "",
|
||||
"Select model": "모델 선택",
|
||||
"Send": "",
|
||||
"Send a Message": "메시지 보내기",
|
||||
"Send message": "메시지 보내기",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "프롬프트 제안 작성 (예: 당신은 누구인가요?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "[주제 또는 키워드]에 대한 50단어 요약문 작성.",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "당신은 유용한 어시스턴트입니다.",
|
||||
|
|
|
|||
|
|
@ -55,6 +55,10 @@
|
|||
"code": "hi-IN",
|
||||
"title": "Hindi (हिंदी)"
|
||||
},
|
||||
{
|
||||
"code": "hr-HR",
|
||||
"title": "Croatian"
|
||||
},
|
||||
{
|
||||
"code": "it-IT",
|
||||
"title": "Italian"
|
||||
|
|
@ -75,6 +79,10 @@
|
|||
"code": "nl-NL",
|
||||
"title": "Dutch (Netherlands)"
|
||||
},
|
||||
{
|
||||
"code": "pa-IN",
|
||||
"title": "Punjabi (India)"
|
||||
},
|
||||
{
|
||||
"code": "pl-PL",
|
||||
"title": "Polish"
|
||||
|
|
@ -95,6 +103,10 @@
|
|||
"code": "sv-SE",
|
||||
"title": "Swedish"
|
||||
},
|
||||
{
|
||||
"code": "sr-RS",
|
||||
"title": "Serbian (Српски)"
|
||||
},
|
||||
{
|
||||
"code": "tr-TR",
|
||||
"title": "Turkish"
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "Over",
|
||||
"Account": "Account",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Voeg een model toe",
|
||||
"Add a model tag name": "Voeg een model tag naam toe",
|
||||
"Add a short description about what this modelfile does": "Voeg een korte beschrijving toe over wat dit modelfile doet",
|
||||
"Add a short title for this prompt": "Voeg een korte titel toe voor deze prompt",
|
||||
"Add a tag": "Voeg een tag toe",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Voeg een aangepaste prompt toe",
|
||||
"Add Docs": "Voeg Docs toe",
|
||||
"Add Files": "Voege Bestanden toe",
|
||||
"Add Memory": "",
|
||||
"Add message": "Voeg bericht toe",
|
||||
"Add Model": "",
|
||||
"Add Tags": "voeg tags toe",
|
||||
|
|
@ -47,7 +49,7 @@
|
|||
"Archived Chats": "chatrecord",
|
||||
"are allowed - Activate this command by typing": "zijn toegestaan - Activeer deze commando door te typen",
|
||||
"Are you sure?": "Zeker weten?",
|
||||
"Attach file": "",
|
||||
"Attach file": "Voeg een bestand toe",
|
||||
"Attention to detail": "",
|
||||
"Audio": "Audio",
|
||||
"August": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Categorieën",
|
||||
"Change Password": "Wijzig Wachtwoord",
|
||||
"Chat": "Chat",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Chat Geschiedenis",
|
||||
"Chat History is off for this browser.": "Chat Geschiedenis is uitgeschakeld voor deze browser.",
|
||||
"Chats": "Chats",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Ingeschakeld",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Voeg {{role}} bericht hier toe",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Voeg Chunk Overlap toe",
|
||||
"Enter Chunk Size": "Voeg Chunk Size toe",
|
||||
"Enter Image Size (e.g. 512x512)": "Voeg afbeelding formaat toe (Bijv. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Importeer Modelfiles",
|
||||
"Import Prompts": "Importeer Prompts",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Voeg `--api` vlag toe bij het uitvoeren van stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Voer commando's in",
|
||||
"Interface": "Interface",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Licht",
|
||||
"Listening...": "Luisteren...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs kunnen fouten maken. Verifieer belangrijke informatie.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Gemaakt door OpenWebUI Community",
|
||||
"Make sure to enclose them with": "Zorg ervoor dat je ze omringt met",
|
||||
"Manage LiteLLM Models": "Beheer LiteLLM Modellen",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Max Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maximaal 3 modellen kunnen tegelijkertijd worden gedownload. Probeer het later opnieuw.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF Extract Afbeeldingen (OCR)",
|
||||
"pending": "wachtend",
|
||||
"Permission denied when accessing microphone: {{error}}": "Toestemming geweigerd bij toegang tot microfoon: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Speeltuin",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rol",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Opslaan",
|
||||
"Save & Create": "Opslaan & Creëren",
|
||||
"Save & Update": "Opslaan & Bijwerken",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Selecteer een modus",
|
||||
"Select a model": "Selecteer een model",
|
||||
"Select an Ollama instance": "Selecteer een Ollama instantie",
|
||||
"Select model": "",
|
||||
"Select model": "Selecteer een model",
|
||||
"Send": "",
|
||||
"Send a Message": "Stuur een Bericht",
|
||||
"Send message": "Stuur bericht",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Schrijf een prompt suggestie (bijv. Wie ben je?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Schrijf een samenvatting in 50 woorden die [onderwerp of trefwoord] samenvat.",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Jij bent een behulpzame assistent.",
|
||||
|
|
|
|||
503
src/lib/i18n/locales/pa-IN/translation.json
Normal file
503
src/lib/i18n/locales/pa-IN/translation.json
Normal file
|
|
@ -0,0 +1,503 @@
|
|||
{
|
||||
"'s', 'm', 'h', 'd', 'w' or '-1' for no expiration.": "'ਸ', 'ਮ', 'ਘੰ', 'ਦ', 'ਹਫ਼ਤਾ' ਜਾਂ '-1' ਬਿਨਾ ਮਿਆਦ ਦੇ।",
|
||||
"(Beta)": "(ਬੀਟਾ)",
|
||||
"(e.g. `sh webui.sh --api`)": "(ਉਦਾਹਰਣ ਦੇ ਤੌਰ ਤੇ `sh webui.sh --api`)",
|
||||
"(latest)": "(ਤਾਜ਼ਾ)",
|
||||
"{{modelName}} is thinking...": "{{modelName}} ਸੋਚ ਰਿਹਾ ਹੈ...",
|
||||
"{{user}}'s Chats": "{{user}} ਦੀਆਂ ਗੱਲਾਂ",
|
||||
"{{webUIName}} Backend Required": "{{webUIName}} ਬੈਕਐਂਡ ਲੋੜੀਂਦਾ ਹੈ",
|
||||
"a user": "ਇੱਕ ਉਪਭੋਗਤਾ",
|
||||
"About": "ਬਾਰੇ",
|
||||
"Account": "ਖਾਤਾ",
|
||||
"Accurate information": "ਸਹੀ ਜਾਣਕਾਰੀ",
|
||||
"Add": "",
|
||||
"Add a model": "ਇੱਕ ਮਾਡਲ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add a model tag name": "ਇੱਕ ਮਾਡਲ ਟੈਗ ਨਾਮ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add a short description about what this modelfile does": "ਇਸ ਮਾਡਲਫਾਈਲ ਦੇ ਕੀ ਕਰਨ ਬਾਰੇ ਇੱਕ ਛੋਟੀ ਵਰਣਨਾ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add a short title for this prompt": "ਇਸ ਪ੍ਰੰਪਟ ਲਈ ਇੱਕ ਛੋਟਾ ਸਿਰਲੇਖ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add a tag": "ਇੱਕ ਟੈਗ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add custom prompt": "ਕਸਟਮ ਪ੍ਰੰਪਟ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add Docs": "ਡਾਕੂਮੈਂਟ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add Files": "ਫਾਈਲਾਂ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add Memory": "",
|
||||
"Add message": "ਸੁਨੇਹਾ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add Model": "ਮਾਡਲ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add Tags": "ਟੈਗ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Add User": "ਉਪਭੋਗਤਾ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Adjusting these settings will apply changes universally to all users.": "ਇਹ ਸੈਟਿੰਗਾਂ ਨੂੰ ਠੀਕ ਕਰਨ ਨਾਲ ਸਾਰੇ ਉਪਭੋਗਤਾਵਾਂ ਲਈ ਬਦਲਾਅ ਲਾਗੂ ਹੋਣਗੇ।",
|
||||
"admin": "ਪ੍ਰਬੰਧਕ",
|
||||
"Admin Panel": "ਪ੍ਰਬੰਧਕ ਪੈਨਲ",
|
||||
"Admin Settings": "ਪ੍ਰਬੰਧਕ ਸੈਟਿੰਗਾਂ",
|
||||
"Advanced Parameters": "ਉੱਚ ਸਤਰ ਦੇ ਪੈਰਾਮੀਟਰ",
|
||||
"all": "ਸਾਰੇ",
|
||||
"All Documents": "ਸਾਰੇ ਡਾਕੂਮੈਂਟ",
|
||||
"All Users": "ਸਾਰੇ ਉਪਭੋਗਤਾ",
|
||||
"Allow": "ਅਨੁਮਤੀ",
|
||||
"Allow Chat Deletion": "ਗੱਲਬਾਤ ਮਿਟਾਉਣ ਦੀ ਆਗਿਆ ਦਿਓ",
|
||||
"alphanumeric characters and hyphens": "ਅਲਫ਼ਾਨਯੂਮੈਰਿਕ ਅੱਖਰ ਅਤੇ ਹਾਈਫਨ",
|
||||
"Already have an account?": "ਪਹਿਲਾਂ ਹੀ ਖਾਤਾ ਹੈ?",
|
||||
"an assistant": "ਇੱਕ ਸਹਾਇਕ",
|
||||
"and": "ਅਤੇ",
|
||||
"and create a new shared link.": "ਅਤੇ ਇੱਕ ਨਵਾਂ ਸਾਂਝਾ ਲਿੰਕ ਬਣਾਓ।",
|
||||
"API Base URL": "API ਬੇਸ URL",
|
||||
"API Key": "API ਕੁੰਜੀ",
|
||||
"API Key created.": "API ਕੁੰਜੀ ਬਣਾਈ ਗਈ।",
|
||||
"API keys": "API ਕੁੰਜੀਆਂ",
|
||||
"API RPM": "API RPM",
|
||||
"April": "ਅਪ੍ਰੈਲ",
|
||||
"Archive": "ਆਰਕਾਈਵ",
|
||||
"Archived Chats": "ਆਰਕਾਈਵ ਕੀਤੀਆਂ ਗੱਲਾਂ",
|
||||
"are allowed - Activate this command by typing": "ਅਨੁਮਤ ਹਨ - ਇਸ ਕਮਾਂਡ ਨੂੰ ਟਾਈਪ ਕਰਕੇ ਸਰਗਰਮ ਕਰੋ",
|
||||
"Are you sure?": "ਕੀ ਤੁਸੀਂ ਯਕੀਨਨ ਹੋ?",
|
||||
"Attach file": "ਫਾਈਲ ਜੋੜੋ",
|
||||
"Attention to detail": "ਵੇਰਵੇ 'ਤੇ ਧਿਆਨ",
|
||||
"Audio": "ਆਡੀਓ",
|
||||
"August": "ਅਗਸਤ",
|
||||
"Auto-playback response": "ਆਟੋ-ਪਲੇਬੈਕ ਜਵਾਬ",
|
||||
"Auto-send input after 3 sec.": "3 ਸਕਿੰਟ ਬਾਅਦ ਆਟੋ-ਭੇਜੋ ਇਨਪੁਟ",
|
||||
"AUTOMATIC1111 Base URL": "AUTOMATIC1111 ਬੇਸ URL",
|
||||
"AUTOMATIC1111 Base URL is required.": "AUTOMATIC1111 ਬੇਸ URL ਦੀ ਲੋੜ ਹੈ।",
|
||||
"available!": "ਉਪਲਬਧ ਹੈ!",
|
||||
"Back": "ਵਾਪਸ",
|
||||
"Bad Response": "ਖਰਾਬ ਜਵਾਬ",
|
||||
"before": "ਪਹਿਲਾਂ",
|
||||
"Being lazy": "ਆਲਸੀ ਹੋਣਾ",
|
||||
"Builder Mode": "ਬਿਲਡਰ ਮੋਡ",
|
||||
"Bypass SSL verification for Websites": "ਵੈਬਸਾਈਟਾਂ ਲਈ SSL ਪ੍ਰਮਾਣਿਕਤਾ ਨੂੰ ਬਾਈਪਾਸ ਕਰੋ",
|
||||
"Cancel": "ਰੱਦ ਕਰੋ",
|
||||
"Categories": "ਸ਼੍ਰੇਣੀਆਂ",
|
||||
"Change Password": "ਪਾਸਵਰਡ ਬਦਲੋ",
|
||||
"Chat": "ਗੱਲਬਾਤ",
|
||||
"Chat Bubble UI": "ਗੱਲਬਾਤ ਬਬਲ UI",
|
||||
"Chat direction": "",
|
||||
"Chat History": "ਗੱਲਬਾਤ ਦਾ ਇਤਿਹਾਸ",
|
||||
"Chat History is off for this browser.": "ਇਸ ਬ੍ਰਾਊਜ਼ਰ ਲਈ ਗੱਲਬਾਤ ਦਾ ਇਤਿਹਾਸ ਬੰਦ ਹੈ।",
|
||||
"Chats": "ਗੱਲਾਂ",
|
||||
"Check Again": "ਮੁੜ ਜਾਂਚ ਕਰੋ",
|
||||
"Check for updates": "ਅੱਪਡੇਟ ਲਈ ਜਾਂਚ ਕਰੋ",
|
||||
"Checking for updates...": "ਅੱਪਡੇਟ ਲਈ ਜਾਂਚ ਰਿਹਾ ਹੈ...",
|
||||
"Choose a model before saving...": "ਸੰਭਾਲਣ ਤੋਂ ਪਹਿਲਾਂ ਇੱਕ ਮਾਡਲ ਚੁਣੋ...",
|
||||
"Chunk Overlap": "ਚੰਕ ਓਵਰਲੈਪ",
|
||||
"Chunk Params": "ਚੰਕ ਪੈਰਾਮੀਟਰ",
|
||||
"Chunk Size": "ਚੰਕ ਆਕਾਰ",
|
||||
"Citation": "ਹਵਾਲਾ",
|
||||
"Click here for help.": "ਮਦਦ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।",
|
||||
"Click here to": "ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ",
|
||||
"Click here to check other modelfiles.": "ਹੋਰ ਮਾਡਲਫਾਈਲਾਂ ਦੀ ਜਾਂਚ ਕਰਨ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।",
|
||||
"Click here to select": "ਚੁਣਨ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ",
|
||||
"Click here to select a csv file.": "CSV ਫਾਈਲ ਚੁਣਨ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।",
|
||||
"Click here to select documents.": "ਡਾਕੂਮੈਂਟ ਚੁਣਨ ਲਈ ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।",
|
||||
"click here.": "ਇੱਥੇ ਕਲਿੱਕ ਕਰੋ।",
|
||||
"Click on the user role button to change a user's role.": "ਉਪਭੋਗਤਾ ਦੀ ਭੂਮਿਕਾ ਬਦਲਣ ਲਈ ਉਪਭੋਗਤਾ ਭੂਮਿਕਾ ਬਟਨ 'ਤੇ ਕਲਿੱਕ ਕਰੋ।",
|
||||
"Close": "ਬੰਦ ਕਰੋ",
|
||||
"Collection": "ਸੰਗ੍ਰਹਿ",
|
||||
"ComfyUI": "ਕੰਫੀਯੂਆਈ",
|
||||
"ComfyUI Base URL": "ਕੰਫੀਯੂਆਈ ਬੇਸ URL",
|
||||
"ComfyUI Base URL is required.": "ਕੰਫੀਯੂਆਈ ਬੇਸ URL ਦੀ ਲੋੜ ਹੈ।",
|
||||
"Command": "ਕਮਾਂਡ",
|
||||
"Confirm Password": "ਪਾਸਵਰਡ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ",
|
||||
"Connections": "ਕਨੈਕਸ਼ਨ",
|
||||
"Content": "ਸਮੱਗਰੀ",
|
||||
"Context Length": "ਸੰਦਰਭ ਲੰਬਾਈ",
|
||||
"Continue Response": "ਜਵਾਬ ਜਾਰੀ ਰੱਖੋ",
|
||||
"Conversation Mode": "ਗੱਲਬਾਤ ਮੋਡ",
|
||||
"Copied shared chat URL to clipboard!": "ਸਾਂਝੇ ਕੀਤੇ ਗੱਲਬਾਤ URL ਨੂੰ ਕਲਿੱਪਬੋਰਡ 'ਤੇ ਕਾਪੀ ਕਰ ਦਿੱਤਾ!",
|
||||
"Copy": "ਕਾਪੀ ਕਰੋ",
|
||||
"Copy last code block": "ਆਖਰੀ ਕੋਡ ਬਲਾਕ ਨੂੰ ਕਾਪੀ ਕਰੋ",
|
||||
"Copy last response": "ਆਖਰੀ ਜਵਾਬ ਨੂੰ ਕਾਪੀ ਕਰੋ",
|
||||
"Copy Link": "ਲਿੰਕ ਕਾਪੀ ਕਰੋ",
|
||||
"Copying to clipboard was successful!": "ਕਲਿੱਪਬੋਰਡ 'ਤੇ ਕਾਪੀ ਕਰਨਾ ਸਫਲ ਰਿਹਾ!",
|
||||
"Create a concise, 3-5 word phrase as a header for the following query, strictly adhering to the 3-5 word limit and avoiding the use of the word 'title':": "ਹੇਠਾਂ ਦਿੱਤੀ ਪੁੱਛਗਿੱਛ ਲਈ ਇੱਕ ਛੋਟਾ, 3-5 ਸ਼ਬਦਾਂ ਦਾ ਵਾਕ ਬਣਾਓ, 3-5 ਸ਼ਬਦਾਂ ਦੀ ਸੀਮਾ ਦਾ ਪਾਲਣ ਕਰਦੇ ਹੋਏ ਅਤੇ 'ਸਿਰਲੇਖ' ਸ਼ਬਦ ਦੇ ਇਸਤੇਮਾਲ ਤੋਂ ਬਚਦੇ ਹੋਏ:",
|
||||
"Create a modelfile": "ਇੱਕ ਮਾਡਲਫਾਈਲ ਬਣਾਓ",
|
||||
"Create Account": "ਖਾਤਾ ਬਣਾਓ",
|
||||
"Create new key": "ਨਵੀਂ ਕੁੰਜੀ ਬਣਾਓ",
|
||||
"Create new secret key": "ਨਵੀਂ ਗੁਪਤ ਕੁੰਜੀ ਬਣਾਓ",
|
||||
"Created at": "ਤੇ ਬਣਾਇਆ ਗਿਆ",
|
||||
"Created At": "ਤੇ ਬਣਾਇਆ ਗਿਆ",
|
||||
"Current Model": "ਮੌਜੂਦਾ ਮਾਡਲ",
|
||||
"Current Password": "ਮੌਜੂਦਾ ਪਾਸਵਰਡ",
|
||||
"Custom": "ਕਸਟਮ",
|
||||
"Customize Ollama models for a specific purpose": "ਇੱਕ ਖਾਸ ਉਦੇਸ਼ ਲਈ ਓਲਾਮਾ ਮਾਡਲਾਂ ਨੂੰ ਕਸਟਮਾਈਜ਼ ਕਰੋ",
|
||||
"Dark": "ਗੂੜ੍ਹਾ",
|
||||
"Dashboard": "ਡੈਸ਼ਬੋਰਡ",
|
||||
"Database": "ਡਾਟਾਬੇਸ",
|
||||
"December": "ਦਸੰਬਰ",
|
||||
"Default": "ਮੂਲ",
|
||||
"Default (Automatic1111)": "ਮੂਲ (Automatic1111)",
|
||||
"Default (SentenceTransformers)": "ਮੂਲ (ਸੈਂਟੈਂਸਟ੍ਰਾਂਸਫਾਰਮਰਸ)",
|
||||
"Default (Web API)": "ਮੂਲ (ਵੈਬ API)",
|
||||
"Default model updated": "ਮੂਲ ਮਾਡਲ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ",
|
||||
"Default Prompt Suggestions": "ਮੂਲ ਪ੍ਰੰਪਟ ਸੁਝਾਅ",
|
||||
"Default User Role": "ਮੂਲ ਉਪਭੋਗਤਾ ਭੂਮਿਕਾ",
|
||||
"delete": "ਮਿਟਾਓ",
|
||||
"Delete": "ਮਿਟਾਓ",
|
||||
"Delete a model": "ਇੱਕ ਮਾਡਲ ਮਿਟਾਓ",
|
||||
"Delete chat": "ਗੱਲਬਾਤ ਮਿਟਾਓ",
|
||||
"Delete Chat": "ਗੱਲਬਾਤ ਮਿਟਾਓ",
|
||||
"Delete Chats": "ਗੱਲਾਂ ਮਿਟਾਓ",
|
||||
"delete this link": "ਇਸ ਲਿੰਕ ਨੂੰ ਮਿਟਾਓ",
|
||||
"Delete User": "ਉਪਭੋਗਤਾ ਮਿਟਾਓ",
|
||||
"Deleted {{deleteModelTag}}": "{{deleteModelTag}} ਮਿਟਾਇਆ ਗਿਆ",
|
||||
"Deleted {{tagName}}": "{{tagName}} ਮਿਟਾਇਆ ਗਿਆ",
|
||||
"Description": "ਵਰਣਨਾ",
|
||||
"Didn't fully follow instructions": "ਹਦਾਇਤਾਂ ਨੂੰ ਪੂਰੀ ਤਰ੍ਹਾਂ ਫਾਲੋ ਨਹੀਂ ਕੀਤਾ",
|
||||
"Disabled": "ਅਯੋਗ",
|
||||
"Discover a modelfile": "ਇੱਕ ਮਾਡਲਫਾਈਲ ਖੋਜੋ",
|
||||
"Discover a prompt": "ਇੱਕ ਪ੍ਰੰਪਟ ਖੋਜੋ",
|
||||
"Discover, download, and explore custom prompts": "ਕਸਟਮ ਪ੍ਰੰਪਟਾਂ ਨੂੰ ਖੋਜੋ, ਡਾਊਨਲੋਡ ਕਰੋ ਅਤੇ ਪੜਚੋਲ ਕਰੋ",
|
||||
"Discover, download, and explore model presets": "ਮਾਡਲ ਪ੍ਰੀਸੈਟਾਂ ਨੂੰ ਖੋਜੋ, ਡਾਊਨਲੋਡ ਕਰੋ ਅਤੇ ਪੜਚੋਲ ਕਰੋ",
|
||||
"Display the username instead of You in the Chat": "ਗੱਲਬਾਤ 'ਚ ਤੁਹਾਡੇ ਸਥਾਨ 'ਤੇ ਉਪਭੋਗਤਾ ਨਾਮ ਦਿਖਾਓ",
|
||||
"Document": "ਡਾਕੂਮੈਂਟ",
|
||||
"Document Settings": "ਡਾਕੂਮੈਂਟ ਸੈਟਿੰਗਾਂ",
|
||||
"Documents": "ਡਾਕੂਮੈਂਟ",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "ਕੋਈ ਬਾਹਰੀ ਕਨੈਕਸ਼ਨ ਨਹੀਂ ਬਣਾਉਂਦਾ, ਅਤੇ ਤੁਹਾਡਾ ਡਾਟਾ ਤੁਹਾਡੇ ਸਥਾਨਕ ਸਰਵਰ 'ਤੇ ਸੁਰੱਖਿਅਤ ਰਹਿੰਦਾ ਹੈ।",
|
||||
"Don't Allow": "ਆਗਿਆ ਨਾ ਦਿਓ",
|
||||
"Don't have an account?": "ਖਾਤਾ ਨਹੀਂ ਹੈ?",
|
||||
"Don't like the style": "ਸਟਾਈਲ ਪਸੰਦ ਨਹੀਂ ਹੈ",
|
||||
"Download": "ਡਾਊਨਲੋਡ",
|
||||
"Download canceled": "ਡਾਊਨਲੋਡ ਰੱਦ ਕੀਤਾ ਗਿਆ",
|
||||
"Download Database": "ਡਾਟਾਬੇਸ ਡਾਊਨਲੋਡ ਕਰੋ",
|
||||
"Drop any files here to add to the conversation": "ਗੱਲਬਾਤ ਵਿੱਚ ਸ਼ਾਮਲ ਕਰਨ ਲਈ ਕੋਈ ਵੀ ਫਾਈਲ ਇੱਥੇ ਛੱਡੋ",
|
||||
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "ਉਦਾਹਰਣ ਲਈ '30ਸ','10ਮਿ'. ਸਹੀ ਸਮਾਂ ਇਕਾਈਆਂ ਹਨ 'ਸ', 'ਮ', 'ਘੰ'.",
|
||||
"Edit": "ਸੰਪਾਦਨ ਕਰੋ",
|
||||
"Edit Doc": "ਡਾਕੂਮੈਂਟ ਸੰਪਾਦਨ ਕਰੋ",
|
||||
"Edit User": "ਉਪਭੋਗਤਾ ਸੰਪਾਦਨ ਕਰੋ",
|
||||
"Email": "ਈਮੇਲ",
|
||||
"Embedding Model": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ",
|
||||
"Embedding Model Engine": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਇੰਜਣ",
|
||||
"Embedding model set to \"{{embedding_model}}\"": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਨੂੰ \"{{embedding_model}}\" 'ਤੇ ਸੈੱਟ ਕੀਤਾ ਗਿਆ",
|
||||
"Enable Chat History": "ਗੱਲਬਾਤ ਦਾ ਇਤਿਹਾਸ ਯੋਗ ਕਰੋ",
|
||||
"Enable New Sign Ups": "ਨਵੇਂ ਸਾਈਨ ਅਪ ਯੋਗ ਕਰੋ",
|
||||
"Enabled": "ਯੋਗ ਕੀਤਾ ਗਿਆ",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "ਸੁਨਿਸ਼ਚਿਤ ਕਰੋ ਕਿ ਤੁਹਾਡੀ CSV ਫਾਈਲ ਵਿੱਚ ਇਸ ਕ੍ਰਮ ਵਿੱਚ 4 ਕਾਲਮ ਹਨ: ਨਾਮ, ਈਮੇਲ, ਪਾਸਵਰਡ, ਭੂਮਿਕਾ।",
|
||||
"Enter {{role}} message here": "{{role}} ਸੁਨੇਹਾ ਇੱਥੇ ਦਰਜ ਕਰੋ",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "ਚੰਕ ਓਵਰਲੈਪ ਦਰਜ ਕਰੋ",
|
||||
"Enter Chunk Size": "ਚੰਕ ਆਕਾਰ ਦਰਜ ਕਰੋ",
|
||||
"Enter Image Size (e.g. 512x512)": "ਚਿੱਤਰ ਆਕਾਰ ਦਰਜ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ 512x512)",
|
||||
"Enter language codes": "ਭਾਸ਼ਾ ਕੋਡ ਦਰਜ ਕਰੋ",
|
||||
"Enter LiteLLM API Base URL (litellm_params.api_base)": "LiteLLM API ਬੇਸ URL (litellm_params.api_base) ਦਰਜ ਕਰੋ",
|
||||
"Enter LiteLLM API Key (litellm_params.api_key)": "LiteLLM API ਕੁੰਜੀ (litellm_params.api_key) ਦਰਜ ਕਰੋ",
|
||||
"Enter LiteLLM API RPM (litellm_params.rpm)": "LiteLLM API RPM (litellm_params.rpm) ਦਰਜ ਕਰੋ",
|
||||
"Enter LiteLLM Model (litellm_params.model)": "LiteLLM ਮਾਡਲ (litellm_params.model) ਦਰਜ ਕਰੋ",
|
||||
"Enter Max Tokens (litellm_params.max_tokens)": "ਅਧਿਕਤਮ ਟੋਕਨ ਦਰਜ ਕਰੋ (litellm_params.max_tokens)",
|
||||
"Enter model tag (e.g. {{modelTag}})": "ਮਾਡਲ ਟੈਗ ਦਰਜ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ {{modelTag}})",
|
||||
"Enter Number of Steps (e.g. 50)": "ਕਦਮਾਂ ਦੀ ਗਿਣਤੀ ਦਰਜ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ 50)",
|
||||
"Enter Score": "ਸਕੋਰ ਦਰਜ ਕਰੋ",
|
||||
"Enter stop sequence": "ਰੋਕਣ ਦਾ ਕ੍ਰਮ ਦਰਜ ਕਰੋ",
|
||||
"Enter Top K": "ਸਿਖਰ K ਦਰਜ ਕਰੋ",
|
||||
"Enter URL (e.g. http://127.0.0.1:7860/)": "URL ਦਰਜ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ http://127.0.0.1:7860/)",
|
||||
"Enter URL (e.g. http://localhost:11434)": "URL ਦਰਜ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ http://localhost:11434)",
|
||||
"Enter Your Email": "ਆਪਣੀ ਈਮੇਲ ਦਰਜ ਕਰੋ",
|
||||
"Enter Your Full Name": "ਆਪਣਾ ਪੂਰਾ ਨਾਮ ਦਰਜ ਕਰੋ",
|
||||
"Enter Your Password": "ਆਪਣਾ ਪਾਸਵਰਡ ਦਰਜ ਕਰੋ",
|
||||
"Enter Your Role": "ਆਪਣੀ ਭੂਮਿਕਾ ਦਰਜ ਕਰੋ",
|
||||
"Experimental": "ਪਰਮਾਣੂਕ੍ਰਿਤ",
|
||||
"Export All Chats (All Users)": "ਸਾਰੀਆਂ ਗੱਲਾਂ ਨਿਰਯਾਤ ਕਰੋ (ਸਾਰੇ ਉਪਭੋਗਤਾ)",
|
||||
"Export Chats": "ਗੱਲਾਂ ਨਿਰਯਾਤ ਕਰੋ",
|
||||
"Export Documents Mapping": "ਡਾਕੂਮੈਂਟ ਮੈਪਿੰਗ ਨਿਰਯਾਤ ਕਰੋ",
|
||||
"Export Modelfiles": "ਮਾਡਲਫਾਈਲਾਂ ਨਿਰਯਾਤ ਕਰੋ",
|
||||
"Export Prompts": "ਪ੍ਰੰਪਟ ਨਿਰਯਾਤ ਕਰੋ",
|
||||
"Failed to create API Key.": "API ਕੁੰਜੀ ਬਣਾਉਣ ਵਿੱਚ ਅਸਫਲ।",
|
||||
"Failed to read clipboard contents": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਪੜ੍ਹਣ ਵਿੱਚ ਅਸਫਲ",
|
||||
"February": "ਫਰਵਰੀ",
|
||||
"Feel free to add specific details": "ਖੁੱਲ੍ਹੇ ਦਿਲ ਨਾਲ ਖਾਸ ਵੇਰਵੇ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"File Mode": "ਫਾਈਲ ਮੋਡ",
|
||||
"File not found.": "ਫਾਈਲ ਨਹੀਂ ਮਿਲੀ।",
|
||||
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "ਫਿੰਗਰਪ੍ਰਿੰਟ ਸਪੂਫਿੰਗ ਪਾਈ ਗਈ: ਅਵਤਾਰ ਵਜੋਂ ਸ਼ੁਰੂਆਤੀ ਅੱਖਰ ਵਰਤਣ ਵਿੱਚ ਅਸਮਰੱਥ। ਮੂਲ ਪ੍ਰੋਫਾਈਲ ਚਿੱਤਰ 'ਤੇ ਡਿਫਾਲਟ।",
|
||||
"Fluidly stream large external response chunks": "ਵੱਡੇ ਬਾਹਰੀ ਜਵਾਬ ਚੰਕਾਂ ਨੂੰ ਸਹੀ ਢੰਗ ਨਾਲ ਸਟ੍ਰੀਮ ਕਰੋ",
|
||||
"Focus chat input": "ਗੱਲਬਾਤ ਇਨਪੁਟ 'ਤੇ ਧਿਆਨ ਦਿਓ",
|
||||
"Followed instructions perfectly": "ਹਦਾਇਤਾਂ ਨੂੰ ਬਿਲਕੁਲ ਫਾਲੋ ਕੀਤਾ",
|
||||
"Format your variables using square brackets like this:": "ਤੁਹਾਡੀਆਂ ਵੈਰੀਏਬਲਾਂ ਨੂੰ ਇਸ ਤਰ੍ਹਾਂ ਵਰਤੋਂ: [ ]",
|
||||
"From (Base Model)": "ਤੋਂ (ਮੂਲ ਮਾਡਲ)",
|
||||
"Full Screen Mode": "ਪੂਰੀ ਸਕਰੀਨ ਮੋਡ",
|
||||
"General": "ਆਮ",
|
||||
"General Settings": "ਆਮ ਸੈਟਿੰਗਾਂ",
|
||||
"Generation Info": "ਜਨਰੇਸ਼ਨ ਜਾਣਕਾਰੀ",
|
||||
"Good Response": "ਵਧੀਆ ਜਵਾਬ",
|
||||
"h:mm a": "ਹ:ਮਿੰਟ ਪੂਃ",
|
||||
"has no conversations.": "ਕੋਈ ਗੱਲਬਾਤ ਨਹੀਂ ਹੈ।",
|
||||
"Hello, {{name}}": "ਸਤ ਸ੍ਰੀ ਅਕਾਲ, {{name}}",
|
||||
"Help": "ਮਦਦ",
|
||||
"Hide": "ਲੁਕਾਓ",
|
||||
"Hide Additional Params": "ਵਾਧੂ ਪੈਰਾਮੀਟਰ ਲੁਕਾਓ",
|
||||
"How can I help you today?": "ਮੈਂ ਅੱਜ ਤੁਹਾਡੀ ਕਿਵੇਂ ਮਦਦ ਕਰ ਸਕਦਾ ਹਾਂ?",
|
||||
"Hybrid Search": "ਹਾਈਬ੍ਰਿਡ ਖੋਜ",
|
||||
"Image Generation (Experimental)": "ਚਿੱਤਰ ਜਨਰੇਸ਼ਨ (ਪਰਮਾਣੂਕ੍ਰਿਤ)",
|
||||
"Image Generation Engine": "ਚਿੱਤਰ ਜਨਰੇਸ਼ਨ ਇੰਜਣ",
|
||||
"Image Settings": "ਚਿੱਤਰ ਸੈਟਿੰਗਾਂ",
|
||||
"Images": "ਚਿੱਤਰ",
|
||||
"Import Chats": "ਗੱਲਾਂ ਆਯਾਤ ਕਰੋ",
|
||||
"Import Documents Mapping": "ਡਾਕੂਮੈਂਟ ਮੈਪਿੰਗ ਆਯਾਤ ਕਰੋ",
|
||||
"Import Modelfiles": "ਮਾਡਲਫਾਈਲਾਂ ਆਯਾਤ ਕਰੋ",
|
||||
"Import Prompts": "ਪ੍ਰੰਪਟ ਆਯਾਤ ਕਰੋ",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "ਸਟੇਬਲ-ਡਿਫਿਊਸ਼ਨ-ਵੈਬਯੂਆਈ ਚਲਾਉਣ ਸਮੇਂ `--api` ਝੰਡਾ ਸ਼ਾਮਲ ਕਰੋ",
|
||||
"Input commands": "ਇਨਪੁਟ ਕਮਾਂਡਾਂ",
|
||||
"Interface": "ਇੰਟਰਫੇਸ",
|
||||
"Invalid Tag": "ਗਲਤ ਟੈਗ",
|
||||
"January": "ਜਨਵਰੀ",
|
||||
"join our Discord for help.": "ਮਦਦ ਲਈ ਸਾਡੇ ਡਿਸਕੋਰਡ ਵਿੱਚ ਸ਼ਾਮਲ ਹੋਵੋ।",
|
||||
"JSON": "JSON",
|
||||
"July": "ਜੁਲਾਈ",
|
||||
"June": "ਜੂਨ",
|
||||
"JWT Expiration": "JWT ਮਿਆਦ ਖਤਮ",
|
||||
"JWT Token": "JWT ਟੋਕਨ",
|
||||
"Keep Alive": "ਜੀਵਿਤ ਰੱਖੋ",
|
||||
"Keyboard shortcuts": "ਕੀਬੋਰਡ ਸ਼ਾਰਟਕਟ",
|
||||
"Language": "ਭਾਸ਼ਾ",
|
||||
"Last Active": "ਆਖਰੀ ਸਰਗਰਮ",
|
||||
"Light": "ਹਲਕਾ",
|
||||
"Listening...": "ਸੁਣ ਰਿਹਾ ਹੈ...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs ਗਲਤੀਆਂ ਕਰ ਸਕਦੇ ਹਨ। ਮਹੱਤਵਪੂਰਨ ਜਾਣਕਾਰੀ ਦੀ ਪੁਸ਼ਟੀ ਕਰੋ।",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "ਓਪਨਵੈਬਯੂਆਈ ਕਮਿਊਨਿਟੀ ਦੁਆਰਾ ਬਣਾਇਆ ਗਿਆ",
|
||||
"Make sure to enclose them with": "ਸੁਨਿਸ਼ਚਿਤ ਕਰੋ ਕਿ ਉਨ੍ਹਾਂ ਨੂੰ ਘੇਰੋ",
|
||||
"Manage LiteLLM Models": "LiteLLM ਮਾਡਲਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ",
|
||||
"Manage Models": "ਮਾਡਲਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ",
|
||||
"Manage Ollama Models": "ਓਲਾਮਾ ਮਾਡਲਾਂ ਦਾ ਪ੍ਰਬੰਧਨ ਕਰੋ",
|
||||
"March": "ਮਾਰਚ",
|
||||
"Max Tokens": "ਅਧਿਕਤਮ ਟੋਕਨ",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "ਇੱਕ ਸਮੇਂ ਵਿੱਚ ਵੱਧ ਤੋਂ ਵੱਧ 3 ਮਾਡਲ ਡਾਊਨਲੋਡ ਕੀਤੇ ਜਾ ਸਕਦੇ ਹਨ। ਕਿਰਪਾ ਕਰਕੇ ਬਾਅਦ ਵਿੱਚ ਦੁਬਾਰਾ ਕੋਸ਼ਿਸ਼ ਕਰੋ।",
|
||||
"May": "ਮਈ",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "ਘੱਟੋ-ਘੱਟ ਸਕੋਰ",
|
||||
"Mirostat": "ਮਿਰੋਸਟੈਟ",
|
||||
"Mirostat Eta": "ਮਿਰੋਸਟੈਟ ਈਟਾ",
|
||||
"Mirostat Tau": "ਮਿਰੋਸਟੈਟ ਟਾਉ",
|
||||
"MMMM DD, YYYY": "MMMM DD, YYYY",
|
||||
"MMMM DD, YYYY HH:mm": "MMMM DD, YYYY HH:mm",
|
||||
"Model '{{modelName}}' has been successfully downloaded.": "ਮਾਡਲ '{{modelName}}' ਸਫਲਤਾਪੂਰਵਕ ਡਾਊਨਲੋਡ ਕੀਤਾ ਗਿਆ ਹੈ।",
|
||||
"Model '{{modelTag}}' is already in queue for downloading.": "ਮਾਡਲ '{{modelTag}}' ਪਹਿਲਾਂ ਹੀ ਡਾਊਨਲੋਡ ਲਈ ਕਤਾਰ ਵਿੱਚ ਹੈ।",
|
||||
"Model {{modelId}} not found": "ਮਾਡਲ {{modelId}} ਨਹੀਂ ਮਿਲਿਆ",
|
||||
"Model {{modelName}} already exists.": "ਮਾਡਲ {{modelName}} ਪਹਿਲਾਂ ਹੀ ਮੌਜੂਦ ਹੈ।",
|
||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "ਮਾਡਲ ਫਾਈਲਸਿਸਟਮ ਪੱਥ ਪਾਇਆ ਗਿਆ। ਅੱਪਡੇਟ ਲਈ ਮਾਡਲ ਸ਼ੌਰਟਨੇਮ ਦੀ ਲੋੜ ਹੈ, ਜਾਰੀ ਨਹੀਂ ਰੱਖ ਸਕਦੇ।",
|
||||
"Model Name": "ਮਾਡਲ ਨਾਮ",
|
||||
"Model not selected": "ਮਾਡਲ ਚੁਣਿਆ ਨਹੀਂ ਗਿਆ",
|
||||
"Model Tag Name": "ਮਾਡਲ ਟੈਗ ਨਾਮ",
|
||||
"Model Whitelisting": "ਮਾਡਲ ਵ੍ਹਾਈਟਲਿਸਟਿੰਗ",
|
||||
"Model(s) Whitelisted": "ਮਾਡਲ(ਜ਼) ਵ੍ਹਾਈਟਲਿਸਟ ਕੀਤਾ ਗਿਆ",
|
||||
"Modelfile": "ਮਾਡਲਫਾਈਲ",
|
||||
"Modelfile Advanced Settings": "ਮਾਡਲਫਾਈਲ ਉੱਚ ਸਤਰ ਦੀਆਂ ਸੈਟਿੰਗਾਂ",
|
||||
"Modelfile Content": "ਮਾਡਲਫਾਈਲ ਸਮੱਗਰੀ",
|
||||
"Modelfiles": "ਮਾਡਲਫਾਈਲਾਂ",
|
||||
"Models": "ਮਾਡਲ",
|
||||
"More": "ਹੋਰ",
|
||||
"Name": "ਨਾਮ",
|
||||
"Name Tag": "ਨਾਮ ਟੈਗ",
|
||||
"Name your modelfile": "ਆਪਣੀ ਮਾਡਲਫਾਈਲ ਦਾ ਨਾਮ ਰੱਖੋ",
|
||||
"New Chat": "ਨਵੀਂ ਗੱਲਬਾਤ",
|
||||
"New Password": "ਨਵਾਂ ਪਾਸਵਰਡ",
|
||||
"No results found": "ਕੋਈ ਨਤੀਜੇ ਨਹੀਂ ਮਿਲੇ",
|
||||
"No source available": "ਕੋਈ ਸਰੋਤ ਉਪਲਬਧ ਨਹੀਂ",
|
||||
"Not factually correct": "ਤੱਥਕ ਰੂਪ ਵਿੱਚ ਸਹੀ ਨਹੀਂ",
|
||||
"Not sure what to add?": "ਕੀ ਸ਼ਾਮਲ ਕਰਨਾ ਹੈ ਇਹ ਯਕੀਨੀ ਨਹੀਂ?",
|
||||
"Not sure what to write? Switch to": "ਕੀ ਲਿਖਣਾ ਹੈ ਇਹ ਯਕੀਨੀ ਨਹੀਂ? ਬਦਲੋ",
|
||||
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "ਨੋਟ: ਜੇ ਤੁਸੀਂ ਘੱਟੋ-ਘੱਟ ਸਕੋਰ ਸੈੱਟ ਕਰਦੇ ਹੋ, ਤਾਂ ਖੋਜ ਸਿਰਫ਼ ਉਹੀ ਡਾਕੂਮੈਂਟ ਵਾਪਸ ਕਰੇਗੀ ਜਿਨ੍ਹਾਂ ਦਾ ਸਕੋਰ ਘੱਟੋ-ਘੱਟ ਸਕੋਰ ਦੇ ਬਰਾਬਰ ਜਾਂ ਵੱਧ ਹੋਵੇ।",
|
||||
"Notifications": "ਸੂਚਨਾਵਾਂ",
|
||||
"November": "ਨਵੰਬਰ",
|
||||
"October": "ਅਕਤੂਬਰ",
|
||||
"Off": "ਬੰਦ",
|
||||
"Okay, Let's Go!": "ਠੀਕ ਹੈ, ਚੱਲੋ ਚੱਲੀਏ!",
|
||||
"OLED Dark": "OLED ਗੂੜ੍ਹਾ",
|
||||
"Ollama": "ਓਲਾਮਾ",
|
||||
"Ollama Base URL": "ਓਲਾਮਾ ਬੇਸ URL",
|
||||
"Ollama Version": "ਓਲਾਮਾ ਵਰਜਨ",
|
||||
"On": "ਚਾਲੂ",
|
||||
"Only": "ਸਿਰਫ਼",
|
||||
"Only alphanumeric characters and hyphens are allowed in the command string.": "ਕਮਾਂਡ ਸਤਰ ਵਿੱਚ ਸਿਰਫ਼ ਅਲਫ਼ਾਨਯੂਮੈਰਿਕ ਅੱਖਰ ਅਤੇ ਹਾਈਫਨ ਦੀ ਆਗਿਆ ਹੈ।",
|
||||
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "ਓਹੋ! ਥੋੜਾ ਸਬਰ ਕਰੋ! ਤੁਹਾਡੀਆਂ ਫਾਈਲਾਂ ਅਜੇ ਵੀ ਪ੍ਰਕਿਰਿਆ ਵਿੱਚ ਹਨ। ਅਸੀਂ ਉਨ੍ਹਾਂ ਨੂੰ ਪੂਰੀ ਤਰ੍ਹਾਂ ਤਿਆਰ ਕਰ ਰਹੇ ਹਾਂ। ਕਿਰਪਾ ਕਰਕੇ ਧੀਰਜ ਰੱਖੋ ਅਤੇ ਅਸੀਂ ਤੁਹਾਨੂੰ ਦੱਸਾਂਗੇ ਜਦੋਂ ਉਹ ਤਿਆਰ ਹੋ ਜਾਣਗੇ।",
|
||||
"Oops! Looks like the URL is invalid. Please double-check and try again.": "ਓਹੋ! ਲੱਗਦਾ ਹੈ ਕਿ URL ਗਲਤ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ ਦੁਬਾਰਾ ਜਾਂਚ ਕਰੋ ਅਤੇ ਮੁੜ ਕੋਸ਼ਿਸ਼ ਕਰੋ।",
|
||||
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "ਓਹੋ! ਤੁਸੀਂ ਇੱਕ ਅਣਸਮਰਥਿਤ ਢੰਗ ਵਰਤ ਰਹੇ ਹੋ (ਸਿਰਫ਼ ਫਰੰਟਐਂਡ)। ਕਿਰਪਾ ਕਰਕੇ ਵੈਬਯੂਆਈ ਨੂੰ ਬੈਕਐਂਡ ਤੋਂ ਸਰਵ ਕਰੋ।",
|
||||
"Open": "ਖੋਲ੍ਹੋ",
|
||||
"Open AI": "ਓਪਨ ਏਆਈ",
|
||||
"Open AI (Dall-E)": "ਓਪਨ ਏਆਈ (ਡਾਲ-ਈ)",
|
||||
"Open new chat": "ਨਵੀਂ ਗੱਲਬਾਤ ਖੋਲ੍ਹੋ",
|
||||
"OpenAI": "ਓਪਨਏਆਈ",
|
||||
"OpenAI API": "ਓਪਨਏਆਈ API",
|
||||
"OpenAI API Config": "ਓਪਨਏਆਈ API ਕਨਫਿਗ",
|
||||
"OpenAI API Key is required.": "ਓਪਨਏਆਈ API ਕੁੰਜੀ ਦੀ ਲੋੜ ਹੈ।",
|
||||
"OpenAI URL/Key required.": "ਓਪਨਏਆਈ URL/ਕੁੰਜੀ ਦੀ ਲੋੜ ਹੈ।",
|
||||
"or": "ਜਾਂ",
|
||||
"Other": "ਹੋਰ",
|
||||
"Overview": "ਸੰਖੇਪ",
|
||||
"Parameters": "ਪੈਰਾਮੀਟਰ",
|
||||
"Password": "ਪਾਸਵਰਡ",
|
||||
"PDF document (.pdf)": "PDF ਡਾਕੂਮੈਂਟ (.pdf)",
|
||||
"PDF Extract Images (OCR)": "PDF ਚਿੱਤਰ ਕੱਢੋ (OCR)",
|
||||
"pending": "ਬਕਾਇਆ",
|
||||
"Permission denied when accessing microphone: {{error}}": "ਮਾਈਕ੍ਰੋਫ਼ੋਨ ਤੱਕ ਪਹੁੰਚਣ ਸਮੇਂ ਆਗਿਆ ਰੱਦ ਕੀਤੀ ਗਈ: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "ਸਧਾਰਨ ਪਾਠ (.txt)",
|
||||
"Playground": "ਖੇਡ ਦਾ ਮੈਦਾਨ",
|
||||
"Positive attitude": "ਸਕਾਰਾਤਮਕ ਰਵੱਈਆ",
|
||||
"Previous 30 days": "ਪਿਛਲੇ 30 ਦਿਨ",
|
||||
"Previous 7 days": "ਪਿਛਲੇ 7 ਦਿਨ",
|
||||
"Profile Image": "ਪ੍ਰੋਫਾਈਲ ਚਿੱਤਰ",
|
||||
"Prompt": "ਪ੍ਰੰਪਟ",
|
||||
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "ਪ੍ਰੰਪਟ (ਉਦਾਹਰਣ ਲਈ ਮੈਨੂੰ ਰੋਮਨ ਸਾਮਰਾਜ ਬਾਰੇ ਇੱਕ ਮਜ਼ੇਦਾਰ ਤੱਥ ਦੱਸੋ)",
|
||||
"Prompt Content": "ਪ੍ਰੰਪਟ ਸਮੱਗਰੀ",
|
||||
"Prompt suggestions": "ਪ੍ਰੰਪਟ ਸੁਝਾਅ",
|
||||
"Prompts": "ਪ੍ਰੰਪਟ",
|
||||
"Pull \"{{searchValue}}\" from Ollama.com": "ਓਲਾਮਾ.ਕਾਮ ਤੋਂ \"{{searchValue}}\" ਖਿੱਚੋ",
|
||||
"Pull a model from Ollama.com": "ਓਲਾਮਾ.ਕਾਮ ਤੋਂ ਇੱਕ ਮਾਡਲ ਖਿੱਚੋ",
|
||||
"Pull Progress": "ਪ੍ਰਗਤੀ ਖਿੱਚੋ",
|
||||
"Query Params": "ਪ੍ਰਸ਼ਨ ਪੈਰਾਮੀਟਰ",
|
||||
"RAG Template": "RAG ਟੈਮਪਲੇਟ",
|
||||
"Raw Format": "ਕੱਚਾ ਫਾਰਮੈਟ",
|
||||
"Read Aloud": "ਜੋਰ ਨਾਲ ਪੜ੍ਹੋ",
|
||||
"Record voice": "ਆਵਾਜ਼ ਰਿਕਾਰਡ ਕਰੋ",
|
||||
"Redirecting you to OpenWebUI Community": "ਤੁਹਾਨੂੰ ਓਪਨਵੈਬਯੂਆਈ ਕਮਿਊਨਿਟੀ ਵੱਲ ਰੀਡਾਇਰੈਕਟ ਕੀਤਾ ਜਾ ਰਿਹਾ ਹੈ",
|
||||
"Refused when it shouldn't have": "ਜਦੋਂ ਇਹ ਨਹੀਂ ਹੋਣਾ ਚਾਹੀਦਾ ਸੀ ਤਾਂ ਇਨਕਾਰ ਕੀਤਾ",
|
||||
"Regenerate": "ਮੁੜ ਬਣਾਓ",
|
||||
"Release Notes": "ਰਿਲੀਜ਼ ਨੋਟਸ",
|
||||
"Remove": "ਹਟਾਓ",
|
||||
"Remove Model": "ਮਾਡਲ ਹਟਾਓ",
|
||||
"Rename": "ਨਾਮ ਬਦਲੋ",
|
||||
"Repeat Last N": "ਆਖਰੀ N ਨੂੰ ਦੁਹਰਾਓ",
|
||||
"Repeat Penalty": "ਪੈਨਲਟੀ ਦੁਹਰਾਓ",
|
||||
"Request Mode": "ਬੇਨਤੀ ਮੋਡ",
|
||||
"Reranking Model": "ਮਾਡਲ ਮੁੜ ਰੈਂਕਿੰਗ",
|
||||
"Reranking model disabled": "ਮਾਡਲ ਮੁੜ ਰੈਂਕਿੰਗ ਅਯੋਗ ਕੀਤਾ ਗਿਆ",
|
||||
"Reranking model set to \"{{reranking_model}}\"": "ਮਾਡਲ ਮੁੜ ਰੈਂਕਿੰਗ ਨੂੰ \"{{reranking_model}}\" 'ਤੇ ਸੈੱਟ ਕੀਤਾ ਗਿਆ",
|
||||
"Reset Vector Storage": "ਵੈਕਟਰ ਸਟੋਰੇਜ ਨੂੰ ਰੀਸੈਟ ਕਰੋ",
|
||||
"Response AutoCopy to Clipboard": "ਜਵਾਬ ਆਟੋ ਕਾਪੀ ਕਲਿੱਪਬੋਰਡ 'ਤੇ",
|
||||
"Role": "ਭੂਮਿਕਾ",
|
||||
"Rosé Pine": "ਰੋਜ਼ ਪਾਈਨ",
|
||||
"Rosé Pine Dawn": "ਰੋਜ਼ ਪਾਈਨ ਡਾਨ",
|
||||
"RTL": "",
|
||||
"Save": "ਸੰਭਾਲੋ",
|
||||
"Save & Create": "ਸੰਭਾਲੋ ਅਤੇ ਬਣਾਓ",
|
||||
"Save & Update": "ਸੰਭਾਲੋ ਅਤੇ ਅੱਪਡੇਟ ਕਰੋ",
|
||||
"Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "ਤੁਹਾਡੇ ਬ੍ਰਾਊਜ਼ਰ ਦੇ ਸਟੋਰੇਜ ਵਿੱਚ ਸਿੱਧੇ ਗੱਲਬਾਤ ਲੌਗ ਸੰਭਾਲਣਾ ਹੁਣ ਸਮਰਥਿਤ ਨਹੀਂ ਹੈ। ਕਿਰਪਾ ਕਰਕੇ ਹੇਠਾਂ ਦਿੱਤੇ ਬਟਨ 'ਤੇ ਕਲਿੱਕ ਕਰਕੇ ਆਪਣੇ ਗੱਲਬਾਤ ਲੌਗ ਡਾਊਨਲੋਡ ਅਤੇ ਮਿਟਾਉਣ ਲਈ ਕੁਝ ਸਮਾਂ ਲਓ। ਚਿੰਤਾ ਨਾ ਕਰੋ, ਤੁਸੀਂ ਆਪਣੇ ਗੱਲਬਾਤ ਲੌਗ ਨੂੰ ਬੈਕਐਂਡ ਵਿੱਚ ਆਸਾਨੀ ਨਾਲ ਮੁੜ ਆਯਾਤ ਕਰ ਸਕਦੇ ਹੋ",
|
||||
"Scan": "ਸਕੈਨ ਕਰੋ",
|
||||
"Scan complete!": "ਸਕੈਨ ਪੂਰਾ!",
|
||||
"Scan for documents from {{path}}": "{{path}} ਤੋਂ ਡਾਕੂਮੈਂਟਾਂ ਲਈ ਸਕੈਨ ਕਰੋ",
|
||||
"Search": "ਖੋਜ",
|
||||
"Search a model": "ਇੱਕ ਮਾਡਲ ਖੋਜੋ",
|
||||
"Search Documents": "ਡਾਕੂਮੈਂਟ ਖੋਜੋ",
|
||||
"Search Prompts": "ਪ੍ਰੰਪਟ ਖੋਜੋ",
|
||||
"See readme.md for instructions": "ਹਦਾਇਤਾਂ ਲਈ readme.md ਵੇਖੋ",
|
||||
"See what's new": "ਨਵਾਂ ਕੀ ਹੈ ਵੇਖੋ",
|
||||
"Seed": "ਬੀਜ",
|
||||
"Select a mode": "ਇੱਕ ਮੋਡ ਚੁਣੋ",
|
||||
"Select a model": "ਇੱਕ ਮਾਡਲ ਚੁਣੋ",
|
||||
"Select an Ollama instance": "ਇੱਕ ਓਲਾਮਾ ਇੰਸਟੈਂਸ ਚੁਣੋ",
|
||||
"Select model": "ਮਾਡਲ ਚੁਣੋ",
|
||||
"Send": "ਭੇਜੋ",
|
||||
"Send a Message": "ਇੱਕ ਸੁਨੇਹਾ ਭੇਜੋ",
|
||||
"Send message": "ਸੁਨੇਹਾ ਭੇਜੋ",
|
||||
"September": "ਸਤੰਬਰ",
|
||||
"Server connection verified": "ਸਰਵਰ ਕਨੈਕਸ਼ਨ ਦੀ ਪੁਸ਼ਟੀ ਕੀਤੀ ਗਈ",
|
||||
"Set as default": "ਮੂਲ ਵਜੋਂ ਸੈੱਟ ਕਰੋ",
|
||||
"Set Default Model": "ਮੂਲ ਮਾਡਲ ਸੈੱਟ ਕਰੋ",
|
||||
"Set embedding model (e.g. {{model}})": "ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਸੈੱਟ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ {{model}})",
|
||||
"Set Image Size": "ਚਿੱਤਰ ਆਕਾਰ ਸੈੱਟ ਕਰੋ",
|
||||
"Set Model": "ਮਾਡਲ ਸੈੱਟ ਕਰੋ",
|
||||
"Set reranking model (e.g. {{model}})": "ਮੁੜ ਰੈਂਕਿੰਗ ਮਾਡਲ ਸੈੱਟ ਕਰੋ (ਉਦਾਹਰਣ ਲਈ {{model}})",
|
||||
"Set Steps": "ਕਦਮ ਸੈੱਟ ਕਰੋ",
|
||||
"Set Title Auto-Generation Model": "ਸਿਰਲੇਖ ਆਟੋ-ਜਨਰੇਸ਼ਨ ਮਾਡਲ ਸੈੱਟ ਕਰੋ",
|
||||
"Set Voice": "ਆਵਾਜ਼ ਸੈੱਟ ਕਰੋ",
|
||||
"Settings": "ਸੈਟਿੰਗਾਂ",
|
||||
"Settings saved successfully!": "ਸੈਟਿੰਗਾਂ ਸਫਲਤਾਪੂਰਵਕ ਸੰਭਾਲੀਆਂ ਗਈਆਂ!",
|
||||
"Share": "ਸਾਂਝਾ ਕਰੋ",
|
||||
"Share Chat": "ਗੱਲਬਾਤ ਸਾਂਝੀ ਕਰੋ",
|
||||
"Share to OpenWebUI Community": "ਓਪਨਵੈਬਯੂਆਈ ਕਮਿਊਨਿਟੀ ਨਾਲ ਸਾਂਝਾ ਕਰੋ",
|
||||
"short-summary": "ਛੋਟੀ-ਸੰਖੇਪ",
|
||||
"Show": "ਦਿਖਾਓ",
|
||||
"Show Additional Params": "ਵਾਧੂ ਪੈਰਾਮੀਟਰ ਦਿਖਾਓ",
|
||||
"Show shortcuts": "ਸ਼ਾਰਟਕਟ ਦਿਖਾਓ",
|
||||
"Showcased creativity": "ਸਿਰਜਣਾਤਮਕਤਾ ਦਿਖਾਈ",
|
||||
"sidebar": "ਸਾਈਡਬਾਰ",
|
||||
"Sign in": "ਸਾਈਨ ਇਨ ਕਰੋ",
|
||||
"Sign Out": "ਸਾਈਨ ਆਊਟ ਕਰੋ",
|
||||
"Sign up": "ਰਜਿਸਟਰ ਕਰੋ",
|
||||
"Signing in": "ਸਾਈਨ ਇਨ ਕਰ ਰਿਹਾ ਹੈ",
|
||||
"Source": "ਸਰੋਤ",
|
||||
"Speech recognition error: {{error}}": "ਬੋਲ ਪਛਾਣ ਗਲਤੀ: {{error}}",
|
||||
"Speech-to-Text Engine": "ਬੋਲ-ਤੋਂ-ਪਾਠ ਇੰਜਣ",
|
||||
"SpeechRecognition API is not supported in this browser.": "ਇਸ ਬ੍ਰਾਊਜ਼ਰ ਵਿੱਚ SpeechRecognition API ਸਮਰਥਿਤ ਨਹੀਂ ਹੈ।",
|
||||
"Stop Sequence": "ਰੋਕੋ ਕ੍ਰਮ",
|
||||
"STT Settings": "STT ਸੈਟਿੰਗਾਂ",
|
||||
"Submit": "ਜਮ੍ਹਾਂ ਕਰੋ",
|
||||
"Subtitle (e.g. about the Roman Empire)": "ਉਪਸਿਰਲੇਖ (ਉਦਾਹਰਣ ਲਈ ਰੋਮਨ ਸਾਮਰਾਜ ਬਾਰੇ)",
|
||||
"Success": "ਸਫਲਤਾ",
|
||||
"Successfully updated.": "ਸਫਲਤਾਪੂਰਵਕ ਅੱਪਡੇਟ ਕੀਤਾ ਗਿਆ।",
|
||||
"Suggested": "ਸੁਝਾਇਆ ਗਿਆ",
|
||||
"Sync All": "ਸਾਰੇ ਸਿੰਕ ਕਰੋ",
|
||||
"System": "ਸਿਸਟਮ",
|
||||
"System Prompt": "ਸਿਸਟਮ ਪ੍ਰੰਪਟ",
|
||||
"Tags": "ਟੈਗ",
|
||||
"Tell us more:": "ਸਾਨੂੰ ਹੋਰ ਦੱਸੋ:",
|
||||
"Temperature": "ਤਾਪਮਾਨ",
|
||||
"Template": "ਟੈਮਪਲੇਟ",
|
||||
"Text Completion": "ਪਾਠ ਪੂਰਨਤਾ",
|
||||
"Text-to-Speech Engine": "ਪਾਠ-ਤੋਂ-ਬੋਲ ਇੰਜਣ",
|
||||
"Tfs Z": "Tfs Z",
|
||||
"Thanks for your feedback!": "ਤੁਹਾਡੇ ਫੀਡਬੈਕ ਲਈ ਧੰਨਵਾਦ!",
|
||||
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "ਸਕੋਰ 0.0 (0%) ਅਤੇ 1.0 (100%) ਦੇ ਵਿਚਕਾਰ ਹੋਣਾ ਚਾਹੀਦਾ ਹੈ।",
|
||||
"Theme": "ਥੀਮ",
|
||||
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "ਇਹ ਯਕੀਨੀ ਬਣਾਉਂਦਾ ਹੈ ਕਿ ਤੁਹਾਡੀਆਂ ਕੀਮਤੀ ਗੱਲਾਂ ਤੁਹਾਡੇ ਬੈਕਐਂਡ ਡਾਟਾਬੇਸ ਵਿੱਚ ਸੁਰੱਖਿਅਤ ਤੌਰ 'ਤੇ ਸੰਭਾਲੀਆਂ ਗਈਆਂ ਹਨ। ਧੰਨਵਾਦ!",
|
||||
"This setting does not sync across browsers or devices.": "ਇਹ ਸੈਟਿੰਗ ਬ੍ਰਾਊਜ਼ਰ ਜਾਂ ਡਿਵਾਈਸਾਂ ਵਿੱਚ ਸਿੰਕ ਨਹੀਂ ਹੁੰਦੀ।",
|
||||
"Thorough explanation": "ਵਿਸਥਾਰ ਨਾਲ ਵਿਆਖਿਆ",
|
||||
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "ਸਲਾਹ: ਹਰ ਬਦਲਾਅ ਦੇ ਬਾਅਦ ਗੱਲਬਾਤ ਇਨਪੁਟ ਵਿੱਚ ਟੈਬ ਕੀ ਦਬਾ ਕੇ ਲਗਾਤਾਰ ਕਈ ਵੈਰੀਏਬਲ ਸਲਾਟਾਂ ਨੂੰ ਅੱਪਡੇਟ ਕਰੋ।",
|
||||
"Title": "ਸਿਰਲੇਖ",
|
||||
"Title (e.g. Tell me a fun fact)": "ਸਿਰਲੇਖ (ਉਦਾਹਰਣ ਲਈ ਮੈਨੂੰ ਇੱਕ ਮਜ਼ੇਦਾਰ ਤੱਥ ਦੱਸੋ)",
|
||||
"Title Auto-Generation": "ਸਿਰਲੇਖ ਆਟੋ-ਜਨਰੇਸ਼ਨ",
|
||||
"Title cannot be an empty string.": "ਸਿਰਲੇਖ ਖਾਲੀ ਸਤਰ ਨਹੀਂ ਹੋ ਸਕਦਾ।",
|
||||
"Title Generation Prompt": "ਸਿਰਲੇਖ ਜਨਰੇਸ਼ਨ ਪ੍ਰੰਪਟ",
|
||||
"to": "ਨੂੰ",
|
||||
"To access the available model names for downloading,": "ਡਾਊਨਲੋਡ ਕਰਨ ਲਈ ਉਪਲਬਧ ਮਾਡਲ ਨਾਮਾਂ ਤੱਕ ਪਹੁੰਚਣ ਲਈ,",
|
||||
"To access the GGUF models available for downloading,": "ਡਾਊਨਲੋਡ ਕਰਨ ਲਈ ਉਪਲਬਧ GGUF ਮਾਡਲਾਂ ਤੱਕ ਪਹੁੰਚਣ ਲਈ,",
|
||||
"to chat input.": "ਗੱਲਬਾਤ ਇਨਪੁਟ ਲਈ।",
|
||||
"Today": "ਅੱਜ",
|
||||
"Toggle settings": "ਸੈਟਿੰਗਾਂ ਟੌਗਲ ਕਰੋ",
|
||||
"Toggle sidebar": "ਸਾਈਡਬਾਰ ਟੌਗਲ ਕਰੋ",
|
||||
"Top K": "ਸਿਖਰ K",
|
||||
"Top P": "ਸਿਖਰ P",
|
||||
"Trouble accessing Ollama?": "ਓਲਾਮਾ ਤੱਕ ਪਹੁੰਚਣ ਵਿੱਚ ਮੁਸ਼ਕਲ?",
|
||||
"TTS Settings": "TTS ਸੈਟਿੰਗਾਂ",
|
||||
"Type Hugging Face Resolve (Download) URL": "Hugging Face Resolve (ਡਾਊਨਲੋਡ) URL ਟਾਈਪ ਕਰੋ",
|
||||
"Uh-oh! There was an issue connecting to {{provider}}.": "ਓਹੋ! {{provider}} ਨਾਲ ਕਨੈਕਟ ਕਰਨ ਵਿੱਚ ਸਮੱਸਿਆ ਆਈ।",
|
||||
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "ਅਣਜਾਣ ਫਾਈਲ ਕਿਸਮ '{{file_type}}', ਪਰ ਸਧਾਰਨ ਪਾਠ ਵਜੋਂ ਸਵੀਕਾਰ ਕਰਦੇ ਹੋਏ",
|
||||
"Update and Copy Link": "ਅੱਪਡੇਟ ਕਰੋ ਅਤੇ ਲਿੰਕ ਕਾਪੀ ਕਰੋ",
|
||||
"Update password": "ਪਾਸਵਰਡ ਅੱਪਡੇਟ ਕਰੋ",
|
||||
"Upload a GGUF model": "ਇੱਕ GGUF ਮਾਡਲ ਅਪਲੋਡ ਕਰੋ",
|
||||
"Upload files": "ਫਾਈਲਾਂ ਅਪਲੋਡ ਕਰੋ",
|
||||
"Upload Progress": "ਅਪਲੋਡ ਪ੍ਰਗਤੀ",
|
||||
"URL Mode": "URL ਮੋਡ",
|
||||
"Use '#' in the prompt input to load and select your documents.": "ਆਪਣੇ ਡਾਕੂਮੈਂਟ ਲੋਡ ਅਤੇ ਚੁਣਨ ਲਈ ਪ੍ਰੰਪਟ ਇਨਪੁਟ ਵਿੱਚ '#' ਵਰਤੋ।",
|
||||
"Use Gravatar": "ਗ੍ਰਾਵਾਟਾਰ ਵਰਤੋ",
|
||||
"Use Initials": "ਸ਼ੁਰੂਆਤੀ ਅੱਖਰ ਵਰਤੋ",
|
||||
"user": "ਉਪਭੋਗਤਾ",
|
||||
"User Permissions": "ਉਪਭੋਗਤਾ ਅਧਿਕਾਰ",
|
||||
"Users": "ਉਪਭੋਗਤਾ",
|
||||
"Utilize": "ਵਰਤੋਂ",
|
||||
"Valid time units:": "ਵੈਧ ਸਮਾਂ ਇਕਾਈਆਂ:",
|
||||
"variable": "ਵੈਰੀਏਬਲ",
|
||||
"variable to have them replaced with clipboard content.": "ਕਲਿੱਪਬੋਰਡ ਸਮੱਗਰੀ ਨਾਲ ਬਦਲਣ ਲਈ ਵੈਰੀਏਬਲ।",
|
||||
"Version": "ਵਰਜਨ",
|
||||
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "ਚੇਤਾਵਨੀ: ਜੇ ਤੁਸੀਂ ਆਪਣਾ ਐਮਬੈੱਡਿੰਗ ਮਾਡਲ ਅੱਪਡੇਟ ਜਾਂ ਬਦਲਦੇ ਹੋ, ਤਾਂ ਤੁਹਾਨੂੰ ਸਾਰੇ ਡਾਕੂਮੈਂਟ ਮੁੜ ਆਯਾਤ ਕਰਨ ਦੀ ਲੋੜ ਹੋਵੇਗੀ।",
|
||||
"Web": "ਵੈਬ",
|
||||
"Web Loader Settings": "ਵੈਬ ਲੋਡਰ ਸੈਟਿੰਗਾਂ",
|
||||
"Web Params": "ਵੈਬ ਪੈਰਾਮੀਟਰ",
|
||||
"Webhook URL": "ਵੈਬਹੁੱਕ URL",
|
||||
"WebUI Add-ons": "ਵੈਬਯੂਆਈ ਐਡ-ਆਨ",
|
||||
"WebUI Settings": "ਵੈਬਯੂਆਈ ਸੈਟਿੰਗਾਂ",
|
||||
"WebUI will make requests to": "ਵੈਬਯੂਆਈ ਬੇਨਤੀਆਂ ਕਰੇਗਾ",
|
||||
"What’s New in": "ਨਵਾਂ ਕੀ ਹੈ",
|
||||
"When history is turned off, new chats on this browser won't appear in your history on any of your devices.": "ਜਦੋਂ ਇਤਿਹਾਸ ਬੰਦ ਹੁੰਦਾ ਹੈ, ਤਾਂ ਇਸ ਬ੍ਰਾਊਜ਼ਰ 'ਤੇ ਨਵੀਆਂ ਗੱਲਾਂ ਤੁਹਾਡੇ ਕਿਸੇ ਵੀ ਜੰਤਰ 'ਤੇ ਤੁਹਾਡੇ ਇਤਿਹਾਸ ਵਿੱਚ ਨਹੀਂ ਆਉਣਗੀਆਂ।",
|
||||
"Whisper (Local)": "ਵਿਸਪਰ (ਸਥਾਨਕ)",
|
||||
"Workspace": "ਕਾਰਜਸਥਲ",
|
||||
"Write a prompt suggestion (e.g. Who are you?)": "ਇੱਕ ਪ੍ਰੰਪਟ ਸੁਝਾਅ ਲਿਖੋ (ਉਦਾਹਰਣ ਲਈ ਤੁਸੀਂ ਕੌਣ ਹੋ?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "50 ਸ਼ਬਦਾਂ ਵਿੱਚ ਇੱਕ ਸੰਖੇਪ ਲਿਖੋ ਜੋ [ਵਿਸ਼ਾ ਜਾਂ ਕੁੰਜੀ ਸ਼ਬਦ] ਨੂੰ ਸੰਖੇਪ ਕਰਦਾ ਹੈ।",
|
||||
"Yesterday": "ਕੱਲ੍ਹ",
|
||||
"You": "ਤੁਸੀਂ",
|
||||
"You have no archived conversations.": "ਤੁਹਾਡੇ ਕੋਲ ਕੋਈ ਆਰਕਾਈਵ ਕੀਤੀਆਂ ਗੱਲਾਂ ਨਹੀਂ ਹਨ।",
|
||||
"You have shared this chat": "ਤੁਸੀਂ ਇਹ ਗੱਲਬਾਤ ਸਾਂਝੀ ਕੀਤੀ ਹੈ",
|
||||
"You're a helpful assistant.": "ਤੁਸੀਂ ਇੱਕ ਮਦਦਗਾਰ ਸਹਾਇਕ ਹੋ।",
|
||||
"You're now logged in.": "ਤੁਸੀਂ ਹੁਣ ਲੌਗ ਇਨ ਹੋ ਗਏ ਹੋ।",
|
||||
"Youtube": "ਯੂਟਿਊਬ",
|
||||
"Youtube Loader Settings": "ਯੂਟਿਊਬ ਲੋਡਰ ਸੈਟਿੰਗਾਂ"
|
||||
}
|
||||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "O nas",
|
||||
"Account": "Konto",
|
||||
"Accurate information": "Dokładna informacja",
|
||||
"Add": "",
|
||||
"Add a model": "Dodaj model",
|
||||
"Add a model tag name": "Dodaj nazwę tagu modelu",
|
||||
"Add a short description about what this modelfile does": "Dodaj krótki opis tego, co robi ten plik modelu",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "Dodaj własne polecenie",
|
||||
"Add Docs": "Dodaj dokumenty",
|
||||
"Add Files": "Dodaj pliki",
|
||||
"Add Memory": "",
|
||||
"Add message": "Dodaj wiadomość",
|
||||
"Add Model": "Dodaj model",
|
||||
"Add Tags": "Dodaj tagi",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Kategorie",
|
||||
"Change Password": "Zmień hasło",
|
||||
"Chat": "Czat",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Historia czatu",
|
||||
"Chat History is off for this browser.": "Historia czatu jest wyłączona dla tej przeglądarki.",
|
||||
"Chats": "Czaty",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Włączone",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Upewnij się, że twój plik CSV zawiera 4 kolumny w następującym porządku: Nazwa, Email, Hasło, Rola.",
|
||||
"Enter {{role}} message here": "Wprowadź wiadomość {{role}} tutaj",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Wprowadź zakchodzenie bloku",
|
||||
"Enter Chunk Size": "Wprowadź rozmiar bloku",
|
||||
"Enter Image Size (e.g. 512x512)": "Wprowadź rozmiar obrazu (np. 512x512)",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Jasny",
|
||||
"Listening...": "Nasłuchiwanie...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMy mogą popełniać błędy. Zweryfikuj ważne informacje.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Stworzone przez społeczność OpenWebUI",
|
||||
"Make sure to enclose them with": "Upewnij się, że są one zamknięte w",
|
||||
"Manage LiteLLM Models": "Zarządzaj modelami LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Maksymalna liczba tokenów",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Maksymalnie 3 modele można pobierać jednocześnie. Spróbuj ponownie później.",
|
||||
"May": "Maj",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "WIadomości, które wyślesz po utworzeniu linku nie będą udostępnione. Użytkownicy z URL-em będą mogli zobaczyć udostępniony czat.",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "Minimalny wynik",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF Wyodrębnij obrazy (OCR)",
|
||||
"pending": "oczekujące",
|
||||
"Permission denied when accessing microphone: {{error}}": "Odmowa dostępu do mikrofonu: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "Zwykły tekst (.txt)",
|
||||
"Playground": "Plac zabaw",
|
||||
"Positive attitude": "Pozytywne podejście",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rola",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Zapisz",
|
||||
"Save & Create": "Zapisz i utwórz",
|
||||
"Save & Update": "Zapisz i zaktualizuj",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Napisz sugestię do polecenia (np. Kim jesteś?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Napisz podsumowanie w 50 słowach, które podsumowuje [temat lub słowo kluczowe].",
|
||||
"Yesterday": "Wczoraj",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "Nie masz zarchiwizowanych rozmów.",
|
||||
"You have shared this chat": "Udostępniłeś ten czat",
|
||||
"You're a helpful assistant.": "Jesteś pomocnym asystentem.",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "Sobre",
|
||||
"Account": "Conta",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Adicionar um modelo",
|
||||
"Add a model tag name": "Adicionar um nome de tag de modelo",
|
||||
"Add a short description about what this modelfile does": "Adicione uma breve descrição sobre o que este arquivo de modelo faz",
|
||||
"Add a short title for this prompt": "Adicione um título curto para este prompt",
|
||||
"Add a tag": "Adicionar uma tag",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Adicionar prompt personalizado",
|
||||
"Add Docs": "Adicionar Documentos",
|
||||
"Add Files": "Adicionar Arquivos",
|
||||
"Add Memory": "",
|
||||
"Add message": "Adicionar mensagem",
|
||||
"Add Model": "",
|
||||
"Add Tags": "adicionar tags",
|
||||
|
|
@ -47,7 +49,7 @@
|
|||
"Archived Chats": "Bate-papos arquivados",
|
||||
"are allowed - Activate this command by typing": "são permitidos - Ative este comando digitando",
|
||||
"Are you sure?": "Tem certeza?",
|
||||
"Attach file": "",
|
||||
"Attach file": "Anexar arquivo",
|
||||
"Attention to detail": "",
|
||||
"Audio": "Áudio",
|
||||
"August": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Categorias",
|
||||
"Change Password": "Alterar Senha",
|
||||
"Chat": "Bate-papo",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Histórico de Bate-papo",
|
||||
"Chat History is off for this browser.": "O histórico de bate-papo está desativado para este navegador.",
|
||||
"Chats": "Bate-papos",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Ativado",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Digite a mensagem de {{role}} aqui",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Digite a Sobreposição de Fragmento",
|
||||
"Enter Chunk Size": "Digite o Tamanho do Fragmento",
|
||||
"Enter Image Size (e.g. 512x512)": "Digite o Tamanho da Imagem (por exemplo, 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Importar Arquivos de Modelo",
|
||||
"Import Prompts": "Importar Prompts",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Inclua a flag `--api` ao executar stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Comandos de entrada",
|
||||
"Interface": "Interface",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Claro",
|
||||
"Listening...": "Ouvindo...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs podem cometer erros. Verifique informações importantes.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Feito pela Comunidade OpenWebUI",
|
||||
"Make sure to enclose them with": "Certifique-se de colocá-los entre",
|
||||
"Manage LiteLLM Models": "Gerenciar Modelos LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Máximo de Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Máximo de 3 modelos podem ser baixados simultaneamente. Tente novamente mais tarde.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Extrair Imagens de PDF (OCR)",
|
||||
"pending": "pendente",
|
||||
"Permission denied when accessing microphone: {{error}}": "Permissão negada ao acessar o microfone: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Parque infantil",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Função",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Salvar",
|
||||
"Save & Create": "Salvar e Criar",
|
||||
"Save & Update": "Salvar e Atualizar",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Selecione um modo",
|
||||
"Select a model": "Selecione um modelo",
|
||||
"Select an Ollama instance": "Selecione uma instância Ollama",
|
||||
"Select model": "",
|
||||
"Select model": "Selecione um modelo",
|
||||
"Send": "",
|
||||
"Send a Message": "Enviar uma Mensagem",
|
||||
"Send message": "Enviar mensagem",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Escreva uma sugestão de prompt (por exemplo, Quem é você?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Escreva um resumo em 50 palavras que resuma [tópico ou palavra-chave].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Você é um assistente útil.",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "Sobre",
|
||||
"Account": "Conta",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Adicionar um modelo",
|
||||
"Add a model tag name": "Adicionar um nome de tag de modelo",
|
||||
"Add a short description about what this modelfile does": "Adicione uma breve descrição sobre o que este arquivo de modelo faz",
|
||||
"Add a short title for this prompt": "Adicione um título curto para este prompt",
|
||||
"Add a tag": "Adicionar uma tag",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Adicionar um prompt curto",
|
||||
"Add Docs": "Adicionar Documentos",
|
||||
"Add Files": "Adicionar Arquivos",
|
||||
"Add Memory": "",
|
||||
"Add message": "Adicionar mensagem",
|
||||
"Add Model": "",
|
||||
"Add Tags": "adicionar tags",
|
||||
|
|
@ -47,7 +49,7 @@
|
|||
"Archived Chats": "Bate-papos arquivados",
|
||||
"are allowed - Activate this command by typing": "são permitidos - Ative este comando digitando",
|
||||
"Are you sure?": "Tem certeza?",
|
||||
"Attach file": "",
|
||||
"Attach file": "Anexar arquivo",
|
||||
"Attention to detail": "",
|
||||
"Audio": "Áudio",
|
||||
"August": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Categorias",
|
||||
"Change Password": "Alterar Senha",
|
||||
"Chat": "Bate-papo",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Histórico de Bate-papo",
|
||||
"Chat History is off for this browser.": "O histórico de bate-papo está desativado para este navegador.",
|
||||
"Chats": "Bate-papos",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Ativado",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Digite a mensagem de {{role}} aqui",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Digite a Sobreposição de Fragmento",
|
||||
"Enter Chunk Size": "Digite o Tamanho do Fragmento",
|
||||
"Enter Image Size (e.g. 512x512)": "Digite o Tamanho da Imagem (por exemplo, 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Importar Arquivos de Modelo",
|
||||
"Import Prompts": "Importar Prompts",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Inclua a flag `--api` ao executar stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Comandos de entrada",
|
||||
"Interface": "Interface",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Claro",
|
||||
"Listening...": "Ouvindo...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs podem cometer erros. Verifique informações importantes.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Feito pela Comunidade OpenWebUI",
|
||||
"Make sure to enclose them with": "Certifique-se de colocá-los entre",
|
||||
"Manage LiteLLM Models": "Gerenciar Modelos LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Máximo de Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Máximo de 3 modelos podem ser baixados simultaneamente. Tente novamente mais tarde.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Extrair Imagens de PDF (OCR)",
|
||||
"pending": "pendente",
|
||||
"Permission denied when accessing microphone: {{error}}": "Permissão negada ao acessar o microfone: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Parque infantil",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Função",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Salvar",
|
||||
"Save & Create": "Salvar e Criar",
|
||||
"Save & Update": "Salvar e Atualizar",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Selecione um modo",
|
||||
"Select a model": "Selecione um modelo",
|
||||
"Select an Ollama instance": "Selecione uma instância Ollama",
|
||||
"Select model": "",
|
||||
"Select model": "Selecione um modelo",
|
||||
"Send": "",
|
||||
"Send a Message": "Enviar uma Mensagem",
|
||||
"Send message": "Enviar mensagem",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Escreva uma sugestão de prompt (por exemplo, Quem é você?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Escreva um resumo em 50 palavras que resuma [tópico ou palavra-chave].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Você é um assistente útil.",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "Об",
|
||||
"Account": "Аккаунт",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Добавьте модель",
|
||||
"Add a model tag name": "Добавьте имя тэга модели",
|
||||
"Add a short description about what this modelfile does": "Добавьте краткое описание, что делает этот моделфайл",
|
||||
"Add a short title for this prompt": "Добавьте краткий заголовок для этого ввода",
|
||||
"Add a tag": "Добавьте тэг",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Добавьте пользовательский ввод",
|
||||
"Add Docs": "Добавьте документы",
|
||||
"Add Files": "Добавьте файлы",
|
||||
"Add Memory": "",
|
||||
"Add message": "Добавьте сообщение",
|
||||
"Add Model": "",
|
||||
"Add Tags": "Добавьте тэгы",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "запис на чат",
|
||||
"are allowed - Activate this command by typing": "разрешено - активируйте эту команду вводом",
|
||||
"Are you sure?": "Вы уверены?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "Прикрепить файл",
|
||||
"Attention to detail": "детализированный",
|
||||
"Audio": "Аудио",
|
||||
"August": "",
|
||||
"Auto-playback response": "Автоматическое воспроизведение ответа",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Категории",
|
||||
"Change Password": "Изменить пароль",
|
||||
"Chat": "Чат",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "История чат",
|
||||
"Chat History is off for this browser.": "История чат отключен для этого браузера.",
|
||||
"Chats": "Чаты",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Включено",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Введите сообщение {{role}} здесь",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Введите перекрытие фрагмента",
|
||||
"Enter Chunk Size": "Введите размер фрагмента",
|
||||
"Enter Image Size (e.g. 512x512)": "Введите размер изображения (например, 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Импорт файлов модели",
|
||||
"Import Prompts": "Импорт подсказок",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Добавьте флаг `--api` при запуске stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Введите команды",
|
||||
"Interface": "Интерфейс",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Светлый",
|
||||
"Listening...": "Слушаю...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs могут допускать ошибки. Проверяйте важную информацию.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Сделано сообществом OpenWebUI",
|
||||
"Make sure to enclose them with": "Убедитесь, что они заключены в",
|
||||
"Manage LiteLLM Models": "Управление моделями LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Максимальное количество токенов",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимальное количество моделей для загрузки одновременно - 3. Пожалуйста, попробуйте позже.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Извлечение изображений из PDF (OCR)",
|
||||
"pending": "ожидание",
|
||||
"Permission denied when accessing microphone: {{error}}": "Отказано в доступе к микрофону: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Площадка",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Роль",
|
||||
"Rosé Pine": "Розовое сосновое дерево",
|
||||
"Rosé Pine Dawn": "Розовое сосновое дерево рассвет",
|
||||
"RTL": "",
|
||||
"Save": "Сохранить",
|
||||
"Save & Create": "Сохранить и создать",
|
||||
"Save & Update": "Сохранить и обновить",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Выберите режим",
|
||||
"Select a model": "Выберите модель",
|
||||
"Select an Ollama instance": "Выберите экземпляр Ollama",
|
||||
"Select model": "",
|
||||
"Select model": "Выберите модель",
|
||||
"Send": "",
|
||||
"Send a Message": "Отправить сообщение",
|
||||
"Send message": "Отправить сообщение",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Напишите предложение промпта (например, Кто вы?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Напишите резюме в 50 словах, которое кратко описывает [тему или ключевое слово].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Вы полезный ассистент.",
|
||||
|
|
|
|||
503
src/lib/i18n/locales/sr-RS/translation.json
Normal file
503
src/lib/i18n/locales/sr-RS/translation.json
Normal file
|
|
@ -0,0 +1,503 @@
|
|||
{
|
||||
"'s', 'm', 'h', 'd', 'w' or '-1' for no expiration.": "„s“, „m“, „h“, „d“, „w“ или „-1“ за без истека.",
|
||||
"(Beta)": "(бета)",
|
||||
"(e.g. `sh webui.sh --api`)": "(нпр. `sh webui.sh --api`)",
|
||||
"(latest)": "(најновије)",
|
||||
"{{modelName}} is thinking...": "{{modelName}} размишља...",
|
||||
"{{user}}'s Chats": "Ћаскања корисника {{user}}",
|
||||
"{{webUIName}} Backend Required": "Захтева се {{webUIName}} позадинац",
|
||||
"a user": "корисник",
|
||||
"About": "О нама",
|
||||
"Account": "Налог",
|
||||
"Accurate information": "Прецизне информације",
|
||||
"Add": "",
|
||||
"Add a model": "Додај модел",
|
||||
"Add a model tag name": "Додај ознаку модела",
|
||||
"Add a short description about what this modelfile does": "Додај кратак опис ове модел-датотеке",
|
||||
"Add a short title for this prompt": "Додај кратак наслов за овај упит",
|
||||
"Add a tag": "Додај ознаку",
|
||||
"Add custom prompt": "Додај прилагођен упит",
|
||||
"Add Docs": "Додај документе",
|
||||
"Add Files": "Додај датотеке",
|
||||
"Add Memory": "",
|
||||
"Add message": "Додај поруку",
|
||||
"Add Model": "Додај модел",
|
||||
"Add Tags": "Додај ознаке",
|
||||
"Add User": "Додај корисника",
|
||||
"Adjusting these settings will apply changes universally to all users.": "Прилагођавање ових подешавања ће применити промене на све кориснике.",
|
||||
"admin": "админ",
|
||||
"Admin Panel": "Админ табла",
|
||||
"Admin Settings": "Админ подешавања",
|
||||
"Advanced Parameters": "Напредни параметри",
|
||||
"all": "сви",
|
||||
"All Documents": "Сви документи",
|
||||
"All Users": "Сви корисници",
|
||||
"Allow": "Дозволи",
|
||||
"Allow Chat Deletion": "Дозволи брисање ћаскања",
|
||||
"alphanumeric characters and hyphens": "алфанумерички знакови и цртице",
|
||||
"Already have an account?": "Већ имате налог?",
|
||||
"an assistant": "помоћник",
|
||||
"and": "и",
|
||||
"and create a new shared link.": "и направи нову дељену везу.",
|
||||
"API Base URL": "Основна адреса API-ја",
|
||||
"API Key": "API кључ",
|
||||
"API Key created.": "API кључ направљен.",
|
||||
"API keys": "API кључеви",
|
||||
"API RPM": "API RPM",
|
||||
"April": "Април",
|
||||
"Archive": "Архива",
|
||||
"Archived Chats": "Архивирана ћаскања",
|
||||
"are allowed - Activate this command by typing": "су дозвољени - Покрените ову наредбу уношењем",
|
||||
"Are you sure?": "Да ли сте сигурни?",
|
||||
"Attach file": "Приложи датотеку",
|
||||
"Attention to detail": "Пажња на детаље",
|
||||
"Audio": "Звук",
|
||||
"August": "Август",
|
||||
"Auto-playback response": "Самостално пуштање одговора",
|
||||
"Auto-send input after 3 sec.": "Самостално слање уноса након 3 сек.",
|
||||
"AUTOMATIC1111 Base URL": "Основна адреса за AUTOMATIC1111",
|
||||
"AUTOMATIC1111 Base URL is required.": "Потребна је основна адреса за AUTOMATIC1111.",
|
||||
"available!": "доступно!",
|
||||
"Back": "Назад",
|
||||
"Bad Response": "Лош одговор",
|
||||
"before": "пре",
|
||||
"Being lazy": "Бити лењ",
|
||||
"Builder Mode": "Режим градитеља",
|
||||
"Bypass SSL verification for Websites": "Заобиђи SSL потврђивање за веб странице",
|
||||
"Cancel": "Откажи",
|
||||
"Categories": "Категорије",
|
||||
"Change Password": "Промени лозинку",
|
||||
"Chat": "Ћаскање",
|
||||
"Chat Bubble UI": "Интерфејс балона ћаскања",
|
||||
"Chat direction": "Смер ћаскања",
|
||||
"Chat History": "Историја ћаскања",
|
||||
"Chat History is off for this browser.": "Историја ћаскања је искључена за овај прегледач.",
|
||||
"Chats": "Ћаскања",
|
||||
"Check Again": "Провери поново",
|
||||
"Check for updates": "Потражи ажурирања",
|
||||
"Checking for updates...": "Траже се ажурирања...",
|
||||
"Choose a model before saving...": "Изабери модел пре чувања...",
|
||||
"Chunk Overlap": "Преклапање делова",
|
||||
"Chunk Params": "Параметри делова",
|
||||
"Chunk Size": "Величина дела",
|
||||
"Citation": "Цитат",
|
||||
"Click here for help.": "Кликните овде за помоћ.",
|
||||
"Click here to": "Кликните овде да",
|
||||
"Click here to check other modelfiles.": "Кликните овде да проверите друге модел-датотеке.",
|
||||
"Click here to select": "Кликните овде да изаберете",
|
||||
"Click here to select a csv file.": "Кликните овде да изаберете csv датотеку.",
|
||||
"Click here to select documents.": "Кликните овде да изаберете документе.",
|
||||
"click here.": "кликните овде.",
|
||||
"Click on the user role button to change a user's role.": "Кликните на дугме за улогу корисника да промените улогу корисника.",
|
||||
"Close": "Затвори",
|
||||
"Collection": "Колекција",
|
||||
"ComfyUI": "ComfyUI",
|
||||
"ComfyUI Base URL": "Основна адреса за ComfyUI",
|
||||
"ComfyUI Base URL is required.": "Потребна је основна адреса за ComfyUI.",
|
||||
"Command": "Наредба",
|
||||
"Confirm Password": "Потврди лозинку",
|
||||
"Connections": "Везе",
|
||||
"Content": "Садржај",
|
||||
"Context Length": "Дужина контекста",
|
||||
"Continue Response": "Настави одговор",
|
||||
"Conversation Mode": "Режим разговарања",
|
||||
"Copied shared chat URL to clipboard!": "Адреса дељеног ћаскања ископирана у оставу!",
|
||||
"Copy": "Копирај",
|
||||
"Copy last code block": "Копирај последњи блок кода",
|
||||
"Copy last response": "Копирај последњи одговор",
|
||||
"Copy Link": "Копирај везу",
|
||||
"Copying to clipboard was successful!": "Успешно копирање у оставу!",
|
||||
"Create a concise, 3-5 word phrase as a header for the following query, strictly adhering to the 3-5 word limit and avoiding the use of the word 'title':": "Направи сажету фразу од 3 до 5 речи као наслов за следећи упит, строго се придржавајући ограничења од 3-5 речи и избегавајући коришћење речи „наслов“:",
|
||||
"Create a modelfile": "Направи модел-датотеку",
|
||||
"Create Account": "Направи налог",
|
||||
"Create new key": "Направи нови кључ",
|
||||
"Create new secret key": "Направи нови тајни кључ",
|
||||
"Created at": "Направљено у",
|
||||
"Created At": "Направљено у",
|
||||
"Current Model": "Тренутни модел",
|
||||
"Current Password": "Тренутна лозинка",
|
||||
"Custom": "Прилагођено",
|
||||
"Customize Ollama models for a specific purpose": "Прилагоди Ollama моделе за специфичну намену",
|
||||
"Dark": "Тамна",
|
||||
"Dashboard": "Контролна табла",
|
||||
"Database": "База података",
|
||||
"December": "Децембар",
|
||||
"Default": "Подразумевано",
|
||||
"Default (Automatic1111)": "Подразумевано (Automatic1111)",
|
||||
"Default (SentenceTransformers)": "Подразумевано (SentenceTransformers)",
|
||||
"Default (Web API)": "Подразумевано (Web API)",
|
||||
"Default model updated": "Подразумевани модел ажуриран",
|
||||
"Default Prompt Suggestions": "Подразумевани предлози упита",
|
||||
"Default User Role": "Подразумевана улога корисника",
|
||||
"delete": "обриши",
|
||||
"Delete": "Обриши",
|
||||
"Delete a model": "Обриши модел",
|
||||
"Delete chat": "Обриши ћаскање",
|
||||
"Delete Chat": "Обриши ћаскање",
|
||||
"Delete Chats": "Обриши ћаскања",
|
||||
"delete this link": "обриши ову везу",
|
||||
"Delete User": "Обриши корисника",
|
||||
"Deleted {{deleteModelTag}}": "Обрисано {{deleteModelTag}}",
|
||||
"Deleted {{tagName}}": "Обрисано {{tagName}}",
|
||||
"Description": "Опис",
|
||||
"Didn't fully follow instructions": "Упутства нису праћена у потпуности",
|
||||
"Disabled": "Онемогућено",
|
||||
"Discover a modelfile": "Откриј модел-датотеку",
|
||||
"Discover a prompt": "Откриј упит",
|
||||
"Discover, download, and explore custom prompts": "Откријте, преузмите и истражите прилагођене упите",
|
||||
"Discover, download, and explore model presets": "Откријте, преузмите и истражите образце модела",
|
||||
"Display the username instead of You in the Chat": "Прикажи корисничко име уместо Ти у чату",
|
||||
"Document": "Документ",
|
||||
"Document Settings": "Подешавања документа",
|
||||
"Documents": "Документи",
|
||||
"does not make any external connections, and your data stays securely on your locally hosted server.": "не отвара никакве спољне везе и ваши подаци остају сигурно на вашем локално хостованом серверу.",
|
||||
"Don't Allow": "Не дозволи",
|
||||
"Don't have an account?": "Немате налог?",
|
||||
"Don't like the style": "Не свиђа ми се стил",
|
||||
"Download": "Преузми",
|
||||
"Download canceled": "Преузимање отказано",
|
||||
"Download Database": "Преузми базу података",
|
||||
"Drop any files here to add to the conversation": "Убаците било које датотеке овде да их додате у разговор",
|
||||
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "нпр. '30s', '10m'. Важеће временске јединице су 's', 'm', 'h'.",
|
||||
"Edit": "Уреди",
|
||||
"Edit Doc": "Уреди документ",
|
||||
"Edit User": "Уреди корисника",
|
||||
"Email": "Е-пошта",
|
||||
"Embedding Model": "Модел уградње",
|
||||
"Embedding Model Engine": "Мотор модела уградње",
|
||||
"Embedding model set to \"{{embedding_model}}\"": "Модел уградње подешен на \"{{embedding_model}}\"",
|
||||
"Enable Chat History": "Омогући историју ћаскања",
|
||||
"Enable New Sign Ups": "Омогући нове пријаве",
|
||||
"Enabled": "Омогућено",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Уверите се да ваша CSV датотека укључује 4 колоне у овом редоследу: Име, Е-пошта, Лозинка, Улога.",
|
||||
"Enter {{role}} message here": "Унесите {{role}} поруку овде",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Унесите преклапање делова",
|
||||
"Enter Chunk Size": "Унесите величину дела",
|
||||
"Enter Image Size (e.g. 512x512)": "Унесите величину слике (нпр. 512x512)",
|
||||
"Enter language codes": "Унесите кодове језика",
|
||||
"Enter LiteLLM API Base URL (litellm_params.api_base)": "Унесите основни URL LiteLLM API (litellm_params.api_base)",
|
||||
"Enter LiteLLM API Key (litellm_params.api_key)": "Унесите LiteLLM API кључ (litellm_params.api_key)",
|
||||
"Enter LiteLLM API RPM (litellm_params.rpm)": "Унесите LiteLLM API RPM (litellm_params.rpm)",
|
||||
"Enter LiteLLM Model (litellm_params.model)": "Унесите LiteLLM модел (litellm_params.model)",
|
||||
"Enter Max Tokens (litellm_params.max_tokens)": "Унесите највећи број жетона (litellm_params.max_tokens)",
|
||||
"Enter model tag (e.g. {{modelTag}})": "Унесите ознаку модела (нпр. {{modelTag}})",
|
||||
"Enter Number of Steps (e.g. 50)": "Унесите број корака (нпр. 50)",
|
||||
"Enter Score": "Унесите резултат",
|
||||
"Enter stop sequence": "Унесите секвенцу заустављања",
|
||||
"Enter Top K": "Унесите Топ К",
|
||||
"Enter URL (e.g. http://127.0.0.1:7860/)": "Унесите адресу (нпр. http://127.0.0.1:7860/)",
|
||||
"Enter URL (e.g. http://localhost:11434)": "Унесите адресу (нпр. http://localhost:11434)",
|
||||
"Enter Your Email": "Унесите вашу е-пошту",
|
||||
"Enter Your Full Name": "Унесите ваше име и презиме",
|
||||
"Enter Your Password": "Унесите вашу лозинку",
|
||||
"Enter Your Role": "Унесите вашу улогу",
|
||||
"Experimental": "Експериментално",
|
||||
"Export All Chats (All Users)": "Извези сва ћаскања (сви корисници)",
|
||||
"Export Chats": "Извези ћаскања",
|
||||
"Export Documents Mapping": "Извези мапирање докумената",
|
||||
"Export Modelfiles": "Извези модел-датотеке",
|
||||
"Export Prompts": "Извези упите",
|
||||
"Failed to create API Key.": "Неуспешно стварање API кључа.",
|
||||
"Failed to read clipboard contents": "Неуспешно читање садржаја оставе",
|
||||
"February": "Фебруар",
|
||||
"Feel free to add specific details": "Слободно додајте специфичне детаље",
|
||||
"File Mode": "Режим датотеке",
|
||||
"File not found.": "Датотека није пронађена.",
|
||||
"Fingerprint spoofing detected: Unable to use initials as avatar. Defaulting to default profile image.": "Откривено лажно представљање отиска прста: Немогуће је користити иницијале као аватар. Прелазак на подразумевану профилну слику.",
|
||||
"Fluidly stream large external response chunks": "Течно стримујте велике спољне делове одговора",
|
||||
"Focus chat input": "Усредсредите унос ћаскања",
|
||||
"Followed instructions perfectly": "Упутства су савршено праћена",
|
||||
"Format your variables using square brackets like this:": "Форматирајте ваше променљиве користећи угластe заграде овако:",
|
||||
"From (Base Model)": "Од (основни модел)",
|
||||
"Full Screen Mode": "Режим целог екрана",
|
||||
"General": "Опште",
|
||||
"General Settings": "Општа подешавања",
|
||||
"Generation Info": "Информације о стварању",
|
||||
"Good Response": "Добар одговор",
|
||||
"h:mm a": "h:mm a",
|
||||
"has no conversations.": "нема разговора.",
|
||||
"Hello, {{name}}": "Здраво, {{name}}",
|
||||
"Help": "Помоћ",
|
||||
"Hide": "Сакриј",
|
||||
"Hide Additional Params": "Сакриј додатне параметре",
|
||||
"How can I help you today?": "Како могу да вам помогнем данас?",
|
||||
"Hybrid Search": "Хибридна претрага",
|
||||
"Image Generation (Experimental)": "Стварање слика (експериментално)",
|
||||
"Image Generation Engine": "Мотор за стварање слика",
|
||||
"Image Settings": "Подешавања слике",
|
||||
"Images": "Слике",
|
||||
"Import Chats": "Увези ћаскања",
|
||||
"Import Documents Mapping": "Увези мапирање докумената",
|
||||
"Import Modelfiles": "Увези модел-датотеке",
|
||||
"Import Prompts": "Увези упите",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Укључи `--api` заставицу при покретању stable-diffusion-webui",
|
||||
"Input commands": "Унеси наредбе",
|
||||
"Interface": "Изглед",
|
||||
"Invalid Tag": "Неисправна ознака",
|
||||
"January": "Јануар",
|
||||
"join our Discord for help.": "придружите се нашем Дискорду за помоћ.",
|
||||
"JSON": "JSON",
|
||||
"July": "Јул",
|
||||
"June": "Јун",
|
||||
"JWT Expiration": "Истек JWT-а",
|
||||
"JWT Token": "JWT жетон",
|
||||
"Keep Alive": "Одржи трајање",
|
||||
"Keyboard shortcuts": "Пречице на тастатури",
|
||||
"Language": "Језик",
|
||||
"Last Active": "Последња активност",
|
||||
"Light": "Светла",
|
||||
"Listening...": "Слушам...",
|
||||
"LLMs can make mistakes. Verify important information.": "ВЈМ-ови (LLM-ови) могу правити грешке. Проверите важне податке.",
|
||||
"LTR": "ЛНД",
|
||||
"Made by OpenWebUI Community": "Израдила OpenWebUI заједница",
|
||||
"Make sure to enclose them with": "Уверите се да их затворите са",
|
||||
"Manage LiteLLM Models": "Управљај LiteLLM моделима",
|
||||
"Manage Models": "Управљај моделима",
|
||||
"Manage Ollama Models": "Управљај Ollama моделима",
|
||||
"March": "Март",
|
||||
"Max Tokens": "Највише жетона",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Највише 3 модела могу бити преузета истовремено. Покушајте поново касније.",
|
||||
"May": "Мај",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "Памћење",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "Поруке које пошаљете након стварања ваше везе неће бити подељене. Корисници са URL-ом ће моћи да виде дељено ћаскање.",
|
||||
"Minimum Score": "Најмањи резултат",
|
||||
"Mirostat": "Миростат",
|
||||
"Mirostat Eta": "Миростат Ета",
|
||||
"Mirostat Tau": "Миростат Тау",
|
||||
"MMMM DD, YYYY": "ММММ ДД, ГГГГ",
|
||||
"MMMM DD, YYYY HH:mm": "ММММ ДД, ГГГГ ЧЧ:мм",
|
||||
"Model '{{modelName}}' has been successfully downloaded.": "Модел „{{modelName}}“ је успешно преузет.",
|
||||
"Model '{{modelTag}}' is already in queue for downloading.": "Модел „{{modelTag}}“ је већ у реду за преузимање.",
|
||||
"Model {{modelId}} not found": "Модел {{modelId}} није пронађен",
|
||||
"Model {{modelName}} already exists.": "Модел {{modelName}} већ постоји.",
|
||||
"Model filesystem path detected. Model shortname is required for update, cannot continue.": "Откривена путања система датотека модела. За ажурирање је потребан кратак назив модела, не може се наставити.",
|
||||
"Model Name": "Назив модела",
|
||||
"Model not selected": "Модел није изабран",
|
||||
"Model Tag Name": "Назив ознаке модела",
|
||||
"Model Whitelisting": "Бели списак модела",
|
||||
"Model(s) Whitelisted": "Модел(и) на белом списку",
|
||||
"Modelfile": "Модел-датотека",
|
||||
"Modelfile Advanced Settings": "Напредна подешавања модел-датотеке",
|
||||
"Modelfile Content": "Садржај модел-датотеке",
|
||||
"Modelfiles": "Модел-датотеке",
|
||||
"Models": "Модели",
|
||||
"More": "Више",
|
||||
"Name": "Име",
|
||||
"Name Tag": "Назив ознаке",
|
||||
"Name your modelfile": "Назовите вашу модел-датотеку",
|
||||
"New Chat": "Ново ћаскање",
|
||||
"New Password": "Нова лозинка",
|
||||
"No results found": "Нема резултата",
|
||||
"No source available": "Нема доступног извора",
|
||||
"Not factually correct": "Није чињенично тачно",
|
||||
"Not sure what to add?": "Нисте сигурни шта да додате?",
|
||||
"Not sure what to write? Switch to": "Нисте сигурни шта да напишете? Пребаците се на",
|
||||
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Напомена: ако подесите најмањи резултат, претрага ће вратити само документе са резултатом већим или једнаким најмањем резултату.",
|
||||
"Notifications": "Обавештења",
|
||||
"November": "Новембар",
|
||||
"October": "Октобар",
|
||||
"Off": "Искључено",
|
||||
"Okay, Let's Go!": "У реду, хајде да кренемо!",
|
||||
"OLED Dark": "OLED тамна",
|
||||
"Ollama": "Ollama",
|
||||
"Ollama Base URL": "Основна адреса Ollama-е",
|
||||
"Ollama Version": "Издање Ollama-е",
|
||||
"On": "Укључено",
|
||||
"Only": "Само",
|
||||
"Only alphanumeric characters and hyphens are allowed in the command string.": "Само алфанумерички знакови и цртице су дозвољени у низу наредби.",
|
||||
"Oops! Hold tight! Your files are still in the processing oven. We're cooking them up to perfection. Please be patient and we'll let you know once they're ready.": "Упс! Само тренутак! Ваше датотеке се још обрађују. Припремамо их до савршенства. Молимо вас за стрпљење и обавестићемо вас када буду спремне.",
|
||||
"Oops! Looks like the URL is invalid. Please double-check and try again.": "Упс! Изгледа да је адреса неважећа. Молимо вас да проверите и покушате поново.",
|
||||
"Oops! You're using an unsupported method (frontend only). Please serve the WebUI from the backend.": "Упс! Користите неподржани метод (само фронтенд). Молимо вас да покренете WebUI са бекенда.",
|
||||
"Open": "Отвори",
|
||||
"Open AI": "Open AI",
|
||||
"Open AI (Dall-E)": "Open AI (Dall-E)",
|
||||
"Open new chat": "Покрени ново ћаскање",
|
||||
"OpenAI": "OpenAI",
|
||||
"OpenAI API": "OpenAI API",
|
||||
"OpenAI API Config": "Подешавање OpenAI API-ја",
|
||||
"OpenAI API Key is required.": "Потребан је OpenAI API кључ.",
|
||||
"OpenAI URL/Key required.": "Потребан је OpenAI URL/кључ.",
|
||||
"or": "или",
|
||||
"Other": "Остало",
|
||||
"Overview": "Преглед",
|
||||
"Parameters": "Параметри",
|
||||
"Password": "Лозинка",
|
||||
"PDF document (.pdf)": "PDF документ (.pdf)",
|
||||
"PDF Extract Images (OCR)": "Извлачење PDF слика (OCR)",
|
||||
"pending": "на чекању",
|
||||
"Permission denied when accessing microphone: {{error}}": "Приступ микрофону је одбијен: {{error}}",
|
||||
"Personalization": "Прилагођавање",
|
||||
"Plain text (.txt)": "Обичан текст (.txt)",
|
||||
"Playground": "Игралиште",
|
||||
"Positive attitude": "Позитиван став",
|
||||
"Previous 30 days": "Претходних 30 дана",
|
||||
"Previous 7 days": "Претходних 7 дана",
|
||||
"Profile Image": "Слика профила",
|
||||
"Prompt": "Упит",
|
||||
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Упит (нпр. „реци ми занимљивост о Римском царству“)",
|
||||
"Prompt Content": "Садржај упита",
|
||||
"Prompt suggestions": "Предлози упита",
|
||||
"Prompts": "Упити",
|
||||
"Pull \"{{searchValue}}\" from Ollama.com": "Повуците \"{{searchValue}}\" са Ollama.com",
|
||||
"Pull a model from Ollama.com": "Повуците модел са Ollama.com",
|
||||
"Pull Progress": "Напредак повлачења",
|
||||
"Query Params": "Параметри упита",
|
||||
"RAG Template": "RAG шаблон",
|
||||
"Raw Format": "Сирови формат",
|
||||
"Read Aloud": "Прочитај наглас",
|
||||
"Record voice": "Сними глас",
|
||||
"Redirecting you to OpenWebUI Community": "Преусмеравање на OpenWebUI заједницу",
|
||||
"Refused when it shouldn't have": "Одбијено када није требало",
|
||||
"Regenerate": "Регенериши",
|
||||
"Release Notes": "Напомене о издању",
|
||||
"Remove": "Уклони",
|
||||
"Remove Model": "Уклони модел",
|
||||
"Rename": "Преименуј",
|
||||
"Repeat Last N": "Понови последњих N",
|
||||
"Repeat Penalty": "Казна за понављање",
|
||||
"Request Mode": "Режим захтева",
|
||||
"Reranking Model": "Модел поновног рангирања",
|
||||
"Reranking model disabled": "Модел поновног рангирања онемогућен",
|
||||
"Reranking model set to \"{{reranking_model}}\"": "Модел поновног рангирања подешен на \"{{reranking_model}}\"",
|
||||
"Reset Vector Storage": "Ресетуј складиште вектора",
|
||||
"Response AutoCopy to Clipboard": "Самостално копирање одговора у оставу",
|
||||
"Role": "Улога",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "ДНЛ",
|
||||
"Save": "Сачувај",
|
||||
"Save & Create": "Сачувај и направи",
|
||||
"Save & Update": "Сачувај и ажурирај",
|
||||
"Saving chat logs directly to your browser's storage is no longer supported. Please take a moment to download and delete your chat logs by clicking the button below. Don't worry, you can easily re-import your chat logs to the backend through": "Чување ћаскања директно у складиште вашег прегледача више није подржано. Одвојите тренутак да преузмете и избришете ваша ћаскања кликом на дугме испод. Не брините, можете лако поново увезти ваша ћаскања у бекенд кроз",
|
||||
"Scan": "Скенирај",
|
||||
"Scan complete!": "Скенирање завршено!",
|
||||
"Scan for documents from {{path}}": "Скенирај документе из {{path}}",
|
||||
"Search": "Претражи",
|
||||
"Search a model": "Претражи модел",
|
||||
"Search Documents": "Претражи документе",
|
||||
"Search Prompts": "Претражи упите",
|
||||
"See readme.md for instructions": "Погледај readme.md за упутства",
|
||||
"See what's new": "Погледај шта је ново",
|
||||
"Seed": "Семе",
|
||||
"Select a mode": "Изабери режим",
|
||||
"Select a model": "Изабери модел",
|
||||
"Select an Ollama instance": "Изабери Ollama инстанцу",
|
||||
"Select model": "Изабери модел",
|
||||
"Send": "Пошаљи",
|
||||
"Send a Message": "Пошаљи поруку",
|
||||
"Send message": "Пошаљи поруку",
|
||||
"September": "Септембар",
|
||||
"Server connection verified": "Веза са сервером потврђена",
|
||||
"Set as default": "Подеси као подразумевано",
|
||||
"Set Default Model": "Подеси као подразумевани модел",
|
||||
"Set embedding model (e.g. {{model}})": "Подеси модел уградње (нпр. {{model}})",
|
||||
"Set Image Size": "Подеси величину слике",
|
||||
"Set Model": "Подеси модел",
|
||||
"Set reranking model (e.g. {{model}})": "Подеси модел поновног рангирања (нпр. {{model}})",
|
||||
"Set Steps": "Подеси кораке",
|
||||
"Set Title Auto-Generation Model": "Подеси модел за самостално стварање наслова",
|
||||
"Set Voice": "Подеси глас",
|
||||
"Settings": "Подешавања",
|
||||
"Settings saved successfully!": "Подешавања успешно сачувана!",
|
||||
"Share": "Подели",
|
||||
"Share Chat": "Подели ћаскање",
|
||||
"Share to OpenWebUI Community": "Подели са OpenWebUI заједницом",
|
||||
"short-summary": "кратак сажетак",
|
||||
"Show": "Прикажи",
|
||||
"Show Additional Params": "Прикажи додатне параметре",
|
||||
"Show shortcuts": "Прикажи пречице",
|
||||
"Showcased creativity": "Приказана креативност",
|
||||
"sidebar": "бочна трака",
|
||||
"Sign in": "Пријави се",
|
||||
"Sign Out": "Одјави се",
|
||||
"Sign up": "Региструј се",
|
||||
"Signing in": "Пријављивање",
|
||||
"Source": "Извор",
|
||||
"Speech recognition error: {{error}}": "Грешка у препознавању говора: {{error}}",
|
||||
"Speech-to-Text Engine": "Мотор за говор у текст",
|
||||
"SpeechRecognition API is not supported in this browser.": "API за препознавање говора није подржан у овом прегледачу.",
|
||||
"Stop Sequence": "Секвенца заустављања",
|
||||
"STT Settings": "STT подешавања",
|
||||
"Submit": "Пошаљи",
|
||||
"Subtitle (e.g. about the Roman Empire)": "Поднаслов (нпр. о Римском царству)",
|
||||
"Success": "Успех",
|
||||
"Successfully updated.": "Успешно ажурирано.",
|
||||
"Suggested": "Предложено",
|
||||
"Sync All": "Усклади све",
|
||||
"System": "Систем",
|
||||
"System Prompt": "Системски упит",
|
||||
"Tags": "Ознаке",
|
||||
"Tell us more:": "Реците нам више:",
|
||||
"Temperature": "Температура",
|
||||
"Template": "Шаблон",
|
||||
"Text Completion": "Допуна текста",
|
||||
"Text-to-Speech Engine": "Мотор за текст у говор",
|
||||
"Tfs Z": "Tfs Z",
|
||||
"Thanks for your feedback!": "Хвала на вашем коментару!",
|
||||
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Резултат треба да буде вредност између 0.0 (0%) и 1.0 (100%).",
|
||||
"Theme": "Тема",
|
||||
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Ово осигурава да су ваши вредни разговори безбедно сачувани у вашој бекенд бази података. Хвала вам!",
|
||||
"This setting does not sync across browsers or devices.": "Ово подешавање се не усклађује преко прегледача или уређаја.",
|
||||
"Thorough explanation": "Детаљно објашњење",
|
||||
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Савет: ажурирајте више променљивих слотова узастопно притиском на тастер Таб у уносу ћаскања након сваке замене.",
|
||||
"Title": "Наслов",
|
||||
"Title (e.g. Tell me a fun fact)": "Наслов (нпр. „реци ми занимљивост“)",
|
||||
"Title Auto-Generation": "Самостално стварање наслова",
|
||||
"Title cannot be an empty string.": "Наслов не може бити празан низ.",
|
||||
"Title Generation Prompt": "Упит за стварање наслова",
|
||||
"to": "до",
|
||||
"To access the available model names for downloading,": "Да бисте приступили доступним именима модела за преузимање,",
|
||||
"To access the GGUF models available for downloading,": "Да бисте приступили GGUF моделима доступним за преузимање,",
|
||||
"to chat input.": "у унос ћаскања.",
|
||||
"Today": "Данас",
|
||||
"Toggle settings": "Пребаци подешавања",
|
||||
"Toggle sidebar": "Пребаци бочну траку",
|
||||
"Top K": "Топ К",
|
||||
"Top P": "Топ П",
|
||||
"Trouble accessing Ollama?": "Проблеми са приступом Ollama-и?",
|
||||
"TTS Settings": "TTS подешавања",
|
||||
"Type Hugging Face Resolve (Download) URL": "Унесите Hugging Face Resolve (Download) адресу",
|
||||
"Uh-oh! There was an issue connecting to {{provider}}.": "Упс! Дошло је до проблема при повезивању са {{provider}}.",
|
||||
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Непознат тип датотеке '{{file_type}}', али прихваћен и третиран као обичан текст",
|
||||
"Update and Copy Link": "Ажурирај и копирај везу",
|
||||
"Update password": "Ажурирај лозинку",
|
||||
"Upload a GGUF model": "Отпреми GGUF модел",
|
||||
"Upload files": "Отпреми датотеке",
|
||||
"Upload Progress": "Напредак отпремања",
|
||||
"URL Mode": "Режим адресе",
|
||||
"Use '#' in the prompt input to load and select your documents.": "Користи '#' у уносу упита да учитате и изаберете ваше документе.",
|
||||
"Use Gravatar": "Користи Граватар",
|
||||
"Use Initials": "Користи иницијале",
|
||||
"user": "корисник",
|
||||
"User Permissions": "Овлашћења корисника",
|
||||
"Users": "Корисници",
|
||||
"Utilize": "Искористи",
|
||||
"Valid time units:": "Важеће временске јединице:",
|
||||
"variable": "променљива",
|
||||
"variable to have them replaced with clipboard content.": "променљива за замену са садржајем оставе.",
|
||||
"Version": "Издање",
|
||||
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Упозорење: ако ажурирате или промените ваш модел уградње, мораћете поново да увезете све документе.",
|
||||
"Web": "Веб",
|
||||
"Web Loader Settings": "Подешавања веб учитавача",
|
||||
"Web Params": "Веб параметри",
|
||||
"Webhook URL": "Адреса веб-куке",
|
||||
"WebUI Add-ons": "Додаци веб интерфејса",
|
||||
"WebUI Settings": "Подешавања веб интерфејса",
|
||||
"WebUI will make requests to": "Веб интерфејс ће слати захтеве на",
|
||||
"What’s New in": "Шта је ново у",
|
||||
"When history is turned off, new chats on this browser won't appear in your history on any of your devices.": "Када је историја искључена, нова ћаскања у овом прегледачу неће се појавити у вашој историји на било ком вашем уређају.",
|
||||
"Whisper (Local)": "Whisper (локално)",
|
||||
"Workspace": "Радни простор",
|
||||
"Write a prompt suggestion (e.g. Who are you?)": "Напишите предлог упита (нпр. „ко си ти?“)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Напишите сажетак у 50 речи који резимира [тему или кључну реч].",
|
||||
"Yesterday": "Јуче",
|
||||
"You": "Ти",
|
||||
"You have no archived conversations.": "Немате архивиране разговоре.",
|
||||
"You have shared this chat": "Поделили сте ово ћаскање",
|
||||
"You're a helpful assistant.": "Ти си користан помоћник.",
|
||||
"You're now logged in.": "Сада сте пријављени.",
|
||||
"Youtube": "Јутјуб",
|
||||
"Youtube Loader Settings": "Подешавања Јутјуб учитавача"
|
||||
}
|
||||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "Om",
|
||||
"Account": "Konto",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "Lägg till en modell",
|
||||
"Add a model tag name": "Lägg till ett modellnamn",
|
||||
"Add a short description about what this modelfile does": "Lägg till en kort beskrivning av vad den här modelfilen gör",
|
||||
"Add a short title for this prompt": "Lägg till en kort titel för denna prompt",
|
||||
"Add a tag": "Lägg till en tagg",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Lägg till en anpassad prompt",
|
||||
"Add Docs": "Lägg till dokument",
|
||||
"Add Files": "Lägg till filer",
|
||||
"Add Memory": "",
|
||||
"Add message": "Lägg till meddelande",
|
||||
"Add Model": "",
|
||||
"Add Tags": "",
|
||||
|
|
@ -47,8 +49,8 @@
|
|||
"Archived Chats": "",
|
||||
"are allowed - Activate this command by typing": "är tillåtna - Aktivera detta kommando genom att skriva",
|
||||
"Are you sure?": "Är du säker?",
|
||||
"Attach file": "",
|
||||
"Attention to detail": "",
|
||||
"Attach file": "Bifoga fil",
|
||||
"Attention to detail": "Detaljerad uppmärksamhet",
|
||||
"Audio": "Ljud",
|
||||
"August": "",
|
||||
"Auto-playback response": "Automatisk uppspelning",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Kategorier",
|
||||
"Change Password": "Ändra lösenord",
|
||||
"Chat": "Chatt",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Chatthistorik",
|
||||
"Chat History is off for this browser.": "Chatthistoriken är avstängd för denna webbläsare.",
|
||||
"Chats": "Chattar",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Aktiverad",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "Skriv {{role}} meddelande här",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Ange Chunk-överlappning",
|
||||
"Enter Chunk Size": "Ange Chunk-storlek",
|
||||
"Enter Image Size (e.g. 512x512)": "Ange bildstorlek (t.ex. 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "Importera modelfiler",
|
||||
"Import Prompts": "Importera prompts",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Inkludera `--api`-flagga när du kör stabil-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Indatakommandon",
|
||||
"Interface": "Gränssnitt",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Ljus",
|
||||
"Listening...": "Lyssnar...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLM:er kan göra misstag. Verifiera viktig information.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Skapad av OpenWebUI Community",
|
||||
"Make sure to enclose them with": "Se till att bifoga dem med",
|
||||
"Manage LiteLLM Models": "Hantera LiteLLM-modeller",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Max antal tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Högst 3 modeller kan laddas ner samtidigt. Vänligen försök igen senare.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF Extrahera bilder (OCR)",
|
||||
"pending": "väntande",
|
||||
"Permission denied when accessing microphone: {{error}}": "Tillstånd nekades vid åtkomst till mikrofon: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Lekplats",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Roll",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Spara",
|
||||
"Save & Create": "Spara och skapa",
|
||||
"Save & Update": "Spara och uppdatera",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "Välj ett läge",
|
||||
"Select a model": "Välj en modell",
|
||||
"Select an Ollama instance": "Välj en Ollama-instans",
|
||||
"Select model": "",
|
||||
"Select model": "Välj en modell",
|
||||
"Send": "",
|
||||
"Send a Message": "Skicka ett meddelande",
|
||||
"Send message": "Skicka meddelande",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Skriv ett förslag (t.ex. Vem är du?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Skriv en sammanfattning på 50 ord som sammanfattar [ämne eller nyckelord].",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "Du är en hjälpsam assistent.",
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "Hakkında",
|
||||
"Account": "Hesap",
|
||||
"Accurate information": "Doğru bilgi",
|
||||
"Add": "",
|
||||
"Add a model": "Bir model ekleyin",
|
||||
"Add a model tag name": "Bir model etiket adı ekleyin",
|
||||
"Add a short description about what this modelfile does": "Bu model dosyasının ne yaptığı hakkında kısa bir açıklama ekleyin",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "Özel prompt ekle",
|
||||
"Add Docs": "Dökümanlar Ekle",
|
||||
"Add Files": "Dosyalar Ekle",
|
||||
"Add Memory": "",
|
||||
"Add message": "Mesaj ekle",
|
||||
"Add Model": "Model Ekle",
|
||||
"Add Tags": "Etiketler ekle",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Kategoriler",
|
||||
"Change Password": "Parola Değiştir",
|
||||
"Chat": "Sohbet",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Sohbet Geçmişi",
|
||||
"Chat History is off for this browser.": "Bu tarayıcı için sohbet geçmişi kapalı.",
|
||||
"Chats": "Sohbetler",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Etkin",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "CSV dosyanızın şu sırayla 4 sütun içerdiğinden emin olun: İsim, E-posta, Şifre, Rol.",
|
||||
"Enter {{role}} message here": "Buraya {{role}} mesajını girin",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Chunk Örtüşmesini Girin",
|
||||
"Enter Chunk Size": "Chunk Boyutunu Girin",
|
||||
"Enter Image Size (e.g. 512x512)": "Görüntü Boyutunu Girin (örn. 512x512)",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Açık",
|
||||
"Listening...": "Dinleniyor...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLM'ler hata yapabilir. Önemli bilgileri doğrulayın.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "OpenWebUI Topluluğu tarafından yapılmıştır",
|
||||
"Make sure to enclose them with": "Değişkenlerinizi şu şekilde biçimlendirin:",
|
||||
"Manage LiteLLM Models": "LiteLLM Modellerini Yönet",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Maksimum Token",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Aynı anda en fazla 3 model indirilebilir. Lütfen daha sonra tekrar deneyin.",
|
||||
"May": "Mayıs",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "Bağlantınızı oluşturduktan sonra gönderdiğiniz mesajlar paylaşılmayacaktır. URL'ye sahip kullanıcılar paylaşılan sohbeti görüntüleyebilecektir.",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "Minimum Skor",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF Görüntülerini Çıkart (OCR)",
|
||||
"pending": "beklemede",
|
||||
"Permission denied when accessing microphone: {{error}}": "Mikrofona erişim izni reddedildi: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "Düz metin (.txt)",
|
||||
"Playground": "Oyun Alanı",
|
||||
"Positive attitude": "Olumlu yaklaşım",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Rol",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Kaydet",
|
||||
"Save & Create": "Kaydet ve Oluştur",
|
||||
"Save & Update": "Kaydet ve Güncelle",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Bir prompt önerisi yazın (örn. Sen kimsin?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "[Konuyu veya anahtar kelimeyi] özetleyen 50 kelimelik bir özet yazın.",
|
||||
"Yesterday": "Dün",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "Arşivlenmiş sohbetleriniz yok.",
|
||||
"You have shared this chat": "Bu sohbeti paylaştınız",
|
||||
"You're a helpful assistant.": "Sen yardımcı bir asistansın.",
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "Про програму",
|
||||
"Account": "Обліковий запис",
|
||||
"Accurate information": "Точна інформація",
|
||||
"Add": "",
|
||||
"Add a model": "Додати модель",
|
||||
"Add a model tag name": "Додати ім'я тегу моделі",
|
||||
"Add a short description about what this modelfile does": "Додати короткий опис того, що робить цей файл моделі",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "Додати користувацьку підказку",
|
||||
"Add Docs": "Додати документи",
|
||||
"Add Files": "Додати файли",
|
||||
"Add Memory": "",
|
||||
"Add message": "Додати повідомлення",
|
||||
"Add Model": "Додати модель",
|
||||
"Add Tags": "додати теги",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Категорії",
|
||||
"Change Password": "Змінити пароль",
|
||||
"Chat": "Чат",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Історія чату",
|
||||
"Chat History is off for this browser.": "Історія чату вимкнена для цього браузера.",
|
||||
"Chats": "Чати",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "Увімкнено",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Переконайтеся, що ваш CSV-файл містить 4 колонки в такому порядку: Ім'я, Email, Пароль, Роль.",
|
||||
"Enter {{role}} message here": "Введіть повідомлення {{role}} тут",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Введіть перекриття фрагменту",
|
||||
"Enter Chunk Size": "Введіть розмір фрагменту",
|
||||
"Enter Image Size (e.g. 512x512)": "Введіть розмір зображення (напр., 512x512)",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "Світла",
|
||||
"Listening...": "Слухаю...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLMs можуть помилятися. Перевірте важливу інформацію.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Зроблено спільнотою OpenWebUI",
|
||||
"Make sure to enclose them with": "Переконайтеся, що вони закриті",
|
||||
"Manage LiteLLM Models": "Керування моделями LiteLLM",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "Максимальна кількість токенів",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Максимум 3 моделі можна завантажити одночасно. Будь ласка, спробуйте пізніше.",
|
||||
"May": "Травень",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "Повідомлення, які ви надсилаєте після створення посилання, не будуть опубліковані. Користувачі з URL-адресою зможуть переглядати спільний чат.",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "Мінімальний бал",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "Розпізнавання зображень з PDF (OCR)",
|
||||
"pending": "на розгляді",
|
||||
"Permission denied when accessing microphone: {{error}}": "Доступ до мікрофона заборонено: {{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "Простий текст (.txt)",
|
||||
"Playground": "Майданчик",
|
||||
"Positive attitude": "Позитивне ставлення",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Роль",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Зберегти",
|
||||
"Save & Create": "Зберегти та створити",
|
||||
"Save & Update": "Зберегти та оновити",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "Напишіть промт (напр., Хто ти?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Напишіть стислий зміст у 50 слів, який узагальнює [тема або ключове слово].",
|
||||
"Yesterday": "Вчора",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "У вас немає архівованих розмов.",
|
||||
"You have shared this chat": "Ви поділилися цим чатом",
|
||||
"You're a helpful assistant.": "Ви корисний асистент.",
|
||||
|
|
|
|||
|
|
@ -10,25 +10,27 @@
|
|||
"About": "Giới thiệu",
|
||||
"Account": "Tài khoản",
|
||||
"Accurate information": "Thông tin chính xác",
|
||||
"Add": "",
|
||||
"Add a model": "Thêm mô hình",
|
||||
"Add a model tag name": "Thêm tên thẻ mô hình (tag)",
|
||||
"Add a short description about what this modelfile does": "Thêm mô tả ngắn về việc tệp mô tả mô hình (modelfile) này làm gì",
|
||||
"Add a short title for this prompt": "Thêm tiêu đề ngắn cho prompt này",
|
||||
"Add a tag": "Thêm thẻ (tag)",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "Thêm prompt tùy chỉnh",
|
||||
"Add Docs": "Thêm tài liệu",
|
||||
"Add Files": "Thêm tệp",
|
||||
"Add Memory": "",
|
||||
"Add message": "Thêm tin nhắn",
|
||||
"Add Model": "",
|
||||
"Add Model": "Thêm model",
|
||||
"Add Tags": "thêm thẻ",
|
||||
"Add User": "",
|
||||
"Add User": "Thêm người dùng",
|
||||
"Adjusting these settings will apply changes universally to all users.": "Các thay đổi cài đặt này sẽ áp dụng cho tất cả người sử dụng.",
|
||||
"admin": "quản trị viên",
|
||||
"Admin Panel": "Trang Quản trị",
|
||||
"Admin Settings": "Cài đặt hệ thống",
|
||||
"Advanced Parameters": "Các tham số Nâng cao",
|
||||
"all": "tất cả",
|
||||
"All Documents": "",
|
||||
"All Documents": "Tất cả tài liệu",
|
||||
"All Users": "Danh sách người sử dụng",
|
||||
"Allow": "Cho phép",
|
||||
"Allow Chat Deletion": "Cho phép Xóa nội dung chat",
|
||||
|
|
@ -36,29 +38,29 @@
|
|||
"Already have an account?": "Bạn đã có tài khoản?",
|
||||
"an assistant": "trợ lý",
|
||||
"and": "và",
|
||||
"and create a new shared link.": "",
|
||||
"and create a new shared link.": "và tạo một link chia sẻ mới",
|
||||
"API Base URL": "Đường dẫn tới API (API Base URL)",
|
||||
"API Key": "API Key",
|
||||
"API Key created.": "",
|
||||
"API keys": "",
|
||||
"API RPM": "API RPM",
|
||||
"April": "",
|
||||
"Archive": "",
|
||||
"April": "Tháng 4",
|
||||
"Archive": "Lưu trữ",
|
||||
"Archived Chats": "bản ghi trò chuyện",
|
||||
"are allowed - Activate this command by typing": "được phép - Kích hoạt lệnh này bằng cách gõ",
|
||||
"Are you sure?": "Bạn có chắc chắn không?",
|
||||
"Attach file": "",
|
||||
"Attach file": "Đính kèm file",
|
||||
"Attention to detail": "Có sự chú ý đến chi tiết của vấn đề",
|
||||
"Audio": "Âm thanh",
|
||||
"August": "",
|
||||
"August": "Tháng 8",
|
||||
"Auto-playback response": "Tự động phát lại phản hồi (Auto-playback)",
|
||||
"Auto-send input after 3 sec.": "Tự động gửi đầu vào sau 3 giây.",
|
||||
"AUTOMATIC1111 Base URL": "Đường dẫn kết nối tới AUTOMATIC1111 (Base URL)",
|
||||
"AUTOMATIC1111 Base URL is required.": "Base URL của AUTOMATIC1111 là bắt buộc.",
|
||||
"available!": "có sẵn!",
|
||||
"Back": "Quay lại",
|
||||
"Bad Response": "",
|
||||
"before": "",
|
||||
"Bad Response": "Trả lời KHÔNG tốt",
|
||||
"before": "trước",
|
||||
"Being lazy": "Lười biếng",
|
||||
"Builder Mode": "Chế độ Builder",
|
||||
"Bypass SSL verification for Websites": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "Danh mục",
|
||||
"Change Password": "Đổi Mật khẩu",
|
||||
"Chat": "Trò chuyện",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "Lịch sử chat",
|
||||
"Chat History is off for this browser.": "Lịch sử chat đã tắt cho trình duyệt này.",
|
||||
"Chats": "Chat",
|
||||
|
|
@ -74,14 +78,14 @@
|
|||
"Checking for updates...": "Đang kiểm tra cập nhật...",
|
||||
"Choose a model before saving...": "Chọn mô hình trước khi lưu...",
|
||||
"Chunk Overlap": "Chồng lấn (overlap)",
|
||||
"Chunk Params": "Cài đặt số lượng ký tự cho khối ký tự (chunk)",
|
||||
"Chunk Params": "Tham số khối (chunk)",
|
||||
"Chunk Size": "Kích thước khối (size)",
|
||||
"Citation": "Trích dẫn",
|
||||
"Click here for help.": "Bấm vào đây để được trợ giúp.",
|
||||
"Click here to": "",
|
||||
"Click here to": "Nhấn vào đây để",
|
||||
"Click here to check other modelfiles.": "Bấm vào đây để kiểm tra các tệp mô tả mô hình (modelfiles) khác.",
|
||||
"Click here to select": "Bấm vào đây để chọn",
|
||||
"Click here to select a csv file.": "",
|
||||
"Click here to select a csv file.": "Nhấn vào đây để chọn tệp csv",
|
||||
"Click here to select documents.": "Bấm vào đây để chọn tài liệu.",
|
||||
"click here.": "bấm vào đây.",
|
||||
"Click on the user role button to change a user's role.": "Bấm vào nút trong cột VAI TRÒ để thay đổi quyền của người sử dụng.",
|
||||
|
|
@ -95,21 +99,21 @@
|
|||
"Connections": "Kết nối",
|
||||
"Content": "Nội dung",
|
||||
"Context Length": "Độ dài ngữ cảnh (Context Length)",
|
||||
"Continue Response": "",
|
||||
"Continue Response": "Tiếp tục trả lời",
|
||||
"Conversation Mode": "Chế độ hội thoại",
|
||||
"Copied shared chat URL to clipboard!": "",
|
||||
"Copy": "",
|
||||
"Copy": "Sao chép",
|
||||
"Copy last code block": "Sao chép khối mã cuối cùng",
|
||||
"Copy last response": "Sao chép phản hồi cuối cùng",
|
||||
"Copy Link": "",
|
||||
"Copy Link": "Sao chép link",
|
||||
"Copying to clipboard was successful!": "Sao chép vào clipboard thành công!",
|
||||
"Create a concise, 3-5 word phrase as a header for the following query, strictly adhering to the 3-5 word limit and avoiding the use of the word 'title':": "Tạo một cụm từ súc tích, 3-5 từ làm tiêu đề cho truy vấn sau, tuân thủ nghiêm ngặt giới hạn 3-5 từ và tránh sử dụng từ 'tiêu đề':",
|
||||
"Create a modelfile": "Tạo tệp mô tả cho mô hình",
|
||||
"Create Account": "Tạo Tài khoản",
|
||||
"Create new key": "",
|
||||
"Create new secret key": "",
|
||||
"Create new key": "Tạo key mới",
|
||||
"Create new secret key": "Tạo key bí mật mới",
|
||||
"Created at": "Được tạo vào lúc",
|
||||
"Created At": "",
|
||||
"Created At": "Tạo lúc",
|
||||
"Current Model": "Mô hình hiện tại",
|
||||
"Current Password": "Mật khẩu hiện tại",
|
||||
"Custom": "Tùy chỉnh",
|
||||
|
|
@ -117,7 +121,7 @@
|
|||
"Dark": "Tối",
|
||||
"Dashboard": "",
|
||||
"Database": "Cơ sở dữ liệu",
|
||||
"December": "",
|
||||
"December": "Tháng 12",
|
||||
"Default": "Mặc định",
|
||||
"Default (Automatic1111)": "Mặc định (Automatic1111)",
|
||||
"Default (SentenceTransformers)": "",
|
||||
|
|
@ -126,15 +130,15 @@
|
|||
"Default Prompt Suggestions": "Đề xuất prompt mặc định",
|
||||
"Default User Role": "Vai trò mặc định",
|
||||
"delete": "xóa",
|
||||
"Delete": "",
|
||||
"Delete": "Xóa",
|
||||
"Delete a model": "Xóa mô hình",
|
||||
"Delete chat": "Xóa nội dung chat",
|
||||
"Delete Chat": "",
|
||||
"Delete Chat": "Xóa chat",
|
||||
"Delete Chats": "Xóa nội dung chat",
|
||||
"delete this link": "",
|
||||
"Delete User": "",
|
||||
"delete this link": "Xóa link này",
|
||||
"Delete User": "Xóa người dùng",
|
||||
"Deleted {{deleteModelTag}}": "Đã xóa {{deleteModelTag}}",
|
||||
"Deleted {{tagName}}": "",
|
||||
"Deleted {{tagName}}": "Xóa {{tagName}}",
|
||||
"Description": "Mô tả",
|
||||
"Didn't fully follow instructions": "Không tuân theo chỉ dẫn một cách đầy đủ",
|
||||
"Disabled": "Đã vô hiệu hóa",
|
||||
|
|
@ -150,12 +154,12 @@
|
|||
"Don't Allow": "Không Cho phép",
|
||||
"Don't have an account?": "Không có tài khoản?",
|
||||
"Don't like the style": "Không thích phong cách trả lời",
|
||||
"Download": "",
|
||||
"Download canceled": "",
|
||||
"Download": "Tải về",
|
||||
"Download canceled": "Đã hủy download",
|
||||
"Download Database": "Tải xuống Cơ sở dữ liệu",
|
||||
"Drop any files here to add to the conversation": "Thả bất kỳ tệp nào ở đây để thêm vào nội dung chat",
|
||||
"e.g. '30s','10m'. Valid time units are 's', 'm', 'h'.": "vd: '30s','10m'. Đơn vị thời gian hợp lệ là 's', 'm', 'h'.",
|
||||
"Edit": "",
|
||||
"Edit": "Chỉnh sửa",
|
||||
"Edit Doc": "Thay đổi tài liệu",
|
||||
"Edit User": "Thay đổi thông tin người sử dụng",
|
||||
"Email": "Email",
|
||||
|
|
@ -165,8 +169,9 @@
|
|||
"Enable Chat History": "Bật Lịch sử chat",
|
||||
"Enable New Sign Ups": "Cho phép đăng ký mới",
|
||||
"Enabled": "Đã bật",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "Đảm bảo tệp CSV của bạn bao gồm 4 cột theo thứ tự sau: Name, Email, Password, Role.",
|
||||
"Enter {{role}} message here": "Nhập yêu cầu của {{role}} ở đây",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "Nhập Chunk chồng lấn (overlap)",
|
||||
"Enter Chunk Size": "Nhập Kích thước Chunk",
|
||||
"Enter Image Size (e.g. 512x512)": "Nhập Kích thước ảnh (vd: 512x512)",
|
||||
|
|
@ -178,7 +183,7 @@
|
|||
"Enter Max Tokens (litellm_params.max_tokens)": "Nhập Số Token Tối đa (litellm_params.max_tokens)",
|
||||
"Enter model tag (e.g. {{modelTag}})": "Nhập thẻ mô hình (vd: {{modelTag}})",
|
||||
"Enter Number of Steps (e.g. 50)": "Nhập số Steps (vd: 50)",
|
||||
"Enter Score": "",
|
||||
"Enter Score": "Nhập Score",
|
||||
"Enter stop sequence": "Nhập stop sequence",
|
||||
"Enter Top K": "Nhập Top K",
|
||||
"Enter URL (e.g. http://127.0.0.1:7860/)": "Nhập URL (vd: http://127.0.0.1:7860/)",
|
||||
|
|
@ -186,16 +191,16 @@
|
|||
"Enter Your Email": "Nhập Email của bạn",
|
||||
"Enter Your Full Name": "Nhập Họ và Tên của bạn",
|
||||
"Enter Your Password": "Nhập Mật khẩu của bạn",
|
||||
"Enter Your Role": "",
|
||||
"Enter Your Role": "Nhập vai trò của bạn",
|
||||
"Experimental": "Thử nghiệm",
|
||||
"Export All Chats (All Users)": "Tải về tất cả nội dung chat (tất cả mọi người)",
|
||||
"Export Chats": "Tải nội dung chat về máy",
|
||||
"Export Documents Mapping": "Tải cấu trúc tài liệu về máy",
|
||||
"Export Modelfiles": "Tải tệp mô tả về máy",
|
||||
"Export Prompts": "Tải các prompt về máy",
|
||||
"Failed to create API Key.": "",
|
||||
"Failed to create API Key.": "Lỗi khởi tạo API Key",
|
||||
"Failed to read clipboard contents": "Không thể đọc nội dung clipboard",
|
||||
"February": "",
|
||||
"February": "Tháng 2",
|
||||
"Feel free to add specific details": "Mô tả chi tiết về chất lượng của câu hỏi và phương án trả lời",
|
||||
"File Mode": "Chế độ Tệp văn bản",
|
||||
"File not found.": "Không tìm thấy tệp.",
|
||||
|
|
@ -208,12 +213,12 @@
|
|||
"Full Screen Mode": "Chế độ Toàn màn hình",
|
||||
"General": "Cài đặt chung",
|
||||
"General Settings": "Cấu hình chung",
|
||||
"Generation Info": "",
|
||||
"Good Response": "",
|
||||
"Generation Info": "Thông tin chung",
|
||||
"Good Response": "Trả lời tốt",
|
||||
"h:mm a": "",
|
||||
"has no conversations.": "",
|
||||
"has no conversations.": "không có hội thoại",
|
||||
"Hello, {{name}}": "Xin chào, {{name}}",
|
||||
"Help": "",
|
||||
"Help": "Trợ giúp",
|
||||
"Hide": "Ẩn",
|
||||
"Hide Additional Params": "Ẩn Các tham số bổ sung",
|
||||
"How can I help you today?": "Tôi có thể giúp gì cho bạn hôm nay?",
|
||||
|
|
@ -227,34 +232,37 @@
|
|||
"Import Modelfiles": "Nạp tệp mô tả",
|
||||
"Import Prompts": "Nạp các prompt lên hệ thống",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "Bao gồm flag `--api` khi chạy stable-diffusion-webui",
|
||||
"Input commands": "",
|
||||
"Input commands": "Nhập các câu lệnh",
|
||||
"Interface": "Giao diện",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
"Invalid Tag": "Tag không hợp lệ",
|
||||
"January": "Tháng 1",
|
||||
"join our Discord for help.": "tham gia Discord của chúng tôi để được trợ giúp.",
|
||||
"JSON": "JSON",
|
||||
"July": "",
|
||||
"June": "",
|
||||
"July": "Tháng 7",
|
||||
"June": "Tháng 6",
|
||||
"JWT Expiration": "JWT Hết hạn",
|
||||
"JWT Token": "Token JWT",
|
||||
"Keep Alive": "Giữ kết nối",
|
||||
"Keyboard shortcuts": "Phím tắt",
|
||||
"Language": "Ngôn ngữ",
|
||||
"Last Active": "",
|
||||
"Last Active": "Truy cập gần nhất",
|
||||
"Light": "Sáng",
|
||||
"Listening...": "Đang nghe...",
|
||||
"LLMs can make mistakes. Verify important information.": "Hệ thống có thể tạo ra nội dung không chính xác hoặc sai. Hãy kiểm chứng kỹ lưỡng thông tin trước khi tiếp nhận và sử dụng.",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "Được tạo bởi Cộng đồng OpenWebUI",
|
||||
"Make sure to enclose them with": "Hãy chắc chắn bao quanh chúng bằng",
|
||||
"Manage LiteLLM Models": "Quản lý mô hình với LiteLLM",
|
||||
"Manage Models": "Quản lý mô hình",
|
||||
"Manage Ollama Models": "Quản lý mô hình với Ollama",
|
||||
"March": "",
|
||||
"March": "Tháng 3",
|
||||
"Max Tokens": "Max Tokens",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "Tối đa 3 mô hình có thể được tải xuống cùng lúc. Vui lòng thử lại sau.",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"May": "Tháng 5",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "Score tối thiểu",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
"Mirostat Tau": "Mirostat Tau",
|
||||
|
|
@ -275,21 +283,21 @@
|
|||
"Modelfile Content": "Nội dung Tệp Mô hình",
|
||||
"Modelfiles": "Tệp Mô hình",
|
||||
"Models": "Mô hình",
|
||||
"More": "",
|
||||
"More": "Thêm",
|
||||
"Name": "Tên",
|
||||
"Name Tag": "Tên Thẻ",
|
||||
"Name your modelfile": "Đặt tên cho tệp mô hình của bạn",
|
||||
"New Chat": "Tạo cuộc trò chuyện mới",
|
||||
"New Password": "Mật khẩu mới",
|
||||
"No results found": "",
|
||||
"No results found": "Không tìm thấy kết quả",
|
||||
"No source available": "Không có nguồn",
|
||||
"Not factually correct": "Không chính xác so với thực tế",
|
||||
"Not sure what to add?": "Không chắc phải thêm gì?",
|
||||
"Not sure what to write? Switch to": "Không chắc phải viết gì? Chuyển sang",
|
||||
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "",
|
||||
"Note: If you set a minimum score, the search will only return documents with a score greater than or equal to the minimum score.": "Lưu ý: Nếu bạn đặt điểm (Score) tối thiểu thì tìm kiếm sẽ chỉ trả về những tài liệu có điểm lớn hơn hoặc bằng điểm tối thiểu.",
|
||||
"Notifications": "Thông báo trên máy tính (Notification)",
|
||||
"November": "",
|
||||
"October": "",
|
||||
"November": "Tháng 11",
|
||||
"October": "Tháng 10",
|
||||
"Off": "Tắt",
|
||||
"Okay, Let's Go!": "Được rồi, Bắt đầu thôi!",
|
||||
"OLED Dark": "",
|
||||
|
|
@ -313,21 +321,22 @@
|
|||
"OpenAI URL/Key required.": "",
|
||||
"or": "hoặc",
|
||||
"Other": "Khác",
|
||||
"Overview": "",
|
||||
"Overview": "Tổng quan",
|
||||
"Parameters": "Tham số",
|
||||
"Password": "Mật khẩu",
|
||||
"PDF document (.pdf)": "",
|
||||
"PDF Extract Images (OCR)": "Trích xuất ảnh từ PDF (OCR)",
|
||||
"pending": "đang chờ phê duyệt",
|
||||
"Permission denied when accessing microphone: {{error}}": "Quyền truy cập micrô bị từ chối: {{error}}",
|
||||
"Personalization": "Cá nhân hóa",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "Thử nghiệm (Playground)",
|
||||
"Positive attitude": "",
|
||||
"Previous 30 days": "",
|
||||
"Previous 7 days": "",
|
||||
"Profile Image": "",
|
||||
"Positive attitude": "Thái độ tích cực",
|
||||
"Previous 30 days": "30 ngày trước",
|
||||
"Previous 7 days": "7 ngày trước",
|
||||
"Profile Image": "Ảnh đại diện",
|
||||
"Prompt": "",
|
||||
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "",
|
||||
"Prompt (e.g. Tell me a fun fact about the Roman Empire)": "Prompt (ví dụ: Hãy kể cho tôi một sự thật thú vị về Đế chế La Mã)",
|
||||
"Prompt Content": "Nội dung prompt",
|
||||
"Prompt suggestions": "Gợi ý prompt",
|
||||
"Prompts": "Prompt",
|
||||
|
|
@ -337,15 +346,15 @@
|
|||
"Query Params": "Tham số Truy vấn",
|
||||
"RAG Template": "Mẫu prompt cho RAG",
|
||||
"Raw Format": "Raw Format",
|
||||
"Read Aloud": "",
|
||||
"Read Aloud": "Đọc ra loa",
|
||||
"Record voice": "Ghi âm",
|
||||
"Redirecting you to OpenWebUI Community": "Đang chuyển hướng bạn đến Cộng đồng OpenWebUI",
|
||||
"Refused when it shouldn't have": "Từ chối trả lời mà nhẽ không nên làm vậy",
|
||||
"Regenerate": "",
|
||||
"Regenerate": "Tạo sinh lại câu trả lời",
|
||||
"Release Notes": "Mô tả những cập nhật mới",
|
||||
"Remove": "",
|
||||
"Remove Model": "",
|
||||
"Rename": "",
|
||||
"Remove": "Xóa",
|
||||
"Remove Model": "Xóa model",
|
||||
"Rename": "Đổi tên",
|
||||
"Repeat Last N": "Repeat Last N",
|
||||
"Repeat Penalty": "Repeat Penalty",
|
||||
"Request Mode": "Request Mode",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Vai trò",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "Lưu",
|
||||
"Save & Create": "Lưu & Tạo",
|
||||
"Save & Update": "Lưu & Cập nhật",
|
||||
|
|
@ -365,7 +375,7 @@
|
|||
"Scan complete!": "Quét hoàn tất!",
|
||||
"Scan for documents from {{path}}": "Quét tài liệu từ đường dẫn: {{path}}",
|
||||
"Search": "Tìm kiếm",
|
||||
"Search a model": "",
|
||||
"Search a model": "Tìm model",
|
||||
"Search Documents": "Tìm tài liệu",
|
||||
"Search Prompts": "Tìm prompt",
|
||||
"See readme.md for instructions": "Xem readme.md để biết hướng dẫn",
|
||||
|
|
@ -374,11 +384,11 @@
|
|||
"Select a mode": "Chọn một chế độ",
|
||||
"Select a model": "Chọn mô hình",
|
||||
"Select an Ollama instance": "Chọn một thực thể Ollama",
|
||||
"Select model": "",
|
||||
"Send": "",
|
||||
"Select model": "Chọn model",
|
||||
"Send": "Gửi",
|
||||
"Send a Message": "Gửi yêu cầu",
|
||||
"Send message": "Gửi yêu cầu",
|
||||
"September": "",
|
||||
"September": "Tháng 9",
|
||||
"Server connection verified": "Kết nối máy chủ đã được xác minh",
|
||||
"Set as default": "Đặt làm mặc định",
|
||||
"Set Default Model": "Đặt Mô hình Mặc định",
|
||||
|
|
@ -391,8 +401,8 @@
|
|||
"Set Voice": "Đặt Giọng nói",
|
||||
"Settings": "Cài đặt",
|
||||
"Settings saved successfully!": "Cài đặt đã được lưu thành công!",
|
||||
"Share": "",
|
||||
"Share Chat": "",
|
||||
"Share": "Chia sẻ",
|
||||
"Share Chat": "Chia sẻ Chat",
|
||||
"Share to OpenWebUI Community": "Chia sẻ đến Cộng đồng OpenWebUI",
|
||||
"short-summary": "tóm tắt ngắn",
|
||||
"Show": "Hiển thị",
|
||||
|
|
@ -414,7 +424,7 @@
|
|||
"Subtitle (e.g. about the Roman Empire)": "",
|
||||
"Success": "Thành công",
|
||||
"Successfully updated.": "Đã cập nhật thành công.",
|
||||
"Suggested": "",
|
||||
"Suggested": "Gợi ý một số mẫu prompt",
|
||||
"Sync All": "Đồng bộ hóa Tất cả",
|
||||
"System": "Hệ thống",
|
||||
"System Prompt": "Prompt Hệ thống (System Prompt)",
|
||||
|
|
@ -426,22 +436,22 @@
|
|||
"Text-to-Speech Engine": "Công cụ Chuyển Văn bản thành Giọng nói",
|
||||
"Tfs Z": "Tfs Z",
|
||||
"Thanks for your feedback!": "Cám ơn bạn đã gửi phản hồi!",
|
||||
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "",
|
||||
"The score should be a value between 0.0 (0%) and 1.0 (100%).": "Điểm (score) phải có giá trị từ 0,0 (0%) đến 1,0 (100%).",
|
||||
"Theme": "Chủ đề",
|
||||
"This ensures that your valuable conversations are securely saved to your backend database. Thank you!": "Điều này đảm bảo rằng các nội dung chat có giá trị của bạn được lưu an toàn vào cơ sở dữ liệu backend của bạn. Cảm ơn bạn!",
|
||||
"This setting does not sync across browsers or devices.": "Cài đặt này không đồng bộ hóa trên các trình duyệt hoặc thiết bị.",
|
||||
"Thorough explanation": "Giải thích kỹ lưỡng",
|
||||
"Tip: Update multiple variable slots consecutively by pressing the tab key in the chat input after each replacement.": "Mẹo: Cập nhật nhiều khe biến liên tiếp bằng cách nhấn phím tab trong đầu vào trò chuyện sau mỗi việc thay thế.",
|
||||
"Title": "Tiêu đề",
|
||||
"Title (e.g. Tell me a fun fact)": "",
|
||||
"Title (e.g. Tell me a fun fact)": "Tiêu đề (ví dụ: Hãy kể cho tôi một sự thật thú vị về...)",
|
||||
"Title Auto-Generation": "Tự động Tạo Tiêu đề",
|
||||
"Title cannot be an empty string.": "",
|
||||
"Title cannot be an empty string.": "Tiêu đề không được phép bỏ trống",
|
||||
"Title Generation Prompt": "Prompt tạo tiêu đề",
|
||||
"to": "đến",
|
||||
"to": " - ",
|
||||
"To access the available model names for downloading,": "Để truy cập các tên mô hình có sẵn để tải xuống,",
|
||||
"To access the GGUF models available for downloading,": "Để truy cập các mô hình GGUF có sẵn để tải xuống,",
|
||||
"to chat input.": "đến đầu vào trò chuyện.",
|
||||
"Today": "",
|
||||
"Today": "Hôm nay",
|
||||
"Toggle settings": "Bật/tắt cài đặt",
|
||||
"Toggle sidebar": "Bật/tắt thanh bên",
|
||||
"Top K": "Top K",
|
||||
|
|
@ -451,7 +461,7 @@
|
|||
"Type Hugging Face Resolve (Download) URL": "Nhập URL Hugging Face Resolve (Tải xuống)",
|
||||
"Uh-oh! There was an issue connecting to {{provider}}.": "Ồ! Đã xảy ra sự cố khi kết nối với {{provider}}.",
|
||||
"Unknown File Type '{{file_type}}', but accepting and treating as plain text": "Loại Tệp Không xác định '{{file_type}}', nhưng đang chấp nhận và xử lý như văn bản thô",
|
||||
"Update and Copy Link": "",
|
||||
"Update and Copy Link": "Cập nhật và sao chép link",
|
||||
"Update password": "Cập nhật mật khẩu",
|
||||
"Upload a GGUF model": "Tải lên mô hình GGUF",
|
||||
"Upload files": "Tải tệp lên hệ thống",
|
||||
|
|
@ -459,7 +469,7 @@
|
|||
"URL Mode": "Chế độ URL",
|
||||
"Use '#' in the prompt input to load and select your documents.": "Sử dụng '#' trong đầu vào của prompt để tải về và lựa chọn tài liệu của bạn cần truy vấn.",
|
||||
"Use Gravatar": "Sử dụng Gravatar",
|
||||
"Use Initials": "",
|
||||
"Use Initials": "Sử dụng tên viết tắt",
|
||||
"user": "Người sử dụng",
|
||||
"User Permissions": "Phân quyền sử dụng",
|
||||
"Users": "người sử dụng",
|
||||
|
|
@ -468,9 +478,9 @@
|
|||
"variable": "biến",
|
||||
"variable to have them replaced with clipboard content.": "biến để có chúng được thay thế bằng nội dung clipboard.",
|
||||
"Version": "Version",
|
||||
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "",
|
||||
"Warning: If you update or change your embedding model, you will need to re-import all documents.": "Cảnh báo: Nếu cập nhật hoặc thay đổi embedding model, bạn sẽ cần cập nhật lại tất cả tài liệu.",
|
||||
"Web": "Web",
|
||||
"Web Loader Settings": "",
|
||||
"Web Loader Settings": "Cài đặt Web Loader",
|
||||
"Web Params": "",
|
||||
"Webhook URL": "",
|
||||
"WebUI Add-ons": "Tiện ích WebUI",
|
||||
|
|
@ -482,11 +492,12 @@
|
|||
"Workspace": "",
|
||||
"Write a prompt suggestion (e.g. Who are you?)": "Hãy viết một prompt (vd: Bạn là ai?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "Viết một tóm tắt trong vòng 50 từ cho [chủ đề hoặc từ khóa].",
|
||||
"Yesterday": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"Yesterday": "Hôm qua",
|
||||
"You": "Bạn",
|
||||
"You have no archived conversations.": "Bạn chưa lưu trữ một nội dung chat nào",
|
||||
"You have shared this chat": "Bạn vừa chia sẻ chat này",
|
||||
"You're a helpful assistant.": "Bạn là một trợ lý hữu ích.",
|
||||
"You're now logged in.": "Bạn đã đăng nhập.",
|
||||
"Youtube": "",
|
||||
"Youtube Loader Settings": ""
|
||||
"Youtube Loader Settings": "Cài đặt Youtube Loader"
|
||||
}
|
||||
|
|
|
|||
|
|
@ -10,6 +10,7 @@
|
|||
"About": "关于",
|
||||
"Account": "账户",
|
||||
"Accurate information": "准确信息",
|
||||
"Add": "",
|
||||
"Add a model": "添加模型",
|
||||
"Add a model tag name": "添加模型标签名称",
|
||||
"Add a short description about what this modelfile does": "为这个模型文件添加一段简短的描述",
|
||||
|
|
@ -18,6 +19,7 @@
|
|||
"Add custom prompt": "添加自定义提示词",
|
||||
"Add Docs": "添加文档",
|
||||
"Add Files": "添加文件",
|
||||
"Add Memory": "",
|
||||
"Add message": "添加消息",
|
||||
"Add Model": "添加模型",
|
||||
"Add Tags": "添加标签",
|
||||
|
|
@ -47,7 +49,7 @@
|
|||
"Archived Chats": "聊天记录存档",
|
||||
"are allowed - Activate this command by typing": "允许 - 通过输入来激活这个命令",
|
||||
"Are you sure?": "你确定吗?",
|
||||
"Attach file": "附件",
|
||||
"Attach file": "添加文件",
|
||||
"Attention to detail": "注重细节",
|
||||
"Audio": "音频",
|
||||
"August": "八月",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "分类",
|
||||
"Change Password": "更改密码",
|
||||
"Chat": "聊天",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "聊天历史",
|
||||
"Chat History is off for this browser.": "此浏览器已关闭聊天历史功能。",
|
||||
"Chats": "聊天",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "启用",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "确保您的 CSV 文件按以下顺序包含 4 列: 姓名、电子邮件、密码、角色。",
|
||||
"Enter {{role}} message here": "在此处输入 {{role}} 信息",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "输入块重叠 (Chunk Overlap)",
|
||||
"Enter Chunk Size": "输入块大小 (Chunk Size)",
|
||||
"Enter Image Size (e.g. 512x512)": "输入图片大小 (例如 512x512)",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "浅色",
|
||||
"Listening...": "监听中...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLM 可能会生成错误信息,请验证重要信息。",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "由 OpenWebUI 社区制作",
|
||||
"Make sure to enclose them with": "确保将它们包含在内",
|
||||
"Manage LiteLLM Models": "管理 LiteLLM 模型",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "最大令牌数",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "最多可以同时下载 3 个模型,请稍后重试。",
|
||||
"May": "五月",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "创建链接后发送的信息不会被共享。拥有 URL 的用户可以查看共享的聊天内容。",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "最低分",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF 图像处理 (使用 OCR)",
|
||||
"pending": "待定",
|
||||
"Permission denied when accessing microphone: {{error}}": "访问麦克风时权限被拒绝:{{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "PDF 文档 (.pdf)",
|
||||
"Playground": "AI 对话游乐场",
|
||||
"Positive attitude": "积极态度",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "角色",
|
||||
"Rosé Pine": "Rosé Pine",
|
||||
"Rosé Pine Dawn": "Rosé Pine Dawn",
|
||||
"RTL": "",
|
||||
"Save": "保存",
|
||||
"Save & Create": "保存并创建",
|
||||
"Save & Update": "保存并更新",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "写一个提示建议(例如:你是谁?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "用 50 个字写一个总结 [主题或关键词]。",
|
||||
"Yesterday": "昨天",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "你没有存档的对话。",
|
||||
"You have shared this chat": "你分享了这次聊天",
|
||||
"You're a helpful assistant.": "你是一个有帮助的助手。",
|
||||
|
|
|
|||
|
|
@ -10,14 +10,16 @@
|
|||
"About": "關於",
|
||||
"Account": "帳號",
|
||||
"Accurate information": "",
|
||||
"Add": "",
|
||||
"Add a model": "新增模型",
|
||||
"Add a model tag name": "新增模型標籤",
|
||||
"Add a short description about what this modelfile does": "為這個 Modelfile 添加一段簡短的描述",
|
||||
"Add a short title for this prompt": "為這個提示詞添加一個簡短的標題",
|
||||
"Add a tag": "新增標籤",
|
||||
"Add custom prompt": "",
|
||||
"Add custom prompt": "新增自定義提示詞",
|
||||
"Add Docs": "新增文件",
|
||||
"Add Files": "新增檔案",
|
||||
"Add Memory": "",
|
||||
"Add message": "新增訊息",
|
||||
"Add Model": "",
|
||||
"Add Tags": "新增標籤",
|
||||
|
|
@ -47,7 +49,7 @@
|
|||
"Archived Chats": "聊天記錄存檔",
|
||||
"are allowed - Activate this command by typing": "是允許的 - 透過輸入",
|
||||
"Are you sure?": "你確定嗎?",
|
||||
"Attach file": "",
|
||||
"Attach file": "附加檔案",
|
||||
"Attention to detail": "",
|
||||
"Audio": "音訊",
|
||||
"August": "",
|
||||
|
|
@ -66,6 +68,8 @@
|
|||
"Categories": "分類",
|
||||
"Change Password": "修改密碼",
|
||||
"Chat": "聊天",
|
||||
"Chat Bubble UI": "",
|
||||
"Chat direction": "",
|
||||
"Chat History": "聊天紀錄功能",
|
||||
"Chat History is off for this browser.": "此瀏覽器已關閉聊天紀錄功能。",
|
||||
"Chats": "聊天",
|
||||
|
|
@ -167,6 +171,7 @@
|
|||
"Enabled": "已啟用",
|
||||
"Ensure your CSV file includes 4 columns in this order: Name, Email, Password, Role.": "",
|
||||
"Enter {{role}} message here": "在這裡輸入 {{role}} 訊息",
|
||||
"Enter a detail about yourself for your LLMs to recall": "",
|
||||
"Enter Chunk Overlap": "輸入 Chunk Overlap",
|
||||
"Enter Chunk Size": "輸入 Chunk 大小",
|
||||
"Enter Image Size (e.g. 512x512)": "輸入圖片大小(例如 512x512)",
|
||||
|
|
@ -227,7 +232,7 @@
|
|||
"Import Modelfiles": "匯入 Modelfiles",
|
||||
"Import Prompts": "匯入提示詞",
|
||||
"Include `--api` flag when running stable-diffusion-webui": "在運行 stable-diffusion-webui 時加上 `--api` 標誌",
|
||||
"Input commands": "",
|
||||
"Input commands": "輸入命令",
|
||||
"Interface": "介面",
|
||||
"Invalid Tag": "",
|
||||
"January": "",
|
||||
|
|
@ -244,6 +249,7 @@
|
|||
"Light": "亮色",
|
||||
"Listening...": "正在聽取...",
|
||||
"LLMs can make mistakes. Verify important information.": "LLM 可能會產生錯誤。請驗證重要資訊。",
|
||||
"LTR": "",
|
||||
"Made by OpenWebUI Community": "由 OpenWebUI 社區製作",
|
||||
"Make sure to enclose them with": "請確保變數有被以下符號框住:",
|
||||
"Manage LiteLLM Models": "管理 LiteLLM 模型",
|
||||
|
|
@ -253,7 +259,9 @@
|
|||
"Max Tokens": "最大 Token 數",
|
||||
"Maximum of 3 models can be downloaded simultaneously. Please try again later.": "最多可以同時下載 3 個模型。請稍後再試。",
|
||||
"May": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will beable to view the shared chat.": "",
|
||||
"Memories accessible by LLMs will be shown here.": "",
|
||||
"Memory": "",
|
||||
"Messages you send after creating your link won't be shared. Users with the URL will be able to view the shared chat.": "",
|
||||
"Minimum Score": "",
|
||||
"Mirostat": "Mirostat",
|
||||
"Mirostat Eta": "Mirostat Eta",
|
||||
|
|
@ -320,6 +328,7 @@
|
|||
"PDF Extract Images (OCR)": "PDF 圖像擷取(OCR 光學文字辨識)",
|
||||
"pending": "待審查",
|
||||
"Permission denied when accessing microphone: {{error}}": "存取麥克風時被拒絕權限:{{error}}",
|
||||
"Personalization": "",
|
||||
"Plain text (.txt)": "",
|
||||
"Playground": "AI 對話遊樂場",
|
||||
"Positive attitude": "",
|
||||
|
|
@ -357,6 +366,7 @@
|
|||
"Role": "Role",
|
||||
"Rosé Pine": "玫瑰松",
|
||||
"Rosé Pine Dawn": "黎明玫瑰松",
|
||||
"RTL": "",
|
||||
"Save": "儲存",
|
||||
"Save & Create": "儲存並建立",
|
||||
"Save & Update": "儲存並更新",
|
||||
|
|
@ -374,7 +384,7 @@
|
|||
"Select a mode": "選擇模式",
|
||||
"Select a model": "選擇一個模型",
|
||||
"Select an Ollama instance": "選擇 Ollama 實例",
|
||||
"Select model": "",
|
||||
"Select model": "選擇模型",
|
||||
"Send": "",
|
||||
"Send a Message": "傳送訊息",
|
||||
"Send message": "傳送訊息",
|
||||
|
|
@ -483,6 +493,7 @@
|
|||
"Write a prompt suggestion (e.g. Who are you?)": "寫一個提示詞建議(例如:你是誰?)",
|
||||
"Write a summary in 50 words that summarizes [topic or keyword].": "寫一個 50 字的摘要來概括 [主題或關鍵詞]。",
|
||||
"Yesterday": "",
|
||||
"You": "",
|
||||
"You have no archived conversations.": "",
|
||||
"You have shared this chat": "",
|
||||
"You're a helpful assistant.": "你是一位善於協助他人的助手。",
|
||||
|
|
|
|||
|
|
@ -84,6 +84,7 @@ type Settings = {
|
|||
notificationEnabled?: boolean;
|
||||
title?: TitleSettings;
|
||||
splitLargeDeltas?: boolean;
|
||||
chatDirection: 'LTR' | 'RTL';
|
||||
|
||||
system?: string;
|
||||
requestFormat?: string;
|
||||
|
|
|
|||
|
|
@ -6,15 +6,15 @@ import { getLiteLLMModels } from '$lib/apis/litellm';
|
|||
|
||||
export const getModels = async (token: string) => {
|
||||
let models = await Promise.all([
|
||||
await getOllamaModels(token).catch((error) => {
|
||||
getOllamaModels(token).catch((error) => {
|
||||
console.log(error);
|
||||
return null;
|
||||
}),
|
||||
await getOpenAIModels(token).catch((error) => {
|
||||
getOpenAIModels(token).catch((error) => {
|
||||
console.log(error);
|
||||
return null;
|
||||
}),
|
||||
await getLiteLLMModels(token).catch((error) => {
|
||||
getLiteLLMModels(token).catch((error) => {
|
||||
console.log(error);
|
||||
return null;
|
||||
})
|
||||
|
|
|
|||
70
src/lib/workers/pyodide.worker.ts
Normal file
70
src/lib/workers/pyodide.worker.ts
Normal file
|
|
@ -0,0 +1,70 @@
|
|||
import { loadPyodide, type PyodideInterface } from 'pyodide';
|
||||
|
||||
declare global {
|
||||
interface Window {
|
||||
stdout: string | null;
|
||||
stderr: string | null;
|
||||
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||
result: any;
|
||||
pyodide: PyodideInterface;
|
||||
packages: string[];
|
||||
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
||||
[key: string]: any;
|
||||
}
|
||||
}
|
||||
|
||||
async function loadPyodideAndPackages(packages: string[] = []) {
|
||||
self.stdout = null;
|
||||
self.stderr = null;
|
||||
self.result = null;
|
||||
|
||||
self.pyodide = await loadPyodide({
|
||||
indexURL: '/pyodide/',
|
||||
stdout: (text) => {
|
||||
console.log('Python output:', text);
|
||||
|
||||
if (self.stdout) {
|
||||
self.stdout += `${text}\n`;
|
||||
} else {
|
||||
self.stdout = `${text}\n`;
|
||||
}
|
||||
},
|
||||
stderr: (text) => {
|
||||
console.log('An error occurred:', text);
|
||||
if (self.stderr) {
|
||||
self.stderr += `${text}\n`;
|
||||
} else {
|
||||
self.stderr = `${text}\n`;
|
||||
}
|
||||
},
|
||||
packages: ['micropip']
|
||||
});
|
||||
|
||||
const micropip = self.pyodide.pyimport('micropip');
|
||||
|
||||
await micropip.set_index_urls('https://pypi.org/pypi/{package_name}/json');
|
||||
await micropip.install(packages);
|
||||
}
|
||||
|
||||
self.onmessage = async (event) => {
|
||||
const { id, code, ...context } = event.data;
|
||||
|
||||
console.log(event.data);
|
||||
|
||||
// The worker copies the context in its own "memory" (an object mapping name to values)
|
||||
for (const key of Object.keys(context)) {
|
||||
self[key] = context[key];
|
||||
}
|
||||
|
||||
// make sure loading is done
|
||||
await loadPyodideAndPackages(self.packages);
|
||||
|
||||
try {
|
||||
self.result = await self.pyodide.runPythonAsync(code);
|
||||
} catch (error) {
|
||||
self.stderr = error.toString();
|
||||
}
|
||||
self.postMessage({ id, result: self.result, stdout: self.stdout, stderr: self.stderr });
|
||||
};
|
||||
|
||||
export default {};
|
||||
|
|
@ -41,6 +41,7 @@
|
|||
import { LITELLM_API_BASE_URL, OLLAMA_API_BASE_URL, OPENAI_API_BASE_URL } from '$lib/constants';
|
||||
import { WEBUI_BASE_URL } from '$lib/constants';
|
||||
import { createOpenAITextStream } from '$lib/apis/streaming';
|
||||
import { queryMemory } from '$lib/apis/memories';
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
|
|
@ -202,6 +203,7 @@
|
|||
user: _user ?? undefined,
|
||||
content: userPrompt,
|
||||
files: files.length > 0 ? files : undefined,
|
||||
models: selectedModels.filter((m, mIdx) => selectedModels.indexOf(m) === mIdx),
|
||||
timestamp: Math.floor(Date.now() / 1000) // Unix epoch
|
||||
};
|
||||
|
||||
|
|
@ -250,48 +252,79 @@
|
|||
}
|
||||
};
|
||||
|
||||
const sendPrompt = async (prompt, parentId) => {
|
||||
const sendPrompt = async (prompt, parentId, modelId = null) => {
|
||||
const _chatId = JSON.parse(JSON.stringify($chatId));
|
||||
|
||||
await Promise.all(
|
||||
(atSelectedModel !== '' ? [atSelectedModel.id] : selectedModels).map(async (modelId) => {
|
||||
console.log('modelId', modelId);
|
||||
const model = $models.filter((m) => m.id === modelId).at(0);
|
||||
(modelId ? [modelId] : atSelectedModel !== '' ? [atSelectedModel.id] : selectedModels).map(
|
||||
async (modelId) => {
|
||||
console.log('modelId', modelId);
|
||||
const model = $models.filter((m) => m.id === modelId).at(0);
|
||||
|
||||
if (model) {
|
||||
// Create response message
|
||||
let responseMessageId = uuidv4();
|
||||
let responseMessage = {
|
||||
parentId: parentId,
|
||||
id: responseMessageId,
|
||||
childrenIds: [],
|
||||
role: 'assistant',
|
||||
content: '',
|
||||
model: model.id,
|
||||
timestamp: Math.floor(Date.now() / 1000) // Unix epoch
|
||||
};
|
||||
if (model) {
|
||||
// Create response message
|
||||
let responseMessageId = uuidv4();
|
||||
let responseMessage = {
|
||||
parentId: parentId,
|
||||
id: responseMessageId,
|
||||
childrenIds: [],
|
||||
role: 'assistant',
|
||||
content: '',
|
||||
model: model.id,
|
||||
userContext: null,
|
||||
timestamp: Math.floor(Date.now() / 1000) // Unix epoch
|
||||
};
|
||||
|
||||
// Add message to history and Set currentId to messageId
|
||||
history.messages[responseMessageId] = responseMessage;
|
||||
history.currentId = responseMessageId;
|
||||
// Add message to history and Set currentId to messageId
|
||||
history.messages[responseMessageId] = responseMessage;
|
||||
history.currentId = responseMessageId;
|
||||
|
||||
// Append messageId to childrenIds of parent message
|
||||
if (parentId !== null) {
|
||||
history.messages[parentId].childrenIds = [
|
||||
...history.messages[parentId].childrenIds,
|
||||
responseMessageId
|
||||
];
|
||||
// Append messageId to childrenIds of parent message
|
||||
if (parentId !== null) {
|
||||
history.messages[parentId].childrenIds = [
|
||||
...history.messages[parentId].childrenIds,
|
||||
responseMessageId
|
||||
];
|
||||
}
|
||||
|
||||
await tick();
|
||||
|
||||
let userContext = null;
|
||||
if ($settings?.memory ?? false) {
|
||||
if (userContext === null) {
|
||||
const res = await queryMemory(localStorage.token, prompt).catch((error) => {
|
||||
toast.error(error);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (res) {
|
||||
if (res.documents[0].length > 0) {
|
||||
userContext = res.documents.reduce((acc, doc, index) => {
|
||||
const createdAtTimestamp = res.metadatas[index][0].created_at;
|
||||
const createdAtDate = new Date(createdAtTimestamp * 1000)
|
||||
.toISOString()
|
||||
.split('T')[0];
|
||||
acc.push(`${index + 1}. [${createdAtDate}]. ${doc[0]}`);
|
||||
return acc;
|
||||
}, []);
|
||||
}
|
||||
|
||||
console.log(userContext);
|
||||
}
|
||||
}
|
||||
}
|
||||
responseMessage.userContext = userContext;
|
||||
|
||||
if (model?.external) {
|
||||
await sendPromptOpenAI(model, prompt, responseMessageId, _chatId);
|
||||
} else if (model) {
|
||||
await sendPromptOllama(model, prompt, responseMessageId, _chatId);
|
||||
}
|
||||
} else {
|
||||
toast.error($i18n.t(`Model {{modelId}} not found`, { modelId }));
|
||||
}
|
||||
|
||||
if (model?.external) {
|
||||
await sendPromptOpenAI(model, prompt, responseMessageId, _chatId);
|
||||
} else if (model) {
|
||||
await sendPromptOllama(model, prompt, responseMessageId, _chatId);
|
||||
}
|
||||
} else {
|
||||
toast.error($i18n.t(`Model {{modelId}} not found`, { modelId }));
|
||||
}
|
||||
})
|
||||
)
|
||||
);
|
||||
|
||||
await chats.set(await getChatList(localStorage.token));
|
||||
|
|
@ -308,10 +341,13 @@
|
|||
scrollToBottom();
|
||||
|
||||
const messagesBody = [
|
||||
$settings.system
|
||||
$settings.system || (responseMessage?.userContext ?? null)
|
||||
? {
|
||||
role: 'system',
|
||||
content: $settings.system
|
||||
content:
|
||||
$settings.system + (responseMessage?.userContext ?? null)
|
||||
? `\n\nUser Context:\n${responseMessage.userContext.join('\n')}`
|
||||
: ''
|
||||
}
|
||||
: undefined,
|
||||
...messages
|
||||
|
|
@ -564,10 +600,13 @@
|
|||
model: model.id,
|
||||
stream: true,
|
||||
messages: [
|
||||
$settings.system
|
||||
$settings.system || (responseMessage?.userContext ?? null)
|
||||
? {
|
||||
role: 'system',
|
||||
content: $settings.system
|
||||
content:
|
||||
$settings.system + (responseMessage?.userContext ?? null)
|
||||
? `\n\nUser Context:\n${responseMessage.userContext.join('\n')}`
|
||||
: ''
|
||||
}
|
||||
: undefined,
|
||||
...messages
|
||||
|
|
@ -756,16 +795,18 @@
|
|||
console.log('stopResponse');
|
||||
};
|
||||
|
||||
const regenerateResponse = async () => {
|
||||
const regenerateResponse = async (message) => {
|
||||
console.log('regenerateResponse');
|
||||
if (messages.length != 0 && messages.at(-1).done == true) {
|
||||
messages.splice(messages.length - 1, 1);
|
||||
messages = messages;
|
||||
|
||||
let userMessage = messages.at(-1);
|
||||
if (messages.length != 0) {
|
||||
let userMessage = history.messages[message.parentId];
|
||||
let userPrompt = userMessage.content;
|
||||
|
||||
await sendPrompt(userPrompt, userMessage.id);
|
||||
if ((userMessage?.models ?? [...selectedModels]).length == 1) {
|
||||
await sendPrompt(userPrompt, userMessage.id);
|
||||
} else {
|
||||
await sendPrompt(userPrompt, userMessage.id, message.model);
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
|
|
|
|||
|
|
@ -1,5 +1,5 @@
|
|||
<script>
|
||||
import { WEBUI_API_BASE_URL } from '$lib/constants';
|
||||
import { WEBUI_BASE_URL } from '$lib/constants';
|
||||
import { WEBUI_NAME, config, user, showSidebar } from '$lib/stores';
|
||||
import { goto } from '$app/navigation';
|
||||
import { onMount, getContext } from 'svelte';
|
||||
|
|
@ -264,7 +264,11 @@
|
|||
<div class="flex flex-row w-max">
|
||||
<img
|
||||
class=" rounded-full w-6 h-6 object-cover mr-2.5"
|
||||
src={user.profile_image_url}
|
||||
src={user.profile_image_url.startsWith(WEBUI_BASE_URL) ||
|
||||
user.profile_image_url.startsWith('https://www.gravatar.com/avatar/') ||
|
||||
user.profile_image_url.startsWith('data:')
|
||||
? user.profile_image_url
|
||||
: `/user.png`}
|
||||
alt="user"
|
||||
/>
|
||||
|
||||
|
|
|
|||
|
|
@ -43,6 +43,7 @@
|
|||
WEBUI_BASE_URL
|
||||
} from '$lib/constants';
|
||||
import { createOpenAITextStream } from '$lib/apis/streaming';
|
||||
import { queryMemory } from '$lib/apis/memories';
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
|
|
@ -210,7 +211,8 @@
|
|||
user: _user ?? undefined,
|
||||
content: userPrompt,
|
||||
files: files.length > 0 ? files : undefined,
|
||||
timestamp: Math.floor(Date.now() / 1000) // Unix epoch
|
||||
timestamp: Math.floor(Date.now() / 1000), // Unix epoch
|
||||
models: selectedModels
|
||||
};
|
||||
|
||||
// Add message to history and Set currentId to messageId
|
||||
|
|
@ -255,47 +257,80 @@
|
|||
await sendPrompt(userPrompt, userMessageId);
|
||||
}
|
||||
};
|
||||
const sendPrompt = async (prompt, parentId) => {
|
||||
|
||||
const sendPrompt = async (prompt, parentId, modelId = null) => {
|
||||
const _chatId = JSON.parse(JSON.stringify($chatId));
|
||||
|
||||
await Promise.all(
|
||||
(atSelectedModel !== '' ? [atSelectedModel.id] : selectedModels).map(async (modelId) => {
|
||||
const model = $models.filter((m) => m.id === modelId).at(0);
|
||||
(modelId ? [modelId] : atSelectedModel !== '' ? [atSelectedModel.id] : selectedModels).map(
|
||||
async (modelId) => {
|
||||
console.log('modelId', modelId);
|
||||
const model = $models.filter((m) => m.id === modelId).at(0);
|
||||
|
||||
if (model) {
|
||||
// Create response message
|
||||
let responseMessageId = uuidv4();
|
||||
let responseMessage = {
|
||||
parentId: parentId,
|
||||
id: responseMessageId,
|
||||
childrenIds: [],
|
||||
role: 'assistant',
|
||||
content: '',
|
||||
model: model.id,
|
||||
timestamp: Math.floor(Date.now() / 1000) // Unix epoch
|
||||
};
|
||||
if (model) {
|
||||
// Create response message
|
||||
let responseMessageId = uuidv4();
|
||||
let responseMessage = {
|
||||
parentId: parentId,
|
||||
id: responseMessageId,
|
||||
childrenIds: [],
|
||||
role: 'assistant',
|
||||
content: '',
|
||||
model: model.id,
|
||||
userContext: null,
|
||||
timestamp: Math.floor(Date.now() / 1000) // Unix epoch
|
||||
};
|
||||
|
||||
// Add message to history and Set currentId to messageId
|
||||
history.messages[responseMessageId] = responseMessage;
|
||||
history.currentId = responseMessageId;
|
||||
// Add message to history and Set currentId to messageId
|
||||
history.messages[responseMessageId] = responseMessage;
|
||||
history.currentId = responseMessageId;
|
||||
|
||||
// Append messageId to childrenIds of parent message
|
||||
if (parentId !== null) {
|
||||
history.messages[parentId].childrenIds = [
|
||||
...history.messages[parentId].childrenIds,
|
||||
responseMessageId
|
||||
];
|
||||
// Append messageId to childrenIds of parent message
|
||||
if (parentId !== null) {
|
||||
history.messages[parentId].childrenIds = [
|
||||
...history.messages[parentId].childrenIds,
|
||||
responseMessageId
|
||||
];
|
||||
}
|
||||
|
||||
await tick();
|
||||
|
||||
let userContext = null;
|
||||
if ($settings?.memory ?? false) {
|
||||
if (userContext === null) {
|
||||
const res = await queryMemory(localStorage.token, prompt).catch((error) => {
|
||||
toast.error(error);
|
||||
return null;
|
||||
});
|
||||
|
||||
if (res) {
|
||||
if (res.documents[0].length > 0) {
|
||||
userContext = res.documents.reduce((acc, doc, index) => {
|
||||
const createdAtTimestamp = res.metadatas[index][0].created_at;
|
||||
const createdAtDate = new Date(createdAtTimestamp * 1000)
|
||||
.toISOString()
|
||||
.split('T')[0];
|
||||
acc.push(`${index + 1}. [${createdAtDate}]. ${doc[0]}`);
|
||||
return acc;
|
||||
}, []);
|
||||
}
|
||||
|
||||
console.log(userContext);
|
||||
}
|
||||
}
|
||||
}
|
||||
responseMessage.userContext = userContext;
|
||||
|
||||
if (model?.external) {
|
||||
await sendPromptOpenAI(model, prompt, responseMessageId, _chatId);
|
||||
} else if (model) {
|
||||
await sendPromptOllama(model, prompt, responseMessageId, _chatId);
|
||||
}
|
||||
} else {
|
||||
toast.error($i18n.t(`Model {{modelId}} not found`, { modelId }));
|
||||
}
|
||||
|
||||
if (model?.external) {
|
||||
await sendPromptOpenAI(model, prompt, responseMessageId, _chatId);
|
||||
} else if (model) {
|
||||
await sendPromptOllama(model, prompt, responseMessageId, _chatId);
|
||||
}
|
||||
} else {
|
||||
toast.error($i18n.t(`Model {{modelId}} not found`, { modelId }));
|
||||
}
|
||||
})
|
||||
)
|
||||
);
|
||||
|
||||
await chats.set(await getChatList(localStorage.token));
|
||||
|
|
@ -312,10 +347,13 @@
|
|||
scrollToBottom();
|
||||
|
||||
const messagesBody = [
|
||||
$settings.system
|
||||
$settings.system || (responseMessage?.userContext ?? null)
|
||||
? {
|
||||
role: 'system',
|
||||
content: $settings.system
|
||||
content:
|
||||
$settings.system + (responseMessage?.userContext ?? null)
|
||||
? `\n\nUser Context:\n${responseMessage.userContext.join('\n')}`
|
||||
: ''
|
||||
}
|
||||
: undefined,
|
||||
...messages
|
||||
|
|
@ -568,10 +606,13 @@
|
|||
model: model.id,
|
||||
stream: true,
|
||||
messages: [
|
||||
$settings.system
|
||||
$settings.system || (responseMessage?.userContext ?? null)
|
||||
? {
|
||||
role: 'system',
|
||||
content: $settings.system
|
||||
content:
|
||||
$settings.system + (responseMessage?.userContext ?? null)
|
||||
? `\n\nUser Context:\n${responseMessage.userContext.join('\n')}`
|
||||
: ''
|
||||
}
|
||||
: undefined,
|
||||
...messages
|
||||
|
|
@ -700,6 +741,7 @@
|
|||
} catch (error) {
|
||||
await handleOpenAIError(error, null, model, responseMessage);
|
||||
}
|
||||
messages = messages;
|
||||
|
||||
stopResponseFlag = false;
|
||||
await tick();
|
||||
|
|
@ -759,16 +801,18 @@
|
|||
console.log('stopResponse');
|
||||
};
|
||||
|
||||
const regenerateResponse = async () => {
|
||||
const regenerateResponse = async (message) => {
|
||||
console.log('regenerateResponse');
|
||||
if (messages.length != 0 && messages.at(-1).done == true) {
|
||||
messages.splice(messages.length - 1, 1);
|
||||
messages = messages;
|
||||
|
||||
let userMessage = messages.at(-1);
|
||||
if (messages.length != 0) {
|
||||
let userMessage = history.messages[message.parentId];
|
||||
let userPrompt = userMessage.content;
|
||||
|
||||
await sendPrompt(userPrompt, userMessage.id);
|
||||
if ((userMessage?.models ?? [...selectedModels]).length == 1) {
|
||||
await sendPrompt(userPrompt, userMessage.id);
|
||||
} else {
|
||||
await sendPrompt(userPrompt, userMessage.id, message.model);
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
|
|
@ -931,6 +975,7 @@
|
|||
bind:history
|
||||
bind:messages
|
||||
bind:autoScroll
|
||||
bind:prompt
|
||||
bottomPadding={files.length > 0}
|
||||
{sendPrompt}
|
||||
{continueGeneration}
|
||||
|
|
@ -946,7 +991,6 @@
|
|||
bind:prompt
|
||||
bind:autoScroll
|
||||
bind:selectedModel={atSelectedModel}
|
||||
suggestionPrompts={selectedModelfile?.suggestionPrompts ?? $config.default_prompt_suggestions}
|
||||
{messages}
|
||||
{submitPrompt}
|
||||
{stopResponse}
|
||||
|
|
|
|||
|
|
@ -339,7 +339,7 @@ SYSTEM """${system}"""`.replace(/^\s*\n/gm, '');
|
|||
if (
|
||||
inputFiles &&
|
||||
inputFiles.length > 0 &&
|
||||
['image/gif', 'image/jpeg', 'image/png'].includes(inputFiles[0]['type'])
|
||||
['image/gif', 'image/webp', 'image/jpeg', 'image/png'].includes(inputFiles[0]['type'])
|
||||
) {
|
||||
reader.readAsDataURL(inputFiles[0]);
|
||||
} else {
|
||||
|
|
|
|||
|
|
@ -238,7 +238,7 @@
|
|||
if (
|
||||
inputFiles &&
|
||||
inputFiles.length > 0 &&
|
||||
['image/gif', 'image/jpeg', 'image/png'].includes(inputFiles[0]['type'])
|
||||
['image/gif', 'image/webp', 'image/jpeg', 'image/png'].includes(inputFiles[0]['type'])
|
||||
) {
|
||||
reader.readAsDataURL(inputFiles[0]);
|
||||
} else {
|
||||
|
|
|
|||
|
|
@ -89,7 +89,7 @@
|
|||
|
||||
<svelte:head>
|
||||
<title>{$WEBUI_NAME}</title>
|
||||
<link rel="icon" href="{WEBUI_BASE_URL}/static/favicon.png" />
|
||||
<link crossorigin="anonymous" rel="icon" href="{WEBUI_BASE_URL}/static/favicon.png" />
|
||||
|
||||
<!-- rosepine themes have been disabled as it's not up to date with our latest version. -->
|
||||
<!-- feel free to make a PR to fix if anyone wants to see it return -->
|
||||
|
|
|
|||
|
|
@ -76,7 +76,12 @@
|
|||
<div class="fixed m-10 z-50">
|
||||
<div class="flex space-x-2">
|
||||
<div class=" self-center">
|
||||
<img src="{WEBUI_BASE_URL}/static/favicon.png" class=" w-8 rounded-full" alt="logo" />
|
||||
<img
|
||||
crossorigin="anonymous"
|
||||
src="{WEBUI_BASE_URL}/static/favicon.png"
|
||||
class=" w-8 rounded-full"
|
||||
alt="logo"
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
|
|
|||
|
|
@ -12,6 +12,8 @@
|
|||
|
||||
import Messages from '$lib/components/chat/Messages.svelte';
|
||||
import Navbar from '$lib/components/layout/Navbar.svelte';
|
||||
import { getUserById } from '$lib/apis/users';
|
||||
import { error } from '@sveltejs/kit';
|
||||
|
||||
const i18n = getContext('i18n');
|
||||
|
||||
|
|
@ -37,6 +39,7 @@
|
|||
}, {});
|
||||
|
||||
let chat = null;
|
||||
let user = null;
|
||||
|
||||
let title = '';
|
||||
let files = [];
|
||||
|
|
@ -88,6 +91,11 @@
|
|||
});
|
||||
|
||||
if (chat) {
|
||||
user = await getUserById(localStorage.token, chat.user_id).catch((error) => {
|
||||
console.error(error);
|
||||
return null;
|
||||
});
|
||||
|
||||
const chatContent = chat.chat;
|
||||
|
||||
if (chatContent) {
|
||||
|
|
@ -156,6 +164,7 @@
|
|||
<div class=" h-full w-full flex flex-col py-4">
|
||||
<div class="py-2">
|
||||
<Messages
|
||||
{user}
|
||||
chatId={$chatId}
|
||||
readOnly={true}
|
||||
{selectedModels}
|
||||
|
|
|
|||
1
static/pyodide/pyodide-lock.json
Normal file
1
static/pyodide/pyodide-lock.json
Normal file
File diff suppressed because one or more lines are too long
|
|
@ -6,7 +6,6 @@ const config = {
|
|||
// Consult https://kit.svelte.dev/docs/integrations#preprocessors
|
||||
// for more information about preprocessors
|
||||
preprocess: vitePreprocess(),
|
||||
|
||||
kit: {
|
||||
// adapter-auto only supports some environments, see https://kit.svelte.dev/docs/adapter-auto for a list.
|
||||
// If your environment is not supported or you settled on a specific environment, switch out the adapter.
|
||||
|
|
|
|||
|
|
@ -1,9 +1,26 @@
|
|||
import { sveltekit } from '@sveltejs/kit/vite';
|
||||
import { defineConfig } from 'vite';
|
||||
|
||||
// /** @type {import('vite').Plugin} */
|
||||
// const viteServerConfig = {
|
||||
// name: 'log-request-middleware',
|
||||
// configureServer(server) {
|
||||
// server.middlewares.use((req, res, next) => {
|
||||
// res.setHeader('Access-Control-Allow-Origin', '*');
|
||||
// res.setHeader('Access-Control-Allow-Methods', 'GET');
|
||||
// res.setHeader('Cross-Origin-Opener-Policy', 'same-origin');
|
||||
// res.setHeader('Cross-Origin-Embedder-Policy', 'require-corp');
|
||||
// next();
|
||||
// });
|
||||
// }
|
||||
// };
|
||||
|
||||
export default defineConfig({
|
||||
plugins: [sveltekit()],
|
||||
define: {
|
||||
APP_VERSION: JSON.stringify(process.env.npm_package_version)
|
||||
},
|
||||
worker: {
|
||||
format: 'es'
|
||||
}
|
||||
});
|
||||
|
|
|
|||
Loading…
Reference in a new issue