Przeglądaj źródła

refac: documents -> projects

Timothy J. Baek 7 miesięcy temu
rodzic
commit
c5eb0a9732

+ 2 - 2
backend/open_webui/apps/webui/main.py

@@ -10,7 +10,7 @@ from open_webui.apps.webui.routers import (
     auths,
     chats,
     configs,
-    documents,
+    projects,
     files,
     functions,
     memories,
@@ -111,7 +111,7 @@ 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(projects.router, prefix="/projects", tags=["projects"])
 app.include_router(models.router, prefix="/models", tags=["models"])
 app.include_router(prompts.router, prefix="/prompts", tags=["prompts"])
 

+ 142 - 0
backend/open_webui/apps/webui/models/projects.py

@@ -0,0 +1,142 @@
+import json
+import logging
+import time
+from typing import Optional
+
+from open_webui.apps.webui.internal.db import Base, get_db
+from open_webui.env import SRC_LOG_LEVELS
+from pydantic import BaseModel, ConfigDict
+from sqlalchemy import BigInteger, Column, String, Text, JSON
+
+
+log = logging.getLogger(__name__)
+log.setLevel(SRC_LOG_LEVELS["MODELS"])
+
+####################
+# Projects DB Schema
+####################
+
+
+class Project(Base):
+    __tablename__ = "project"
+
+    id = Column(Text, unique=True, primary_key=True)
+    user_id = Column(Text)
+
+    name = Column(Text)
+    description = Column(Text)
+
+    data = Column(JSON, nullable=True)
+    meta = Column(JSON, nullable=True)
+
+    created_at = Column(BigInteger)
+    updated_at = Column(BigInteger)
+
+
+class ProjectModel(BaseModel):
+    model_config = ConfigDict(from_attributes=True)
+
+    id: str
+    user_id: str
+
+    name: str
+    description: str
+
+    data: Optional[dict] = None
+    meta: Optional[dict] = None
+
+    created_at: int  # timestamp in epoch
+    updated_at: int  # timestamp in epoch
+
+
+####################
+# Forms
+####################
+
+
+class ProjectResponse(BaseModel):
+    id: str
+    name: str
+    description: str
+    data: Optional[dict] = None
+    meta: Optional[dict] = None
+    created_at: int  # timestamp in epoch
+    updated_at: int  # timestamp in epoch
+
+
+class ProjectForm(BaseModel):
+    id: str
+    name: str
+    description: str
+    data: Optional[dict] = None
+
+
+class ProjectTable:
+    def insert_new_project(
+        self, user_id: str, form_data: ProjectForm
+    ) -> Optional[ProjectModel]:
+        with get_db() as db:
+            project = ProjectModel(
+                **{
+                    **form_data.model_dump(),
+                    "user_id": user_id,
+                    "created_at": int(time.time()),
+                    "updated_at": int(time.time()),
+                }
+            )
+
+            try:
+                result = Project(**project.model_dump())
+                db.add(result)
+                db.commit()
+                db.refresh(result)
+                if result:
+                    return ProjectModel.model_validate(result)
+                else:
+                    return None
+            except Exception:
+                return None
+
+    def get_projects(self) -> list[ProjectModel]:
+        with get_db() as db:
+            return [
+                ProjectModel.model_validate(project)
+                for project in db.query(Project).all()
+            ]
+
+    def get_project_by_id(self, id: str) -> Optional[ProjectModel]:
+        try:
+            with get_db() as db:
+                project = db.query(Project).filter_by(id=id).first()
+                return ProjectModel.model_validate(project) if project else None
+        except Exception:
+            return None
+
+    def update_project_by_id(
+        self, id: str, form_data: ProjectForm
+    ) -> Optional[ProjectModel]:
+        try:
+            with get_db() as db:
+                db.query(Project).filter_by(id=id).update(
+                    {
+                        "name": form_data.name,
+                        "updated_id": int(time.time()),
+                    }
+                )
+                db.commit()
+                return self.get_project_by_id(id=form_data.id)
+        except Exception as e:
+            log.exception(e)
+            return None
+
+    def delete_project_by_id(self, id: str) -> bool:
+        try:
+            with get_db() as db:
+                db.query(Project).filter_by(id=id).delete()
+                db.commit()
+                return True
+        except Exception:
+            return False
+
+
+Projects = ProjectTable()

+ 95 - 0
backend/open_webui/apps/webui/routers/projects.py

@@ -0,0 +1,95 @@
+import json
+from typing import Optional, Union
+from pydantic import BaseModel
+from fastapi import APIRouter, Depends, HTTPException, status
+
+
+from open_webui.apps.webui.models.projects import (
+    Projects,
+    ProjectModel,
+    ProjectForm,
+    ProjectResponse,
+)
+from open_webui.constants import ERROR_MESSAGES
+from open_webui.utils.utils import get_admin_user, get_verified_user
+
+router = APIRouter()
+
+############################
+# GetProjects
+############################
+
+
+@router.get("/", response_model=Optional[Union[list[ProjectResponse], ProjectResponse]])
+async def get_projects(id: Optional[str] = None, user=Depends(get_verified_user)):
+    if id:
+        project = Projects.get_project_by_id(id=id)
+
+        if project:
+            return project
+        else:
+            raise HTTPException(
+                status_code=status.HTTP_401_UNAUTHORIZED,
+                detail=ERROR_MESSAGES.NOT_FOUND,
+            )
+    else:
+        return [
+            ProjectResponse(**project.model_dump())
+            for project in Projects.get_projects()
+        ]
+
+
+############################
+# CreateNewProject
+############################
+
+
+@router.post("/create", response_model=Optional[ProjectResponse])
+async def create_new_project(form_data: ProjectForm, user=Depends(get_admin_user)):
+    project = Projects.get_project_by_id(form_data.id)
+    if project is None:
+        project = Projects.insert_new_project(user.id, form_data)
+
+        if project:
+            return project
+        else:
+            raise HTTPException(
+                status_code=status.HTTP_400_BAD_REQUEST,
+                detail=ERROR_MESSAGES.FILE_EXISTS,
+            )
+    else:
+        raise HTTPException(
+            status_code=status.HTTP_400_BAD_REQUEST,
+            detail=ERROR_MESSAGES.ID_TAKEN,
+        )
+
+
+############################
+# UpdateProjectById
+############################
+
+
+@router.post("/update", response_model=Optional[ProjectResponse])
+async def update_project_by_id(
+    form_data: ProjectForm,
+    user=Depends(get_admin_user),
+):
+    project = Projects.update_project_by_id(form_data)
+    if project:
+        return project
+    else:
+        raise HTTPException(
+            status_code=status.HTTP_400_BAD_REQUEST,
+            detail=ERROR_MESSAGES.ID_TAKEN,
+        )
+
+
+############################
+# DeleteProjectById
+############################
+
+
+@router.delete("/delete", response_model=bool)
+async def delete_project_by_id(id: str, user=Depends(get_admin_user)):
+    result = Projects.delete_project_by_id(id=id)
+    return result

+ 167 - 0
src/lib/apis/projects/index.ts

@@ -0,0 +1,167 @@
+import { WEBUI_API_BASE_URL } from '$lib/constants';
+
+export const createNewProject = async (token: string, id: string, name: string) => {
+	let error = null;
+
+	const res = await fetch(`${WEBUI_API_BASE_URL}/projects/create`, {
+		method: 'POST',
+		headers: {
+			Accept: 'application/json',
+			'Content-Type': 'application/json',
+			authorization: `Bearer ${token}`
+		},
+		body: JSON.stringify({
+			id: id,
+			name: name
+		})
+	})
+		.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 getProjects = async (token: string = '') => {
+	let error = null;
+
+	const res = await fetch(`${WEBUI_API_BASE_URL}/projects/`, {
+		method: 'GET',
+		headers: {
+			Accept: 'application/json',
+			'Content-Type': 'application/json',
+			authorization: `Bearer ${token}`
+		}
+	})
+		.then(async (res) => {
+			if (!res.ok) throw await res.json();
+			return res.json();
+		})
+		.then((json) => {
+			return json;
+		})
+		.catch((err) => {
+			error = err.detail;
+			console.log(err);
+			return null;
+		});
+
+	if (error) {
+		throw error;
+	}
+
+	return res;
+};
+
+export const getProjectById = async (token: string, id: string) => {
+	let error = null;
+
+	const res = await fetch(`${WEBUI_API_BASE_URL}/projects/${id}`, {
+		method: 'GET',
+		headers: {
+			Accept: 'application/json',
+			'Content-Type': 'application/json',
+			authorization: `Bearer ${token}`
+		}
+	})
+		.then(async (res) => {
+			if (!res.ok) throw await res.json();
+			return res.json();
+		})
+		.then((json) => {
+			return json;
+		})
+		.catch((err) => {
+			error = err.detail;
+
+			console.log(err);
+			return null;
+		});
+
+	if (error) {
+		throw error;
+	}
+
+	return res;
+};
+
+type ProjectForm = {
+	name: string;
+};
+
+export const updateProjectById = async (token: string, id: string, form: ProjectForm) => {
+	let error = null;
+
+	const res = await fetch(`${WEBUI_API_BASE_URL}/projects/${id}/update`, {
+		method: 'POST',
+		headers: {
+			Accept: 'application/json',
+			'Content-Type': 'application/json',
+			authorization: `Bearer ${token}`
+		},
+		body: JSON.stringify({
+			name: form.name
+		})
+	})
+		.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 deleteProjectById = async (token: string, id: string) => {
+	let error = null;
+
+	const res = await fetch(`${WEBUI_API_BASE_URL}/projects/${id}/delete`, {
+		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;
+};

+ 8 - 6
src/lib/components/admin/Settings/Documents.svelte

@@ -1,10 +1,10 @@
 <script lang="ts">
+	import { toast } from 'svelte-sonner';
+
 	import { onMount, getContext, createEventDispatcher } from 'svelte';
 
 	const dispatch = createEventDispatcher();
 
-	import { getDocs } from '$lib/apis/documents';
-	import { deleteAllFiles, deleteFileById } from '$lib/apis/files';
 	import {
 		getQuerySettings,
 		processDocsDir,
@@ -18,11 +18,13 @@
 		getRAGConfig,
 		updateRAGConfig
 	} from '$lib/apis/retrieval';
+
+	import { projects, models } from '$lib/stores';
+	import { getProjects } from '$lib/apis/projects';
+	import { deleteAllFiles, deleteFileById } from '$lib/apis/files';
+
 	import ResetUploadDirConfirmDialog from '$lib/components/common/ConfirmDialog.svelte';
 	import ResetVectorDBConfirmDialog from '$lib/components/common/ConfirmDialog.svelte';
-
-	import { documents, models } from '$lib/stores';
-	import { toast } from 'svelte-sonner';
 	import SensitiveInput from '$lib/components/common/SensitiveInput.svelte';
 	import Tooltip from '$lib/components/common/Tooltip.svelte';
 
@@ -67,7 +69,7 @@
 		scanDirLoading = false;
 
 		if (res) {
-			await documents.set(await getDocs(localStorage.token));
+			await projects.set(await getProjects(localStorage.token));
 			toast.success($i18n.t('Scan complete!'));
 		}
 	};

+ 2 - 2
src/lib/components/chat/MessageInput/Commands.svelte

@@ -5,7 +5,7 @@
 	const dispatch = createEventDispatcher();
 
 	import Prompts from './Commands/Prompts.svelte';
-	import Documents from './Commands/Documents.svelte';
+	import Projects from './Commands/Projects.svelte';
 	import Models from './Commands/Models.svelte';
 
 	import { removeLastWordFromString } from '$lib/utils';
@@ -97,7 +97,7 @@
 	{#if command?.charAt(0) === '/'}
 		<Prompts bind:this={commandElement} bind:prompt bind:files {command} />
 	{:else if command?.charAt(0) === '#'}
-		<Documents
+		<Projects
 			bind:this={commandElement}
 			bind:prompt
 			{command}

+ 49 - 68
src/lib/components/chat/MessageInput/Commands/Documents.svelte → src/lib/components/chat/MessageInput/Commands/Projects.svelte

@@ -1,10 +1,10 @@
 <script lang="ts">
-	import { createEventDispatcher } from 'svelte';
+	import { toast } from 'svelte-sonner';
+	import Fuse from 'fuse.js';
 
-	import { documents } from '$lib/stores';
+	import { createEventDispatcher, tick, getContext, onMount } from 'svelte';
 	import { removeLastWordFromString, isValidHttpUrl } from '$lib/utils';
-	import { tick, getContext } from 'svelte';
-	import { toast } from 'svelte-sonner';
+	import { projects } from '$lib/stores';
 
 	const i18n = getContext('i18n');
 
@@ -14,49 +14,19 @@
 	const dispatch = createEventDispatcher();
 	let selectedIdx = 0;
 
-	let filteredItems = [];
-	let filteredDocs = [];
-
-	let collections = [];
-
-	$: collections = [
-		...($documents.length > 0
-			? [
-					{
-						name: 'All Documents',
-						type: 'collection',
-						title: $i18n.t('All Documents'),
-						collection_names: $documents.map((doc) => doc.collection_name)
-					}
-				]
-			: []),
-		...$documents
-			.reduce((a, e, i, arr) => {
-				return [...new Set([...a, ...(e?.content?.tags ?? []).map((tag) => tag.name)])];
-			}, [])
-			.map((tag) => ({
-				name: tag,
-				type: 'collection',
-				collection_names: $documents
-					.filter((doc) => (doc?.content?.tags ?? []).map((tag) => tag.name).includes(tag))
-					.map((doc) => doc.collection_name)
-			}))
-	];
-
-	$: filteredCollections = collections
-		.filter((collection) => findByName(collection, command))
-		.sort((a, b) => a.name.localeCompare(b.name));
-
-	$: filteredDocs = $documents
-		.filter((doc) => findByName(doc, command))
-		.sort((a, b) => a.title.localeCompare(b.title));
-
-	$: filteredItems = [...filteredCollections, ...filteredDocs];
+	let fuse = null;
+
+	let filteredProjects = [];
+	$: if (fuse) {
+		filteredProjects = command.slice(1)
+			? fuse.search(command).map((e) => {
+					return e.item;
+				})
+			: $projects;
+	}
 
 	$: if (command) {
 		selectedIdx = 0;
-
-		console.log(filteredCollections);
 	}
 
 	type ObjectWithName = {
@@ -73,11 +43,11 @@
 	};
 
 	export const selectDown = () => {
-		selectedIdx = Math.min(selectedIdx + 1, filteredItems.length - 1);
+		selectedIdx = Math.min(selectedIdx + 1, filteredProjects.length - 1);
 	};
 
-	const confirmSelect = async (doc) => {
-		dispatch('select', doc);
+	const confirmSelect = async (item) => {
+		dispatch('select', item);
 
 		prompt = removeLastWordFromString(prompt, command);
 		const chatInputElement = document.getElementById('chat-textarea');
@@ -108,9 +78,15 @@
 		chatInputElement?.focus();
 		await tick();
 	};
+
+	onMount(() => {
+		fuse = new Fuse($projects, {
+			keys: ['name', 'description']
+		});
+	});
 </script>
 
-{#if filteredItems.length > 0 || prompt.split(' ')?.at(0)?.substring(1).startsWith('http')}
+{#if filteredProjects.length > 0 || prompt.split(' ')?.at(0)?.substring(1).startsWith('http')}
 	<div
 		id="commands-container"
 		class="pl-1 pr-12 mb-3 text-left w-full absolute bottom-0 left-0 right-0 z-10"
@@ -124,39 +100,44 @@
 				class="max-h-60 flex flex-col w-full rounded-r-xl bg-white dark:bg-gray-900 dark:text-gray-100"
 			>
 				<div class="m-1 overflow-y-auto p-1 rounded-r-xl space-y-0.5 scrollbar-hidden">
-					{#each filteredItems as doc, docIdx}
+					{#each filteredProjects as project, idx}
 						<button
-							class=" px-3 py-1.5 rounded-xl w-full text-left {docIdx === selectedIdx
+							class=" px-3 py-1.5 rounded-xl w-full text-left {idx === selectedIdx
 								? ' bg-gray-50 dark:bg-gray-850 dark:text-gray-100 selected-command-option-button'
 								: ''}"
 							type="button"
 							on:click={() => {
-								console.log(doc);
-
-								confirmSelect(doc);
+								console.log(project);
+								confirmSelect(project);
 							}}
 							on:mousemove={() => {
-								selectedIdx = docIdx;
+								selectedIdx = idx;
 							}}
 							on:focus={() => {}}
 						>
-							{#if doc.type === 'collection'}
-								<div class=" font-medium text-black dark:text-gray-100 line-clamp-1">
-									{doc?.title ?? `#${doc.name}`}
+							<div class=" font-medium text-black dark:text-gray-100 flex items-center gap-1">
+								<div class="line-clamp-1">
+									{project.name}
 								</div>
 
-								<div class=" text-xs text-gray-600 dark:text-gray-100 line-clamp-1">
-									{$i18n.t('Collection')}
-								</div>
-							{:else}
-								<div class=" font-medium text-black dark:text-gray-100 line-clamp-1">
-									#{doc.name} ({doc.filename})
-								</div>
+								{#if project?.meta?.legacy}
+									<div
+										class="bg-gray-500/20 text-gray-700 dark:text-gray-200 rounded uppercase text-xs px-1"
+									>
+										Legacy Document
+									</div>
+								{:else}
+									<div
+										class="bg-green-500/20 text-green-700 dark:text-green-200 rounded uppercase text-xs px-1"
+									>
+										Project
+									</div>
+								{/if}
+							</div>
 
-								<div class=" text-xs text-gray-600 dark:text-gray-100 line-clamp-1">
-									{doc.title}
-								</div>
-							{/if}
+							<div class=" text-xs text-gray-600 dark:text-gray-100 line-clamp-1">
+								{project.description}
+							</div>
 						</button>
 					{/each}
 

+ 5 - 16
src/lib/components/workspace/Models/Knowledge/Selector.svelte

@@ -1,11 +1,10 @@
 <script lang="ts">
 	import { DropdownMenu } from 'bits-ui';
-
-	import { documents } from '$lib/stores';
+	import { onMount, getContext } from 'svelte';
 	import { flyAndScale } from '$lib/utils/transitions';
 
+	import { projects } from '$lib/stores';
 	import Dropdown from '$lib/components/common/Dropdown.svelte';
-	import { onMount, getContext } from 'svelte';
 
 	const i18n = getContext('i18n');
 
@@ -17,30 +16,20 @@
 
 	onMount(() => {
 		let collections = [
-			...($documents.length > 0
-				? [
-						{
-							name: 'All Documents',
-							type: 'collection',
-							title: $i18n.t('All Documents'),
-							collection_names: $documents.map((doc) => doc.collection_name)
-						}
-					]
-				: []),
-			...$documents
+			...$projects
 				.reduce((a, e, i, arr) => {
 					return [...new Set([...a, ...(e?.content?.tags ?? []).map((tag) => tag.name)])];
 				}, [])
 				.map((tag) => ({
 					name: tag,
 					type: 'collection',
-					collection_names: $documents
+					collection_names: $projects
 						.filter((doc) => (doc?.content?.tags ?? []).map((tag) => tag.name).includes(tag))
 						.map((doc) => doc.collection_name)
 				}))
 		];
 
-		items = [...collections, ...$documents];
+		items = [...collections, ...$projects];
 	});
 </script>
 

+ 168 - 0
src/lib/components/workspace/Projects.svelte

@@ -0,0 +1,168 @@
+<script lang="ts">
+	import dayjs from 'dayjs';
+	import relativeTime from 'dayjs/plugin/relativeTime';
+	dayjs.extend(relativeTime);
+
+	import { toast } from 'svelte-sonner';
+	import { onMount, getContext } from 'svelte';
+	const i18n = getContext('i18n');
+
+	import { WEBUI_NAME, projects } from '$lib/stores';
+
+	import { getProjects, deleteProjectById } from '$lib/apis/projects';
+
+	import { blobToFile, transformFileName } from '$lib/utils';
+
+	import { goto } from '$app/navigation';
+	import Tooltip from '../common/Tooltip.svelte';
+	import GarbageBin from '../icons/GarbageBin.svelte';
+	import Pencil from '../icons/Pencil.svelte';
+	import DeleteConfirmDialog from '../common/ConfirmDialog.svelte';
+	import ProjectMenu from './Projects/ProjectMenu.svelte';
+
+	let query = '';
+	let selectedProject = null;
+	let showDeleteConfirm = false;
+
+	let filteredProjects;
+	$: filteredProjects = $projects.filter((project) => query === '' || project.name.includes(query));
+
+	const deleteHandler = async (project) => {
+		const res = await deleteProjectById(localStorage.token, project.id).catch((e) => {
+			toast.error(e);
+		});
+
+		if (res) {
+			projects.set(await getProjects(localStorage.token));
+			toast.success($i18n.t('Project deleted successfully.'));
+		}
+	};
+
+	onMount(async () => {
+		projects.set(await getProjects(localStorage.token));
+	});
+</script>
+
+<svelte:head>
+	<title>
+		{$i18n.t('Projects')} | {$WEBUI_NAME}
+	</title>
+</svelte:head>
+
+<DeleteConfirmDialog
+	bind:show={showDeleteConfirm}
+	on:confirm={() => {
+		deleteHandler(selectedProject);
+	}}
+/>
+
+<div class="mb-3">
+	<div class="flex justify-between items-center">
+		<div class="flex md:self-center text-lg font-medium px-0.5">
+			{$i18n.t('Projects')}
+			<div class="flex self-center w-[1px] h-6 mx-2.5 bg-gray-200 dark:bg-gray-700" />
+			<span class="text-lg font-medium text-gray-500 dark:text-gray-300">{$projects.length}</span>
+		</div>
+	</div>
+</div>
+
+<div class=" flex w-full space-x-2">
+	<div class="flex flex-1">
+		<div class=" self-center ml-1 mr-3">
+			<svg
+				xmlns="http://www.w3.org/2000/svg"
+				viewBox="0 0 20 20"
+				fill="currentColor"
+				class="w-4 h-4"
+			>
+				<path
+					fill-rule="evenodd"
+					d="M9 3.5a5.5 5.5 0 100 11 5.5 5.5 0 000-11zM2 9a7 7 0 1112.452 4.391l3.328 3.329a.75.75 0 11-1.06 1.06l-3.329-3.328A7 7 0 012 9z"
+					clip-rule="evenodd"
+				/>
+			</svg>
+		</div>
+		<input
+			class=" w-full text-sm pr-4 py-1 rounded-r-xl outline-none bg-transparent"
+			bind:value={query}
+			placeholder={$i18n.t('Search Projects')}
+		/>
+	</div>
+
+	<div>
+		<button
+			class=" px-2 py-2 rounded-xl border border-gray-200 dark:border-gray-600 dark:border-0 hover:bg-gray-100 dark:bg-gray-800 dark:hover:bg-gray-700 transition font-medium text-sm flex items-center space-x-1"
+			aria-label={$i18n.t('Create Project')}
+			on:click={() => {
+				goto('/workspace/projects/create');
+			}}
+		>
+			<svg
+				xmlns="http://www.w3.org/2000/svg"
+				viewBox="0 0 16 16"
+				fill="currentColor"
+				class="w-4 h-4"
+			>
+				<path
+					d="M8.75 3.75a.75.75 0 0 0-1.5 0v3.5h-3.5a.75.75 0 0 0 0 1.5h3.5v3.5a.75.75 0 0 0 1.5 0v-3.5h3.5a.75.75 0 0 0 0-1.5h-3.5v-3.5Z"
+				/>
+			</svg>
+		</button>
+	</div>
+</div>
+
+<hr class=" dark:border-gray-850 my-2.5" />
+
+<div class="my-3 mb-5 grid md:grid-cols-2 gap-2">
+	{#each filteredProjects as project}
+		<button
+			class=" flex space-x-4 cursor-pointer text-left w-full px-4 py-3 border dark:border-gray-850 dark:hover:bg-gray-850 rounded-xl"
+		>
+			<div class=" w-full">
+				<div class="flex items-center justify-between -mt-1">
+					<div class=" font-semibold line-clamp-1 h-fit">{project.name}</div>
+
+					<div class=" flex self-center">
+						<ProjectMenu
+							on:delete={() => {
+								selectedProject = project;
+								showDeleteConfirm = true;
+							}}
+						/>
+					</div>
+				</div>
+
+				<div class=" self-center flex-1">
+					<div class=" text-xs overflow-hidden text-ellipsis line-clamp-1">
+						{project.description}
+					</div>
+
+					<div class="mt-5 flex justify-between">
+						<div>
+							{#if project?.meta?.legacy}
+								<div
+									class="bg-gray-500/20 text-gray-700 dark:text-gray-200 rounded uppercase text-xs font-bold px-1"
+								>
+									{$i18n.t('Legacy Document')}
+								</div>
+							{:else}
+								<div
+									class="bg-green-500/20 text-green-700 dark:text-green-200 rounded uppercase text-xs px-1"
+								>
+									{$i18n.t('Project')}
+								</div>
+							{/if}
+						</div>
+						<div class=" text-xs text-gray-500">
+							Updated {dayjs(project.updated_at * 1000).fromNow()}
+						</div>
+					</div>
+				</div>
+			</div>
+		</button>
+	{/each}
+</div>
+
+<div class=" text-gray-500 text-xs mt-1 mb-2">
+	ⓘ {$i18n.t("Use '#' in the prompt input to load and select your projects.")}
+</div>

+ 0 - 0
src/lib/components/workspace/Projects/CreateProject.svelte


+ 0 - 0
src/lib/components/workspace/Projects/EditProject.svelte


+ 65 - 0
src/lib/components/workspace/Projects/ProjectMenu.svelte

@@ -0,0 +1,65 @@
+<script lang="ts">
+	import { DropdownMenu } from 'bits-ui';
+	import { flyAndScale } from '$lib/utils/transitions';
+	import { getContext, createEventDispatcher } from 'svelte';
+	const dispatch = createEventDispatcher();
+
+	import Dropdown from '$lib/components/common/Dropdown.svelte';
+	import GarbageBin from '$lib/components/icons/GarbageBin.svelte';
+	import Pencil from '$lib/components/icons/Pencil.svelte';
+	import Tooltip from '$lib/components/common/Tooltip.svelte';
+	import Tags from '$lib/components/chat/Tags.svelte';
+	import Share from '$lib/components/icons/Share.svelte';
+	import ArchiveBox from '$lib/components/icons/ArchiveBox.svelte';
+	import DocumentDuplicate from '$lib/components/icons/DocumentDuplicate.svelte';
+	import ArrowDownTray from '$lib/components/icons/ArrowDownTray.svelte';
+	import ArrowUpCircle from '$lib/components/icons/ArrowUpCircle.svelte';
+	import EllipsisHorizontal from '$lib/components/icons/EllipsisHorizontal.svelte';
+
+	const i18n = getContext('i18n');
+
+	export let onClose: Function = () => {};
+
+	let show = false;
+</script>
+
+<Dropdown
+	bind:show
+	on:change={(e) => {
+		if (e.detail === false) {
+			onClose();
+		}
+	}}
+	align="end"
+>
+	<Tooltip content={$i18n.t('More')}>
+		<slot
+			><button
+				class="self-center w-fit text-sm p-1.5 dark:text-gray-300 dark:hover:text-white hover:bg-black/5 dark:hover:bg-white/5 rounded-xl"
+				type="button"
+			>
+				<EllipsisHorizontal className="size-5" />
+			</button>
+		</slot>
+	</Tooltip>
+
+	<div slot="content">
+		<DropdownMenu.Content
+			class="w-full max-w-[160px] rounded-xl px-1 py-1.5 border border-gray-300/30 dark:border-gray-700/50 z-50 bg-white dark:bg-gray-850 dark:text-white shadow"
+			sideOffset={-2}
+			side="bottom"
+			align="end"
+			transition={flyAndScale}
+		>
+			<DropdownMenu.Item
+				class="flex  gap-2  items-center px-3 py-2 text-sm  font-medium cursor-pointer hover:bg-gray-50 dark:hover:bg-gray-800 rounded-md"
+				on:click={() => {
+					dispatch('delete');
+				}}
+			>
+				<GarbageBin strokeWidth="2" />
+				<div class="flex items-center">{$i18n.t('Delete')}</div>
+			</DropdownMenu.Item>
+		</DropdownMenu.Content>
+	</div>
+</Dropdown>

+ 1 - 1
src/lib/stores/index.ts

@@ -29,7 +29,7 @@ export const tags = writable([]);
 
 export const models: Writable<Model[]> = writable([]);
 export const prompts: Writable<Prompt[]> = writable([]);
-export const documents: Writable<Document[]> = writable([]);
+export const projects: Writable<Document[]> = writable([]);
 
 export const tools = writable([]);
 export const functions = writable([]);

+ 15 - 19
src/routes/(app)/+layout.svelte

@@ -3,50 +3,46 @@
 	import { onMount, tick, getContext } from 'svelte';
 	import { openDB, deleteDB } from 'idb';
 	import fileSaver from 'file-saver';
-	import mermaid from 'mermaid';
-
 	const { saveAs } = fileSaver;
+	import mermaid from 'mermaid';
 
 	import { goto } from '$app/navigation';
+	import { page } from '$app/stores';
+	import { fade } from 'svelte/transition';
 
+	import { getProjects } from '$lib/apis/projects';
+	import { getFunctions } from '$lib/apis/functions';
 	import { getModels as _getModels, getVersionUpdates } from '$lib/apis';
 	import { getAllChatTags } from '$lib/apis/chats';
-
 	import { getPrompts } from '$lib/apis/prompts';
-	import { getDocs } from '$lib/apis/documents';
 	import { getTools } from '$lib/apis/tools';
-
 	import { getBanners } from '$lib/apis/configs';
 	import { getUserSettings } from '$lib/apis/users';
 
+	import { WEBUI_VERSION } from '$lib/constants';
+	import { compareVersion } from '$lib/utils';
+
 	import {
+		config,
 		user,
-		showSettings,
 		settings,
 		models,
 		prompts,
-		documents,
+		projects,
+		tools,
+		functions,
 		tags,
 		banners,
+		showSettings,
 		showChangelog,
-		config,
-		showCallOverlay,
-		tools,
-		functions,
 		temporaryChatEnabled
 	} from '$lib/stores';
 
-	import SettingsModal from '$lib/components/chat/SettingsModal.svelte';
 	import Sidebar from '$lib/components/layout/Sidebar.svelte';
+	import SettingsModal from '$lib/components/chat/SettingsModal.svelte';
 	import ChangelogModal from '$lib/components/ChangelogModal.svelte';
 	import AccountPending from '$lib/components/layout/Overlay/AccountPending.svelte';
-	import { getFunctions } from '$lib/apis/functions';
-	import { page } from '$app/stores';
-	import { WEBUI_VERSION } from '$lib/constants';
-	import { compareVersion } from '$lib/utils';
-
 	import UpdateInfoToast from '$lib/components/layout/UpdateInfoToast.svelte';
-	import { fade } from 'svelte/transition';
 
 	const i18n = getContext('i18n');
 
@@ -109,7 +105,7 @@
 					prompts.set(await getPrompts(localStorage.token));
 				})(),
 				(async () => {
-					documents.set(await getDocs(localStorage.token));
+					projects.set(await getProjects(localStorage.token));
 				})(),
 				(async () => {
 					tools.set(await getTools(localStorage.token));

+ 3 - 5
src/routes/(app)/workspace/+layout.svelte

@@ -69,14 +69,12 @@
 				>
 
 				<a
-					class="min-w-fit rounded-lg p-1.5 px-3 {$page.url.pathname.includes(
-						'/workspace/documents'
-					)
+					class="min-w-fit rounded-lg p-1.5 px-3 {$page.url.pathname.includes('/workspace/projects')
 						? 'bg-gray-50 dark:bg-gray-850'
 						: ''} transition"
-					href="/workspace/documents"
+					href="/workspace/projects"
 				>
-					{$i18n.t('Documents')}
+					{$i18n.t('Projects')}
 				</a>
 
 				<a

+ 0 - 5
src/routes/(app)/workspace/documents/+page.svelte

@@ -1,5 +0,0 @@
-<script>
-	import Documents from '$lib/components/workspace/Documents.svelte';
-</script>
-
-<Documents />

+ 5 - 0
src/routes/(app)/workspace/projects/+page.svelte

@@ -0,0 +1,5 @@
+<script>
+	import Projects from '$lib/components/workspace/Projects.svelte';
+</script>
+
+<Projects />

+ 5 - 0
src/routes/(app)/workspace/projects/create/+page.svelte

@@ -0,0 +1,5 @@
+<script>
+	import CreateProject from '$lib/components/workspace/Projects/CreateProject.svelte';
+</script>
+
+<CreateProject />

+ 5 - 0
src/routes/(app)/workspace/projects/edit/+page.svelte

@@ -0,0 +1,5 @@
+<script>
+	import EditProject from '$lib/components/workspace/Projects/EditProject.svelte';
+</script>
+
+<EditProject />