forked from open-webui/open-webui
Merge branch 'main' into choose-embedding-model
This commit is contained in:
commit
4b88e7e44f
16 changed files with 771 additions and 35 deletions
41
README.md
41
README.md
|
@ -219,9 +219,48 @@ docker rm -f open-webui
|
||||||
docker pull ghcr.io/open-webui/open-webui:main
|
docker pull ghcr.io/open-webui/open-webui:main
|
||||||
[insert command you used to install]
|
[insert command you used to install]
|
||||||
```
|
```
|
||||||
|
|
||||||
In the last line, you need to use the very same command you used to install (local install, remote server, etc.)
|
In the last line, you need to use the very same command you used to install (local install, remote server, etc.)
|
||||||
|
|
||||||
|
### Moving from Ollama WebUI to Open WebUI
|
||||||
|
|
||||||
|
Given recent name changes, the docker image has been renamed. Additional steps are required to update for those people that used Ollama WebUI previously and want to start using the new images.
|
||||||
|
|
||||||
|
#### Updating to Open WebUI without keeping your data
|
||||||
|
|
||||||
|
If you want to update to the new image but don't want to keep any previous data like conversations, prompts, documents, etc. you can perform the following steps:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
docker rm -f ollama-webui
|
||||||
|
docker pull ghcr.io/open-webui/open-webui:main
|
||||||
|
[insert the equivalent command that you used to install with the new Docker image name]
|
||||||
|
docker volume rm ollama-webui
|
||||||
|
```
|
||||||
|
|
||||||
|
For example, for local installation it would be `docker run -d -p 3000:8080 --add-host=host.docker.internal:host-gateway -v open-webui:/app/backend/data --name open-webui --restart always ghcr.io/open-webui/open-webui:main`. For other installation commands, check the relevant parts of this README document.
|
||||||
|
|
||||||
|
#### Migrating your contents from Ollama WebUI to Open WebUI
|
||||||
|
|
||||||
|
If you want to update to the new image migrating all your previous settings like conversations, prompts, documents, etc. you can perform the following steps:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
docker rm -f ollama-webui
|
||||||
|
docker pull ghcr.io/open-webui/open-webui:main
|
||||||
|
# Creates a new volume and uses a temporary container to copy from one volume to another as per https://github.com/moby/moby/issues/31154#issuecomment-360531460
|
||||||
|
docker volume create --name open-webui
|
||||||
|
docker run --rm -v ollama-webui:/from -v open-webui:/to alpine ash -c "cd /from ; cp -av . /to"
|
||||||
|
[insert the equivalent command that you used to install with the new Docker image name]
|
||||||
|
```
|
||||||
|
|
||||||
|
Once you verify that all the data has been migrated you can erase the old volumen using the following command:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
docker volume rm ollama-webui
|
||||||
|
```
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
## How to Install Without Docker
|
## How to Install Without Docker
|
||||||
|
|
||||||
While we strongly recommend using our convenient Docker container installation for optimal support, we understand that some situations may require a non-Docker setup, especially for development purposes. Please note that non-Docker installations are not officially supported, and you might need to troubleshoot on your own.
|
While we strongly recommend using our convenient Docker container installation for optimal support, we understand that some situations may require a non-Docker setup, especially for development purposes. Please note that non-Docker installations are not officially supported, and you might need to troubleshoot on your own.
|
||||||
|
|
|
@ -9,6 +9,8 @@ from fastapi import (
|
||||||
)
|
)
|
||||||
from fastapi.middleware.cors import CORSMiddleware
|
from fastapi.middleware.cors import CORSMiddleware
|
||||||
import os, shutil
|
import os, shutil
|
||||||
|
|
||||||
|
from pathlib import Path
|
||||||
from typing import List
|
from typing import List
|
||||||
|
|
||||||
from chromadb.utils import embedding_functions
|
from chromadb.utils import embedding_functions
|
||||||
|
@ -28,23 +30,45 @@ from langchain_community.document_loaders import (
|
||||||
)
|
)
|
||||||
from langchain.text_splitter import RecursiveCharacterTextSplitter
|
from langchain.text_splitter import RecursiveCharacterTextSplitter
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
from pydantic import BaseModel
|
from pydantic import BaseModel
|
||||||
from typing import Optional
|
from typing import Optional
|
||||||
|
import mimetypes
|
||||||
import uuid
|
import uuid
|
||||||
|
|
||||||
|
from apps.web.models.documents import (
|
||||||
|
Documents,
|
||||||
|
DocumentForm,
|
||||||
|
DocumentResponse,
|
||||||
|
)
|
||||||
|
|
||||||
from utils.misc import calculate_sha256, calculate_sha256_string
|
from utils.misc import (
|
||||||
|
calculate_sha256,
|
||||||
|
calculate_sha256_string,
|
||||||
|
sanitize_filename,
|
||||||
|
extract_folders_after_data_docs,
|
||||||
|
)
|
||||||
from utils.utils import get_current_user, get_admin_user
|
from utils.utils import get_current_user, get_admin_user
|
||||||
from config import UPLOAD_DIR, SENTENCE_TRANSFORMER_EMBED_MODEL, CHROMA_CLIENT, CHUNK_SIZE, CHUNK_OVERLAP
|
from config import (
|
||||||
|
UPLOAD_DIR,
|
||||||
|
DOCS_DIR,
|
||||||
|
SENTENCE_TRANSFORMER_EMBED_MODEL,
|
||||||
|
CHROMA_CLIENT,
|
||||||
|
CHUNK_SIZE,
|
||||||
|
CHUNK_OVERLAP,
|
||||||
|
RAG_TEMPLATE,
|
||||||
|
)
|
||||||
|
|
||||||
from constants import ERROR_MESSAGES
|
from constants import ERROR_MESSAGES
|
||||||
|
|
||||||
sentence_transformer_ef = embedding_functions.SentenceTransformerEmbeddingFunction(model_name=SENTENCE_TRANSFORMER_EMBED_MODEL)
|
sentence_transformer_ef = embedding_functions.SentenceTransformerEmbeddingFunction(model_name=SENTENCE_TRANSFORMER_EMBED_MODEL)
|
||||||
|
|
||||||
app = FastAPI()
|
app = FastAPI()
|
||||||
|
|
||||||
|
app.state.CHUNK_SIZE = CHUNK_SIZE
|
||||||
|
app.state.CHUNK_OVERLAP = CHUNK_OVERLAP
|
||||||
|
app.state.RAG_TEMPLATE = RAG_TEMPLATE
|
||||||
|
|
||||||
|
|
||||||
origins = ["*"]
|
origins = ["*"]
|
||||||
|
|
||||||
app.add_middleware(
|
app.add_middleware(
|
||||||
|
@ -66,7 +90,7 @@ class StoreWebForm(CollectionNameForm):
|
||||||
|
|
||||||
def store_data_in_vector_db(data, collection_name) -> bool:
|
def store_data_in_vector_db(data, collection_name) -> bool:
|
||||||
text_splitter = RecursiveCharacterTextSplitter(
|
text_splitter = RecursiveCharacterTextSplitter(
|
||||||
chunk_size=CHUNK_SIZE, chunk_overlap=CHUNK_OVERLAP
|
chunk_size=app.state.CHUNK_SIZE, chunk_overlap=app.state.CHUNK_OVERLAP
|
||||||
)
|
)
|
||||||
docs = text_splitter.split_documents(data)
|
docs = text_splitter.split_documents(data)
|
||||||
|
|
||||||
|
@ -96,7 +120,60 @@ def store_data_in_vector_db(data, collection_name) -> bool:
|
||||||
|
|
||||||
@app.get("/")
|
@app.get("/")
|
||||||
async def get_status():
|
async def get_status():
|
||||||
return {"status": True}
|
return {
|
||||||
|
"status": True,
|
||||||
|
"chunk_size": app.state.CHUNK_SIZE,
|
||||||
|
"chunk_overlap": app.state.CHUNK_OVERLAP,
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
@app.get("/chunk")
|
||||||
|
async def get_chunk_params(user=Depends(get_admin_user)):
|
||||||
|
return {
|
||||||
|
"status": True,
|
||||||
|
"chunk_size": app.state.CHUNK_SIZE,
|
||||||
|
"chunk_overlap": app.state.CHUNK_OVERLAP,
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
class ChunkParamUpdateForm(BaseModel):
|
||||||
|
chunk_size: int
|
||||||
|
chunk_overlap: int
|
||||||
|
|
||||||
|
|
||||||
|
@app.post("/chunk/update")
|
||||||
|
async def update_chunk_params(
|
||||||
|
form_data: ChunkParamUpdateForm, user=Depends(get_admin_user)
|
||||||
|
):
|
||||||
|
app.state.CHUNK_SIZE = form_data.chunk_size
|
||||||
|
app.state.CHUNK_OVERLAP = form_data.chunk_overlap
|
||||||
|
|
||||||
|
return {
|
||||||
|
"status": True,
|
||||||
|
"chunk_size": app.state.CHUNK_SIZE,
|
||||||
|
"chunk_overlap": app.state.CHUNK_OVERLAP,
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
@app.get("/template")
|
||||||
|
async def get_rag_template(user=Depends(get_current_user)):
|
||||||
|
return {
|
||||||
|
"status": True,
|
||||||
|
"template": app.state.RAG_TEMPLATE,
|
||||||
|
}
|
||||||
|
|
||||||
|
|
||||||
|
class RAGTemplateForm(BaseModel):
|
||||||
|
template: str
|
||||||
|
|
||||||
|
|
||||||
|
@app.post("/template/update")
|
||||||
|
async def update_rag_template(form_data: RAGTemplateForm, user=Depends(get_admin_user)):
|
||||||
|
# TODO: check template requirements
|
||||||
|
app.state.RAG_TEMPLATE = (
|
||||||
|
form_data.template if form_data.template != "" else RAG_TEMPLATE
|
||||||
|
)
|
||||||
|
return {"status": True, "template": app.state.RAG_TEMPLATE}
|
||||||
|
|
||||||
|
|
||||||
class QueryDocForm(BaseModel):
|
class QueryDocForm(BaseModel):
|
||||||
|
@ -239,8 +316,8 @@ def store_web(form_data: StoreWebForm, user=Depends(get_current_user)):
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
def get_loader(file, file_path):
|
def get_loader(filename: str, file_content_type: str, file_path: str):
|
||||||
file_ext = file.filename.split(".")[-1].lower()
|
file_ext = filename.split(".")[-1].lower()
|
||||||
known_type = True
|
known_type = True
|
||||||
|
|
||||||
known_source_ext = [
|
known_source_ext = [
|
||||||
|
@ -298,20 +375,20 @@ def get_loader(file, file_path):
|
||||||
loader = UnstructuredXMLLoader(file_path)
|
loader = UnstructuredXMLLoader(file_path)
|
||||||
elif file_ext == "md":
|
elif file_ext == "md":
|
||||||
loader = UnstructuredMarkdownLoader(file_path)
|
loader = UnstructuredMarkdownLoader(file_path)
|
||||||
elif file.content_type == "application/epub+zip":
|
elif file_content_type == "application/epub+zip":
|
||||||
loader = UnstructuredEPubLoader(file_path)
|
loader = UnstructuredEPubLoader(file_path)
|
||||||
elif (
|
elif (
|
||||||
file.content_type
|
file_content_type
|
||||||
== "application/vnd.openxmlformats-officedocument.wordprocessingml.document"
|
== "application/vnd.openxmlformats-officedocument.wordprocessingml.document"
|
||||||
or file_ext in ["doc", "docx"]
|
or file_ext in ["doc", "docx"]
|
||||||
):
|
):
|
||||||
loader = Docx2txtLoader(file_path)
|
loader = Docx2txtLoader(file_path)
|
||||||
elif file.content_type in [
|
elif file_content_type in [
|
||||||
"application/vnd.ms-excel",
|
"application/vnd.ms-excel",
|
||||||
"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet",
|
"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet",
|
||||||
] or file_ext in ["xls", "xlsx"]:
|
] or file_ext in ["xls", "xlsx"]:
|
||||||
loader = UnstructuredExcelLoader(file_path)
|
loader = UnstructuredExcelLoader(file_path)
|
||||||
elif file_ext in known_source_ext or file.content_type.find("text/") >= 0:
|
elif file_ext in known_source_ext or file_content_type.find("text/") >= 0:
|
||||||
loader = TextLoader(file_path)
|
loader = TextLoader(file_path)
|
||||||
else:
|
else:
|
||||||
loader = TextLoader(file_path)
|
loader = TextLoader(file_path)
|
||||||
|
@ -342,7 +419,7 @@ def store_doc(
|
||||||
collection_name = calculate_sha256(f)[:63]
|
collection_name = calculate_sha256(f)[:63]
|
||||||
f.close()
|
f.close()
|
||||||
|
|
||||||
loader, known_type = get_loader(file, file_path)
|
loader, known_type = get_loader(file.filename, file.content_type, file_path)
|
||||||
data = loader.load()
|
data = loader.load()
|
||||||
result = store_data_in_vector_db(data, collection_name)
|
result = store_data_in_vector_db(data, collection_name)
|
||||||
|
|
||||||
|
@ -372,6 +449,63 @@ def store_doc(
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@app.get("/scan")
|
||||||
|
def scan_docs_dir(user=Depends(get_admin_user)):
|
||||||
|
try:
|
||||||
|
for path in Path(DOCS_DIR).rglob("./**/*"):
|
||||||
|
if path.is_file() and not path.name.startswith("."):
|
||||||
|
tags = extract_folders_after_data_docs(path)
|
||||||
|
filename = path.name
|
||||||
|
file_content_type = mimetypes.guess_type(path)
|
||||||
|
|
||||||
|
f = open(path, "rb")
|
||||||
|
collection_name = calculate_sha256(f)[:63]
|
||||||
|
f.close()
|
||||||
|
|
||||||
|
loader, known_type = get_loader(
|
||||||
|
filename, file_content_type[0], str(path)
|
||||||
|
)
|
||||||
|
data = loader.load()
|
||||||
|
|
||||||
|
result = store_data_in_vector_db(data, collection_name)
|
||||||
|
|
||||||
|
if result:
|
||||||
|
sanitized_filename = sanitize_filename(filename)
|
||||||
|
doc = Documents.get_doc_by_name(sanitized_filename)
|
||||||
|
|
||||||
|
if doc == None:
|
||||||
|
doc = Documents.insert_new_doc(
|
||||||
|
user.id,
|
||||||
|
DocumentForm(
|
||||||
|
**{
|
||||||
|
"name": sanitized_filename,
|
||||||
|
"title": filename,
|
||||||
|
"collection_name": collection_name,
|
||||||
|
"filename": filename,
|
||||||
|
"content": (
|
||||||
|
json.dumps(
|
||||||
|
{
|
||||||
|
"tags": list(
|
||||||
|
map(
|
||||||
|
lambda name: {"name": name},
|
||||||
|
tags,
|
||||||
|
)
|
||||||
|
)
|
||||||
|
}
|
||||||
|
)
|
||||||
|
if len(tags)
|
||||||
|
else "{}"
|
||||||
|
),
|
||||||
|
}
|
||||||
|
),
|
||||||
|
)
|
||||||
|
|
||||||
|
except Exception as e:
|
||||||
|
print(e)
|
||||||
|
|
||||||
|
return True
|
||||||
|
|
||||||
|
|
||||||
@app.get("/reset/db")
|
@app.get("/reset/db")
|
||||||
def reset_vector_db(user=Depends(get_admin_user)):
|
def reset_vector_db(user=Depends(get_admin_user)):
|
||||||
CHROMA_CLIENT.reset()
|
CHROMA_CLIENT.reset()
|
||||||
|
|
|
@ -96,6 +96,10 @@ async def get_doc_by_name(name: str, user=Depends(get_current_user)):
|
||||||
############################
|
############################
|
||||||
|
|
||||||
|
|
||||||
|
class TagItem(BaseModel):
|
||||||
|
name: str
|
||||||
|
|
||||||
|
|
||||||
class TagDocumentForm(BaseModel):
|
class TagDocumentForm(BaseModel):
|
||||||
name: str
|
name: str
|
||||||
tags: List[dict]
|
tags: List[dict]
|
||||||
|
|
|
@ -43,6 +43,14 @@ Path(UPLOAD_DIR).mkdir(parents=True, exist_ok=True)
|
||||||
CACHE_DIR = f"{DATA_DIR}/cache"
|
CACHE_DIR = f"{DATA_DIR}/cache"
|
||||||
Path(CACHE_DIR).mkdir(parents=True, exist_ok=True)
|
Path(CACHE_DIR).mkdir(parents=True, exist_ok=True)
|
||||||
|
|
||||||
|
|
||||||
|
####################################
|
||||||
|
# Docs DIR
|
||||||
|
####################################
|
||||||
|
|
||||||
|
DOCS_DIR = f"{DATA_DIR}/docs"
|
||||||
|
Path(DOCS_DIR).mkdir(parents=True, exist_ok=True)
|
||||||
|
|
||||||
####################################
|
####################################
|
||||||
# OLLAMA_API_BASE_URL
|
# OLLAMA_API_BASE_URL
|
||||||
####################################
|
####################################
|
||||||
|
@ -137,6 +145,21 @@ CHROMA_CLIENT = chromadb.PersistentClient(
|
||||||
CHUNK_SIZE = 1500
|
CHUNK_SIZE = 1500
|
||||||
CHUNK_OVERLAP = 100
|
CHUNK_OVERLAP = 100
|
||||||
|
|
||||||
|
|
||||||
|
RAG_TEMPLATE = """Use the following context as your learned knowledge, inside <context></context> XML tags.
|
||||||
|
<context>
|
||||||
|
[context]
|
||||||
|
</context>
|
||||||
|
|
||||||
|
When answer to user:
|
||||||
|
- If you don't know, just say that you don't know.
|
||||||
|
- If you don't know when you are not sure, ask for clarification.
|
||||||
|
Avoid mentioning that you obtained the information from the context.
|
||||||
|
And answer according to the language of the user's question.
|
||||||
|
|
||||||
|
Given the context information, answer the query.
|
||||||
|
Query: [query]"""
|
||||||
|
|
||||||
####################################
|
####################################
|
||||||
# Transcribe
|
# Transcribe
|
||||||
####################################
|
####################################
|
||||||
|
|
32
backend/start_windows.bat
Normal file
32
backend/start_windows.bat
Normal file
|
@ -0,0 +1,32 @@
|
||||||
|
:: This method is not recommended, and we recommend you use the `start.sh` file with WSL instead.
|
||||||
|
@echo off
|
||||||
|
SETLOCAL ENABLEDELAYEDEXPANSION
|
||||||
|
|
||||||
|
:: Get the directory of the current script
|
||||||
|
SET "SCRIPT_DIR=%~dp0"
|
||||||
|
cd /d "%SCRIPT_DIR%" || exit /b
|
||||||
|
|
||||||
|
SET "KEY_FILE=.webui_secret_key"
|
||||||
|
SET "PORT=%PORT:8080%"
|
||||||
|
SET "WEBUI_SECRET_KEY=%WEBUI_SECRET_KEY%"
|
||||||
|
SET "WEBUI_JWT_SECRET_KEY=%WEBUI_JWT_SECRET_KEY%"
|
||||||
|
|
||||||
|
:: Check if WEBUI_SECRET_KEY and WEBUI_JWT_SECRET_KEY are not set
|
||||||
|
IF "%WEBUI_SECRET_KEY%%WEBUI_JWT_SECRET_KEY%" == " " (
|
||||||
|
echo No WEBUI_SECRET_KEY provided
|
||||||
|
|
||||||
|
IF NOT EXIST "%KEY_FILE%" (
|
||||||
|
echo Generating WEBUI_SECRET_KEY
|
||||||
|
:: Generate a random value to use as a WEBUI_SECRET_KEY in case the user didn't provide one
|
||||||
|
SET /p WEBUI_SECRET_KEY=<nul
|
||||||
|
FOR /L %%i IN (1,1,12) DO SET /p WEBUI_SECRET_KEY=<!random!>>%KEY_FILE%
|
||||||
|
echo WEBUI_SECRET_KEY generated
|
||||||
|
)
|
||||||
|
|
||||||
|
echo Loading WEBUI_SECRET_KEY from %KEY_FILE%
|
||||||
|
SET /p WEBUI_SECRET_KEY=<%KEY_FILE%
|
||||||
|
)
|
||||||
|
|
||||||
|
:: Execute uvicorn
|
||||||
|
SET "WEBUI_SECRET_KEY=%WEBUI_SECRET_KEY%"
|
||||||
|
uvicorn main:app --host 0.0.0.0 --port "%PORT%" --forwarded-allow-ips '*'
|
|
@ -1,3 +1,4 @@
|
||||||
|
from pathlib import Path
|
||||||
import hashlib
|
import hashlib
|
||||||
import re
|
import re
|
||||||
|
|
||||||
|
@ -38,3 +39,40 @@ def validate_email_format(email: str) -> bool:
|
||||||
if not re.match(r"[^@]+@[^@]+\.[^@]+", email):
|
if not re.match(r"[^@]+@[^@]+\.[^@]+", email):
|
||||||
return False
|
return False
|
||||||
return True
|
return True
|
||||||
|
|
||||||
|
|
||||||
|
def sanitize_filename(file_name):
|
||||||
|
# Convert to lowercase
|
||||||
|
lower_case_file_name = file_name.lower()
|
||||||
|
|
||||||
|
# Remove special characters using regular expression
|
||||||
|
sanitized_file_name = re.sub(r"[^\w\s]", "", lower_case_file_name)
|
||||||
|
|
||||||
|
# Replace spaces with dashes
|
||||||
|
final_file_name = re.sub(r"\s+", "-", sanitized_file_name)
|
||||||
|
|
||||||
|
return final_file_name
|
||||||
|
|
||||||
|
|
||||||
|
def extract_folders_after_data_docs(path):
|
||||||
|
# Convert the path to a Path object if it's not already
|
||||||
|
path = Path(path)
|
||||||
|
|
||||||
|
# Extract parts of the path
|
||||||
|
parts = path.parts
|
||||||
|
|
||||||
|
# Find the index of '/data/docs' in the path
|
||||||
|
try:
|
||||||
|
index_data_docs = parts.index("data") + 1
|
||||||
|
index_docs = parts.index("docs", index_data_docs) + 1
|
||||||
|
except ValueError:
|
||||||
|
return []
|
||||||
|
|
||||||
|
# Exclude the filename and accumulate folder names
|
||||||
|
tags = []
|
||||||
|
|
||||||
|
folders = parts[index_docs:-1]
|
||||||
|
for idx, part in enumerate(folders):
|
||||||
|
tags.append("/".join(folders[: idx + 1]))
|
||||||
|
|
||||||
|
return tags
|
||||||
|
|
|
@ -1,5 +1,120 @@
|
||||||
import { RAG_API_BASE_URL } from '$lib/constants';
|
import { RAG_API_BASE_URL } from '$lib/constants';
|
||||||
|
|
||||||
|
export const getChunkParams = async (token: string) => {
|
||||||
|
let error = null;
|
||||||
|
|
||||||
|
const res = await fetch(`${RAG_API_BASE_URL}/chunk`, {
|
||||||
|
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 updateChunkParams = async (token: string, size: number, overlap: number) => {
|
||||||
|
let error = null;
|
||||||
|
|
||||||
|
const res = await fetch(`${RAG_API_BASE_URL}/chunk/update`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Content-Type': 'application/json',
|
||||||
|
Authorization: `Bearer ${token}`
|
||||||
|
},
|
||||||
|
body: JSON.stringify({
|
||||||
|
chunk_size: size,
|
||||||
|
chunk_overlap: overlap
|
||||||
|
})
|
||||||
|
})
|
||||||
|
.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 getRAGTemplate = async (token: string) => {
|
||||||
|
let error = null;
|
||||||
|
|
||||||
|
const res = await fetch(`${RAG_API_BASE_URL}/template`, {
|
||||||
|
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?.template ?? '';
|
||||||
|
};
|
||||||
|
|
||||||
|
export const updateRAGTemplate = async (token: string, template: string) => {
|
||||||
|
let error = null;
|
||||||
|
|
||||||
|
const res = await fetch(`${RAG_API_BASE_URL}/template/update`, {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Content-Type': 'application/json',
|
||||||
|
Authorization: `Bearer ${token}`
|
||||||
|
},
|
||||||
|
body: JSON.stringify({
|
||||||
|
template: template
|
||||||
|
})
|
||||||
|
})
|
||||||
|
.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 uploadDocToVectorDB = async (token: string, collection_name: string, file: File) => {
|
export const uploadDocToVectorDB = async (token: string, collection_name: string, file: File) => {
|
||||||
const data = new FormData();
|
const data = new FormData();
|
||||||
data.append('file', file);
|
data.append('file', file);
|
||||||
|
@ -138,6 +253,32 @@ export const queryCollection = async (
|
||||||
return res;
|
return res;
|
||||||
};
|
};
|
||||||
|
|
||||||
|
export const scanDocs = async (token: string) => {
|
||||||
|
let error = null;
|
||||||
|
|
||||||
|
const res = await fetch(`${RAG_API_BASE_URL}/scan`, {
|
||||||
|
method: 'GET',
|
||||||
|
headers: {
|
||||||
|
Accept: 'application/json',
|
||||||
|
authorization: `Bearer ${token}`
|
||||||
|
}
|
||||||
|
})
|
||||||
|
.then(async (res) => {
|
||||||
|
if (!res.ok) throw await res.json();
|
||||||
|
return res.json();
|
||||||
|
})
|
||||||
|
.catch((err) => {
|
||||||
|
error = err.detail;
|
||||||
|
return null;
|
||||||
|
});
|
||||||
|
|
||||||
|
if (error) {
|
||||||
|
throw error;
|
||||||
|
}
|
||||||
|
|
||||||
|
return res;
|
||||||
|
};
|
||||||
|
|
||||||
export const resetVectorDB = async (token: string) => {
|
export const resetVectorDB = async (token: string) => {
|
||||||
let error = null;
|
let error = null;
|
||||||
|
|
||||||
|
|
|
@ -2,6 +2,7 @@
|
||||||
import { prompts } from '$lib/stores';
|
import { prompts } from '$lib/stores';
|
||||||
import { findWordIndices } from '$lib/utils';
|
import { findWordIndices } from '$lib/utils';
|
||||||
import { tick } from 'svelte';
|
import { tick } from 'svelte';
|
||||||
|
import toast from 'svelte-french-toast';
|
||||||
|
|
||||||
export let prompt = '';
|
export let prompt = '';
|
||||||
let selectedCommandIdx = 0;
|
let selectedCommandIdx = 0;
|
||||||
|
@ -24,7 +25,18 @@
|
||||||
};
|
};
|
||||||
|
|
||||||
const confirmCommand = async (command) => {
|
const confirmCommand = async (command) => {
|
||||||
prompt = command.content;
|
let text = command.content;
|
||||||
|
|
||||||
|
if (command.content.includes('{{CLIPBOARD}}')) {
|
||||||
|
const clipboardText = await navigator.clipboard.readText().catch((err) => {
|
||||||
|
toast.error('Failed to read clipboard contents');
|
||||||
|
return '{{CLIPBOARD}}';
|
||||||
|
});
|
||||||
|
|
||||||
|
text = command.content.replaceAll('{{CLIPBOARD}}', clipboardText);
|
||||||
|
}
|
||||||
|
|
||||||
|
prompt = text;
|
||||||
|
|
||||||
const chatInputElement = document.getElementById('chat-textarea');
|
const chatInputElement = document.getElementById('chat-textarea');
|
||||||
|
|
||||||
|
|
|
@ -366,7 +366,7 @@
|
||||||
|
|
||||||
{#if message.done}
|
{#if message.done}
|
||||||
<div
|
<div
|
||||||
class=" flex justify-start space-x-1 -mt-1 overflow-x-auto buttons text-gray-700 dark:text-gray-500"
|
class=" flex justify-start space-x-1 overflow-x-auto buttons text-gray-700 dark:text-gray-500"
|
||||||
>
|
>
|
||||||
{#if siblings.length > 1}
|
{#if siblings.length > 1}
|
||||||
<div class="flex self-center min-w-fit">
|
<div class="flex self-center min-w-fit">
|
||||||
|
|
178
src/lib/components/documents/Settings/General.svelte
Normal file
178
src/lib/components/documents/Settings/General.svelte
Normal file
|
@ -0,0 +1,178 @@
|
||||||
|
<script lang="ts">
|
||||||
|
import { getDocs } from '$lib/apis/documents';
|
||||||
|
import {
|
||||||
|
getChunkParams,
|
||||||
|
getRAGTemplate,
|
||||||
|
scanDocs,
|
||||||
|
updateChunkParams,
|
||||||
|
updateRAGTemplate
|
||||||
|
} from '$lib/apis/rag';
|
||||||
|
import { documents } from '$lib/stores';
|
||||||
|
import { onMount } from 'svelte';
|
||||||
|
import toast from 'svelte-french-toast';
|
||||||
|
|
||||||
|
export let saveHandler: Function;
|
||||||
|
|
||||||
|
let loading = false;
|
||||||
|
|
||||||
|
let chunkSize = 0;
|
||||||
|
let chunkOverlap = 0;
|
||||||
|
|
||||||
|
let template = '';
|
||||||
|
|
||||||
|
const scanHandler = async () => {
|
||||||
|
loading = true;
|
||||||
|
const res = await scanDocs(localStorage.token);
|
||||||
|
loading = false;
|
||||||
|
|
||||||
|
if (res) {
|
||||||
|
await documents.set(await getDocs(localStorage.token));
|
||||||
|
toast.success('Scan complete!');
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const submitHandler = async () => {
|
||||||
|
const res = await updateChunkParams(localStorage.token, chunkSize, chunkOverlap);
|
||||||
|
await updateRAGTemplate(localStorage.token, template);
|
||||||
|
};
|
||||||
|
|
||||||
|
onMount(async () => {
|
||||||
|
const res = await getChunkParams(localStorage.token);
|
||||||
|
|
||||||
|
if (res) {
|
||||||
|
chunkSize = res.chunk_size;
|
||||||
|
chunkOverlap = res.chunk_overlap;
|
||||||
|
}
|
||||||
|
|
||||||
|
template = await getRAGTemplate(localStorage.token);
|
||||||
|
});
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<form
|
||||||
|
class="flex flex-col h-full justify-between space-y-3 text-sm"
|
||||||
|
on:submit|preventDefault={() => {
|
||||||
|
submitHandler();
|
||||||
|
saveHandler();
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<div class=" space-y-3 pr-1.5 overflow-y-scroll max-h-80">
|
||||||
|
<div>
|
||||||
|
<div class=" mb-2 text-sm font-medium">General Settings</div>
|
||||||
|
|
||||||
|
<div class=" flex w-full justify-between">
|
||||||
|
<div class=" self-center text-xs font-medium">Scan for documents from '/data/docs'</div>
|
||||||
|
|
||||||
|
<button
|
||||||
|
class=" self-center text-xs p-1 px-3 bg-gray-100 dark:bg-gray-800 dark:hover:bg-gray-700 rounded flex flex-row space-x-1 items-center {loading
|
||||||
|
? ' cursor-not-allowed'
|
||||||
|
: ''}"
|
||||||
|
on:click={() => {
|
||||||
|
scanHandler();
|
||||||
|
console.log('check');
|
||||||
|
}}
|
||||||
|
type="button"
|
||||||
|
disabled={loading}
|
||||||
|
>
|
||||||
|
<div class="self-center font-medium">Scan</div>
|
||||||
|
|
||||||
|
<!-- <svg
|
||||||
|
xmlns="http://www.w3.org/2000/svg"
|
||||||
|
viewBox="0 0 16 16"
|
||||||
|
fill="currentColor"
|
||||||
|
class="w-3 h-3"
|
||||||
|
>
|
||||||
|
<path
|
||||||
|
fill-rule="evenodd"
|
||||||
|
d="M13.836 2.477a.75.75 0 0 1 .75.75v3.182a.75.75 0 0 1-.75.75h-3.182a.75.75 0 0 1 0-1.5h1.37l-.84-.841a4.5 4.5 0 0 0-7.08.932.75.75 0 0 1-1.3-.75 6 6 0 0 1 9.44-1.242l.842.84V3.227a.75.75 0 0 1 .75-.75Zm-.911 7.5A.75.75 0 0 1 13.199 11a6 6 0 0 1-9.44 1.241l-.84-.84v1.371a.75.75 0 0 1-1.5 0V9.591a.75.75 0 0 1 .75-.75H5.35a.75.75 0 0 1 0 1.5H3.98l.841.841a4.5 4.5 0 0 0 7.08-.932.75.75 0 0 1 1.025-.273Z"
|
||||||
|
clip-rule="evenodd"
|
||||||
|
/>
|
||||||
|
</svg> -->
|
||||||
|
|
||||||
|
{#if loading}
|
||||||
|
<div class="ml-3 self-center">
|
||||||
|
<svg
|
||||||
|
class=" w-3 h-3"
|
||||||
|
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>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<hr class=" dark:border-gray-700" />
|
||||||
|
|
||||||
|
<div class=" ">
|
||||||
|
<div class=" text-sm font-medium">Chunk Params</div>
|
||||||
|
|
||||||
|
<div class=" flex">
|
||||||
|
<div class=" flex w-full justify-between">
|
||||||
|
<div class="self-center text-xs font-medium min-w-fit">Chunk Size</div>
|
||||||
|
|
||||||
|
<div class="self-center p-3">
|
||||||
|
<input
|
||||||
|
class=" w-full rounded py-1.5 px-4 text-sm dark:text-gray-300 dark:bg-gray-800 outline-none border border-gray-100 dark:border-gray-600"
|
||||||
|
type="number"
|
||||||
|
placeholder="Enter Chunk Size"
|
||||||
|
bind:value={chunkSize}
|
||||||
|
autocomplete="off"
|
||||||
|
min="0"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="flex w-full">
|
||||||
|
<div class=" self-center text-xs font-medium min-w-fit">Chunk Overlap</div>
|
||||||
|
|
||||||
|
<div class="self-center p-3">
|
||||||
|
<input
|
||||||
|
class="w-full rounded py-1.5 px-4 text-sm dark:text-gray-300 dark:bg-gray-800 outline-none border border-gray-100 dark:border-gray-600"
|
||||||
|
type="number"
|
||||||
|
placeholder="Enter Chunk Overlap"
|
||||||
|
bind:value={chunkOverlap}
|
||||||
|
autocomplete="off"
|
||||||
|
min="0"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<div class=" mb-2.5 text-sm font-medium">RAG Template</div>
|
||||||
|
<textarea
|
||||||
|
bind:value={template}
|
||||||
|
class="w-full rounded p-4 text-sm dark:text-gray-300 dark:bg-gray-800 outline-none resize-none"
|
||||||
|
rows="4"
|
||||||
|
/>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="flex justify-end pt-3 text-sm font-medium">
|
||||||
|
<button
|
||||||
|
class=" px-4 py-2 bg-emerald-600 hover:bg-emerald-700 text-gray-100 transition rounded"
|
||||||
|
type="submit"
|
||||||
|
>
|
||||||
|
Save
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</form>
|
86
src/lib/components/documents/SettingsModal.svelte
Normal file
86
src/lib/components/documents/SettingsModal.svelte
Normal file
|
@ -0,0 +1,86 @@
|
||||||
|
<script>
|
||||||
|
import Modal from '../common/Modal.svelte';
|
||||||
|
import General from './Settings/General.svelte';
|
||||||
|
|
||||||
|
export let show = false;
|
||||||
|
|
||||||
|
let selectedTab = 'general';
|
||||||
|
</script>
|
||||||
|
|
||||||
|
<Modal bind:show>
|
||||||
|
<div>
|
||||||
|
<div class=" flex justify-between dark:text-gray-300 px-5 py-4">
|
||||||
|
<div class=" text-lg font-medium self-center">Document Settings</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>
|
||||||
|
<hr class=" dark:border-gray-800" />
|
||||||
|
|
||||||
|
<div class="flex flex-col md:flex-row w-full p-4 md:space-x-4">
|
||||||
|
<div
|
||||||
|
class="tabs flex flex-row overflow-x-auto space-x-1 md:space-x-0 md:space-y-1 md:flex-col flex-1 md:flex-none md:w-40 dark:text-gray-200 text-xs text-left mb-3 md:mb-0"
|
||||||
|
>
|
||||||
|
<button
|
||||||
|
class="px-2.5 py-2.5 min-w-fit rounded-lg flex-1 md:flex-none flex text-right transition {selectedTab ===
|
||||||
|
'general'
|
||||||
|
? 'bg-gray-200 dark:bg-gray-700'
|
||||||
|
: ' hover:bg-gray-300 dark:hover:bg-gray-800'}"
|
||||||
|
on:click={() => {
|
||||||
|
selectedTab = 'general';
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<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="M6.955 1.45A.5.5 0 0 1 7.452 1h1.096a.5.5 0 0 1 .497.45l.17 1.699c.484.12.94.312 1.356.562l1.321-1.081a.5.5 0 0 1 .67.033l.774.775a.5.5 0 0 1 .034.67l-1.08 1.32c.25.417.44.873.561 1.357l1.699.17a.5.5 0 0 1 .45.497v1.096a.5.5 0 0 1-.45.497l-1.699.17c-.12.484-.312.94-.562 1.356l1.082 1.322a.5.5 0 0 1-.034.67l-.774.774a.5.5 0 0 1-.67.033l-1.322-1.08c-.416.25-.872.44-1.356.561l-.17 1.699a.5.5 0 0 1-.497.45H7.452a.5.5 0 0 1-.497-.45l-.17-1.699a4.973 4.973 0 0 1-1.356-.562L4.108 13.37a.5.5 0 0 1-.67-.033l-.774-.775a.5.5 0 0 1-.034-.67l1.08-1.32a4.971 4.971 0 0 1-.561-1.357l-1.699-.17A.5.5 0 0 1 1 8.548V7.452a.5.5 0 0 1 .45-.497l1.699-.17c.12-.484.312-.94.562-1.356L2.629 4.107a.5.5 0 0 1 .034-.67l.774-.774a.5.5 0 0 1 .67-.033L5.43 3.71a4.97 4.97 0 0 1 1.356-.561l.17-1.699ZM6 8c0 .538.212 1.026.558 1.385l.057.057a2 2 0 0 0 2.828-2.828l-.058-.056A2 2 0 0 0 6 8Z"
|
||||||
|
clip-rule="evenodd"
|
||||||
|
/>
|
||||||
|
</svg>
|
||||||
|
</div>
|
||||||
|
<div class=" self-center">General</div>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
<div class="flex-1 md:min-h-[380px]">
|
||||||
|
{#if selectedTab === 'general'}
|
||||||
|
<General
|
||||||
|
saveHandler={() => {
|
||||||
|
show = false;
|
||||||
|
}}
|
||||||
|
/>
|
||||||
|
<!-- <General
|
||||||
|
saveHandler={() => {
|
||||||
|
show = false;
|
||||||
|
}}
|
||||||
|
/> -->
|
||||||
|
<!-- {:else if selectedTab === 'users'}
|
||||||
|
<Users
|
||||||
|
saveHandler={() => {
|
||||||
|
show = false;
|
||||||
|
}}
|
||||||
|
/> -->
|
||||||
|
{/if}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</Modal>
|
|
@ -1,17 +1,21 @@
|
||||||
export const RAGTemplate = (context: string, query: string) => {
|
import { getRAGTemplate } from '$lib/apis/rag';
|
||||||
let template = `Use the following context as your learned knowledge, inside <context></context> XML tags.
|
|
||||||
<context>
|
export const RAGTemplate = async (token: string, context: string, query: string) => {
|
||||||
[context]
|
let template = await getRAGTemplate(token).catch(() => {
|
||||||
</context>
|
return `Use the following context as your learned knowledge, inside <context></context> XML tags.
|
||||||
|
<context>
|
||||||
When answer to user:
|
[context]
|
||||||
- If you don't know, just say that you don't know.
|
</context>
|
||||||
- If you don't know when you are not sure, ask for clarification.
|
|
||||||
Avoid mentioning that you obtained the information from the context.
|
When answer to user:
|
||||||
And answer according to the language of the user's question.
|
- If you don't know, just say that you don't know.
|
||||||
|
- If you don't know when you are not sure, ask for clarification.
|
||||||
Given the context information, answer the query.
|
Avoid mentioning that you obtained the information from the context.
|
||||||
Query: [query]`;
|
And answer according to the language of the user's question.
|
||||||
|
|
||||||
|
Given the context information, answer the query.
|
||||||
|
Query: [query]`;
|
||||||
|
});
|
||||||
|
|
||||||
template = template.replace(/\[context\]/g, context);
|
template = template.replace(/\[context\]/g, context);
|
||||||
template = template.replace(/\[query\]/g, query);
|
template = template.replace(/\[query\]/g, query);
|
||||||
|
|
|
@ -266,7 +266,11 @@
|
||||||
|
|
||||||
console.log(contextString);
|
console.log(contextString);
|
||||||
|
|
||||||
history.messages[parentId].raContent = RAGTemplate(contextString, query);
|
history.messages[parentId].raContent = await RAGTemplate(
|
||||||
|
localStorage.token,
|
||||||
|
contextString,
|
||||||
|
query
|
||||||
|
);
|
||||||
history.messages[parentId].contexts = relevantContexts;
|
history.messages[parentId].contexts = relevantContexts;
|
||||||
await tick();
|
await tick();
|
||||||
processing = '';
|
processing = '';
|
||||||
|
|
|
@ -280,7 +280,11 @@
|
||||||
|
|
||||||
console.log(contextString);
|
console.log(contextString);
|
||||||
|
|
||||||
history.messages[parentId].raContent = RAGTemplate(contextString, query);
|
history.messages[parentId].raContent = await RAGTemplate(
|
||||||
|
localStorage.token,
|
||||||
|
contextString,
|
||||||
|
query
|
||||||
|
);
|
||||||
history.messages[parentId].contexts = relevantContexts;
|
history.messages[parentId].contexts = relevantContexts;
|
||||||
await tick();
|
await tick();
|
||||||
processing = '';
|
processing = '';
|
||||||
|
|
|
@ -13,6 +13,7 @@
|
||||||
|
|
||||||
import EditDocModal from '$lib/components/documents/EditDocModal.svelte';
|
import EditDocModal from '$lib/components/documents/EditDocModal.svelte';
|
||||||
import AddFilesPlaceholder from '$lib/components/AddFilesPlaceholder.svelte';
|
import AddFilesPlaceholder from '$lib/components/AddFilesPlaceholder.svelte';
|
||||||
|
import SettingsModal from '$lib/components/documents/SettingsModal.svelte';
|
||||||
let importFiles = '';
|
let importFiles = '';
|
||||||
|
|
||||||
let inputFiles = '';
|
let inputFiles = '';
|
||||||
|
@ -20,6 +21,7 @@
|
||||||
|
|
||||||
let tags = [];
|
let tags = [];
|
||||||
|
|
||||||
|
let showSettingsModal = false;
|
||||||
let showEditDocModal = false;
|
let showEditDocModal = false;
|
||||||
let selectedDoc;
|
let selectedDoc;
|
||||||
let selectedTag = '';
|
let selectedTag = '';
|
||||||
|
@ -179,11 +181,38 @@
|
||||||
}}
|
}}
|
||||||
/>
|
/>
|
||||||
|
|
||||||
|
<SettingsModal bind:show={showSettingsModal} />
|
||||||
|
|
||||||
<div class="min-h-screen max-h-[100dvh] w-full flex justify-center dark:text-white">
|
<div class="min-h-screen max-h-[100dvh] w-full flex justify-center dark:text-white">
|
||||||
<div class=" py-2.5 flex flex-col justify-between w-full overflow-y-auto">
|
<div class=" py-2.5 flex flex-col justify-between w-full overflow-y-auto">
|
||||||
<div class="max-w-2xl mx-auto w-full px-3 md:px-0 my-10">
|
<div class="max-w-2xl mx-auto w-full px-3 md:px-0 my-10">
|
||||||
<div class="mb-6 flex justify-between items-center">
|
<div class="mb-6 flex justify-between items-center">
|
||||||
<div class=" text-2xl font-semibold self-center">My Documents</div>
|
<div class=" text-2xl font-semibold self-center">My Documents</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<button
|
||||||
|
class="flex items-center space-x-1 border border-gray-200 dark:border-gray-600 px-3 py-1 rounded-lg"
|
||||||
|
type="button"
|
||||||
|
on:click={() => {
|
||||||
|
showSettingsModal = !showSettingsModal;
|
||||||
|
}}
|
||||||
|
>
|
||||||
|
<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="M6.955 1.45A.5.5 0 0 1 7.452 1h1.096a.5.5 0 0 1 .497.45l.17 1.699c.484.12.94.312 1.356.562l1.321-1.081a.5.5 0 0 1 .67.033l.774.775a.5.5 0 0 1 .034.67l-1.08 1.32c.25.417.44.873.561 1.357l1.699.17a.5.5 0 0 1 .45.497v1.096a.5.5 0 0 1-.45.497l-1.699.17c-.12.484-.312.94-.562 1.356l1.082 1.322a.5.5 0 0 1-.034.67l-.774.774a.5.5 0 0 1-.67.033l-1.322-1.08c-.416.25-.872.44-1.356.561l-.17 1.699a.5.5 0 0 1-.497.45H7.452a.5.5 0 0 1-.497-.45l-.17-1.699a4.973 4.973 0 0 1-1.356-.562L4.108 13.37a.5.5 0 0 1-.67-.033l-.774-.775a.5.5 0 0 1-.034-.67l1.08-1.32a4.971 4.971 0 0 1-.561-1.357l-1.699-.17A.5.5 0 0 1 1 8.548V7.452a.5.5 0 0 1 .45-.497l1.699-.17c.12-.484.312-.94.562-1.356L2.629 4.107a.5.5 0 0 1 .034-.67l.774-.774a.5.5 0 0 1 .67-.033L5.43 3.71a4.97 4.97 0 0 1 1.356-.561l.17-1.699ZM6 8c0 .538.212 1.026.558 1.385l.057.057a2 2 0 0 0 2.828-2.828l-.058-.056A2 2 0 0 0 6 8Z"
|
||||||
|
clip-rule="evenodd"
|
||||||
|
/>
|
||||||
|
</svg>
|
||||||
|
|
||||||
|
<div class=" text-xs">Document Settings</div>
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class=" flex w-full space-x-2">
|
<div class=" flex w-full space-x-2">
|
||||||
|
@ -419,6 +448,8 @@
|
||||||
</button>
|
</button>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<div class=" my-2.5" />
|
||||||
{/each}
|
{/each}
|
||||||
|
|
||||||
{#if $documents.length > 0}
|
{#if $documents.length > 0}
|
||||||
|
|
|
@ -171,12 +171,18 @@
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="text-xs text-gray-400 dark:text-gray-500">
|
<div class="text-xs text-gray-400 dark:text-gray-500">
|
||||||
Format your variables using square brackets like this: <span
|
ⓘ Format your variables using square brackets like this: <span
|
||||||
class=" text-gray-600 dark:text-gray-300 font-medium">[variable]</span
|
class=" text-gray-600 dark:text-gray-300 font-medium">[variable]</span
|
||||||
>
|
>
|
||||||
. Make sure to enclose them with
|
. Make sure to enclose them with
|
||||||
<span class=" text-gray-600 dark:text-gray-300 font-medium">'['</span>
|
<span class=" text-gray-600 dark:text-gray-300 font-medium">'['</span>
|
||||||
and <span class=" text-gray-600 dark:text-gray-300 font-medium">']'</span> .
|
and <span class=" text-gray-600 dark:text-gray-300 font-medium">']'</span>.
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="text-xs text-gray-400 dark:text-gray-500">
|
||||||
|
Utilize <span class=" text-gray-600 dark:text-gray-300 font-medium"
|
||||||
|
>{`{{CLIPBOARD}}`}</span
|
||||||
|
> variable to have them replaced with clipboard content.
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
Loading…
Reference in a new issue