Graph rag (#1007)
Signed-off-by: Rita Brugarolas <rita.brugarolas.brufau@intel.com> Co-authored-by: pre-commit-ci[bot] <66853113+pre-commit-ci[bot]@users.noreply.github.com>
33
GraphRAG/Dockerfile
Normal file
@@ -0,0 +1,33 @@
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
FROM python:3.11-slim
|
||||
|
||||
RUN apt-get update -y && apt-get install -y --no-install-recommends --fix-missing \
|
||||
git \
|
||||
libgl1-mesa-glx \
|
||||
libjemalloc-dev
|
||||
|
||||
RUN useradd -m -s /bin/bash user && \
|
||||
mkdir -p /home/user && \
|
||||
chown -R user /home/user/
|
||||
|
||||
WORKDIR /home/user/
|
||||
RUN git clone https://github.com/opea-project/GenAIComps.git
|
||||
|
||||
WORKDIR /home/user/GenAIComps
|
||||
RUN pip install --no-cache-dir --upgrade pip && \
|
||||
pip install --no-cache-dir -r /home/user/GenAIComps/requirements.txt && \
|
||||
pip install --no-cache-dir langchain_core
|
||||
|
||||
COPY ./graphrag.py /home/user/graphrag.py
|
||||
|
||||
ENV PYTHONPATH=$PYTHONPATH:/home/user/GenAIComps
|
||||
|
||||
USER user
|
||||
|
||||
WORKDIR /home/user
|
||||
|
||||
RUN echo 'ulimit -S -n 999999' >> ~/.bashrc
|
||||
|
||||
ENTRYPOINT ["python", "graphrag.py"]
|
||||
254
GraphRAG/README.md
Normal file
@@ -0,0 +1,254 @@
|
||||
# GraphRAG Application
|
||||
|
||||
While naive RAG works well in fetching precise information it fails on global questions directed at an entire text corpus, such as "What are the main themes in the dataset?".
|
||||
GraphRAG was introduced by Microsoft paper "From Local to Global: A Graph RAG Approach to Query-Focused Summarization". The key elements are:
|
||||
|
||||
- Uses LLM to derive an entity knowledge graph from the source documents
|
||||
- Uses hierarchical leiden algorithm to identify communities of closely-related entities and summaries are extracted for each community
|
||||
- For an input query the relevant communities are identified and partial answers are generated from each of the community summaries (query-focused summarization (QFS))
|
||||
- There is a final generation stage that responds to the query based on the intermediate community answers.
|
||||
|
||||
## Deploy GraphRAG Service
|
||||
|
||||
The GraphRAG service can be effortlessly deployed on Intel Gaudi2, Intel Xeon Scalable Processors.
|
||||
|
||||
Quick Start Deployment Steps:
|
||||
|
||||
1. Set up the environment variables.
|
||||
2. Run Docker Compose.
|
||||
3. Consume the GraphRAG Service.
|
||||
|
||||
Note: If you do not have docker installed you can run this script to install docker : `bash docker_compose/install_docker.sh`
|
||||
|
||||
### Quick Start: 1.Setup Environment Variable
|
||||
|
||||
To set up environment variables for deploying GraphRAG services, follow these steps:
|
||||
|
||||
1. Set the required private environment variables:
|
||||
|
||||
```bash
|
||||
export host_ip=${your_hostname IP} #local IP, i.e "192.168.1.1"
|
||||
export NEO4J_URI=${your_neo4j_url}
|
||||
export NEO4J_USERNAME=${your_neo4j_username}
|
||||
export NEO4J_PASSWORD=${your_neo4j_password}
|
||||
export PYTHONPATH=${path_to_comps}
|
||||
export OPENAI_KEY=${your_openai_api_key} #optional, when not provided will use smaller models TGI/TEI
|
||||
export HUGGINGFACEHUB_API_TOKEN=${your_hf_token} #needed for TGI/TEI models
|
||||
```
|
||||
|
||||
2. If you are in a proxy environment, also set the proxy-related environment variables:
|
||||
|
||||
```bash
|
||||
export http_proxy="Your_HTTP_Proxy"
|
||||
export https_proxy="Your_HTTPs_Proxy"
|
||||
export no_proxy=$no_proxy,${host_ip} #important to add {host_ip} for containers communication
|
||||
```
|
||||
|
||||
3. Set up other environment variables:
|
||||
|
||||
```bash
|
||||
# on Gaudi
|
||||
source ./docker_compose/intel/hpu/gaudi/set_env.sh
|
||||
```
|
||||
|
||||
### Quick Start: 2.Run Docker Compose
|
||||
|
||||
If the microservice images are available in Docker Hub they will be pulled, otherwise you will need to build the container images manually. Please refer to the 'Build Docker Images' in [Guide](../ChatQnA/docker_compose/intel/cpu/xeon/README.md). [test_compose.sh](tests/test_compose.sh) can be a good resource as it shows how to do image build, starting services, validated each microservices and megaservices. This is what is used in CI/CD.
|
||||
|
||||
Docker compose will start 8 services: 
|
||||
|
||||
```bash
|
||||
cd GraphRAG/docker_compose/intel/hpu/gaudi
|
||||
docker compose -f compose.yaml up -d
|
||||
```
|
||||
|
||||
### QuickStart: 3.Upload RAG Files and Consume the GraphRAG Service
|
||||
|
||||
To chat with retrieved information, you need to upload a file using `Dataprep` service.
|
||||
|
||||
Here is an example of `Nike 2023` pdf.
|
||||
|
||||
```bash
|
||||
# download pdf file
|
||||
wget https://raw.githubusercontent.com/opea-project/GenAIComps/main/comps/retrievers/redis/data/nke-10k-2023.pdf
|
||||
# upload pdf file with dataprep
|
||||
curl -X POST "http://${host_ip}:6004/v1/dataprep" \
|
||||
-H "Content-Type: multipart/form-data" \
|
||||
-F "files=@./nke-10k-2023.pdf"
|
||||
```
|
||||
|
||||
```bash
|
||||
curl http://${host_ip}:8888/v1/graphrag \
|
||||
-H "Content-Type: application/json" \
|
||||
-d '{
|
||||
"model": "gpt-4o-mini","messages": [{"role": "user","content": "What is the revenue of Nike in 2023?
|
||||
"}]}'
|
||||
```
|
||||
|
||||
## Architecture and Deploy details
|
||||
|
||||
The GraphRAG example is implemented using the component-level microservices defined in [GenAIComps](https://github.com/opea-project/GenAIComps). The flow chart below shows the information flow between different microservices for this example.
|
||||
|
||||
```mermaid
|
||||
---
|
||||
config:
|
||||
flowchart:
|
||||
nodeSpacing: 400
|
||||
rankSpacing: 100
|
||||
curve: linear
|
||||
themeVariables:
|
||||
fontSize: 50px
|
||||
---
|
||||
flowchart LR
|
||||
%% Colors %%
|
||||
classDef blue fill:#ADD8E6,stroke:#ADD8E6,stroke-width:2px,fill-opacity:0.5
|
||||
classDef orange fill:#FBAA60,stroke:#ADD8E6,stroke-width:2px,fill-opacity:0.5
|
||||
classDef orchid fill:#C26DBC,stroke:#ADD8E6,stroke-width:2px,fill-opacity:0.5
|
||||
classDef invisible fill:transparent,stroke:transparent;
|
||||
style GraphRAG-MegaService stroke:#000000
|
||||
|
||||
%% Subgraphs %%
|
||||
subgraph GraphRAG-MegaService["GraphRAG MegaService "]
|
||||
direction LR
|
||||
RET([Retrieval MicroService]):::blue
|
||||
LLM([LLM MicroService]):::blue
|
||||
EM([Embedding MicroService]):::blue
|
||||
end
|
||||
subgraph UserInterface[" User Interface "]
|
||||
direction LR
|
||||
a([User Input Query]):::orchid
|
||||
Ingest([Ingest data]):::orchid
|
||||
UI([UI server<br>]):::orchid
|
||||
end
|
||||
|
||||
|
||||
GDB{{Graph DB<br><br>}}
|
||||
DP([Data Preparation MicroService]):::blue
|
||||
GW([GraphRAG GateWay<br>]):::orange
|
||||
|
||||
|
||||
%% Data Preparation flow
|
||||
%% Ingest data flow
|
||||
direction LR
|
||||
Ingest[Ingest data] --> UI
|
||||
UI --> DP
|
||||
|
||||
%% interactions buried inside the DP and RET microservice implementations
|
||||
DP <-.-> EM
|
||||
DP <-.-> LLM
|
||||
RET <-.-> EM
|
||||
RET <-.-> LLM
|
||||
|
||||
|
||||
%% Questions interaction
|
||||
direction LR
|
||||
a[User Input Query] --> UI
|
||||
UI --> GW
|
||||
GW <==> GraphRAG-MegaService
|
||||
RET ==> LLM
|
||||
|
||||
|
||||
direction TB
|
||||
%% Graph DB interaction
|
||||
RET <-.-> |d|GDB
|
||||
DP <-.-> |d|GDB
|
||||
|
||||
linkStyle 2 stroke:#000000,stroke-width:2px;
|
||||
linkStyle 3 stroke:#000000,stroke-width:2px;
|
||||
linkStyle 4 stroke:#000000,stroke-width:2px;
|
||||
linkStyle 5 stroke:#000000,stroke-width:2px;
|
||||
|
||||
|
||||
```
|
||||
|
||||
> **Note**: The Dataprep and Retriever microservices use the LLM Microservice and Embedding Microservice in their implementation. For example, Dataprep uses LLM to extract entities and relationships from text to build graph and Retriever uses LLM to summarize communities (these are clusters of similar entities and their properties). Those endpoint interactions with the corresponding prompt templates are buried in the microservice implementation thus not managed by the megaservice orchestrator scheduler and not exposed in the megaservice. Shown as thin black lines in diagram.
|
||||
|
||||
This GraphRAG use case performs RAG using Llama-index, Neo4J Graph Property Store and Text Generation Inference on [Intel Gaudi2](https://www.intel.com/content/www/us/en/products/details/processors/ai-accelerators/gaudi-overview.html) or [Intel Xeon Scalable Processors](https://www.intel.com/content/www/us/en/products/details/processors/xeon.html).
|
||||
In the below, we provide a table that describes for each microservice component in the GraphRAG architecture, the default configuration of the open source project, hardware, port, and endpoint.
|
||||
|
||||
Gaudi default compose.yaml
|
||||
| MicroService | Open Source Project | HW | Port | Endpoint |
|
||||
| ------------ | ------------------- | ----- | ---- | -------------------- |
|
||||
| Embedding | Llama-index | Xeon | 6006 | /v1/embaddings |
|
||||
| Retriever | Llama-index, Neo4j | Xeon | 6009 | /v1/retrieval |
|
||||
| LLM | Llama-index, TGI | Gaudi | 6005 | /v1/chat/completions |
|
||||
| Dataprep | Neo4j, LlamaIndex | Xeon | 6004 | /v1/dataprep |
|
||||
|
||||
### Models Selection
|
||||
|
||||
GraphRAG quality dependents heavily on the ability to extract a high quality graph. We highly recommend using the best model available to you. Table below shows default models specified in the codebase when OPENAI_API_KEY is available and for local inference w TEI/TGI. The local models are small since those will be used in CI/CD but users should improve upon these by changing the `xxx_MODEL_ID` in `docker_compose/xxx/set_env.sh`.
|
||||
|
||||
Working on a table comparison of various model sizes vs. naive RAG with a dataset that reflects well the benefits of GraphRAG. Stay tuned!
|
||||
|
||||
| Service | Model |
|
||||
| --------- | ------------------------------------- |
|
||||
| Embedding | BAAI/bge-base-en-v1.5 |
|
||||
| Embedding | "text-embedding-3-small" |
|
||||
| LLM | gpt-4o |
|
||||
| LLM | "meta-llama/Meta-Llama-3-8B-Instruct" |
|
||||
|
||||
## Consume GraphRAG Service with RAG
|
||||
|
||||
### Check Service Status
|
||||
|
||||
Before consuming GraphRAG Service, make sure each microservice is ready by checking the docker logs of each microservice. [test_compose.sh](tests/test_compose.sh) can be a good resource as it shows how CI/CD validated each microservices based on returned HTTP status and response body.
|
||||
|
||||
```bash
|
||||
docker logs container_name
|
||||
```
|
||||
|
||||
### Upload RAG Files
|
||||
|
||||
To chat with retrieved information, you need to upload a file using `Dataprep` service.
|
||||
|
||||
Here is an example of `Nike 2023` pdf.
|
||||
|
||||
```bash
|
||||
# download pdf file
|
||||
wget https://raw.githubusercontent.com/opea-project/GenAIComps/main/comps/retrievers/redis/data/nke-10k-2023.pdf
|
||||
# upload pdf file with dataprep
|
||||
curl -X POST "http://${host_ip}:6007/v1/dataprep" \
|
||||
-H "Content-Type: multipart/form-data" \
|
||||
-F "files=@./nke-10k-2023.pdf"
|
||||
```
|
||||
|
||||
### Consume GraphRAG Service
|
||||
|
||||
Two ways of consuming GraphRAG Service:
|
||||
|
||||
1. Use cURL command on terminal
|
||||
|
||||
```bash
|
||||
curl http://${host_ip}:8888/v1/graphrag \
|
||||
-H "Content-Type: application/json" \
|
||||
-d '{
|
||||
"model": "gpt-4o-mini","messages": [{"role": "user","content": "Who is John Brady and has he had any confrontations?
|
||||
"}]}'
|
||||
```
|
||||
|
||||
2. Access via frontend
|
||||
|
||||
To access the frontend, open the following URL in your browser: `http://{host_ip}:5173`
|
||||
|
||||
By default, the UI runs on port 5173 internally.
|
||||
|
||||
If you choose conversational UI, use this URL: `http://{host_ip}:5174`
|
||||
|
||||
## Troubleshooting
|
||||
|
||||
1. If you get errors like "Access Denied", [validate micro service](https://github.com/opea-project/GenAIExamples/blob/main/ChatQnA/docker_compose/intel/cpu/xeon/README.md#validate-microservices) first. A simple example:
|
||||
|
||||
```bash
|
||||
http_proxy="" curl ${host_ip}:6006/embed -X POST -d '{"inputs":"What is Deep Learning?"}' -H 'Content-Type: application/json'
|
||||
```
|
||||
|
||||
2. (Docker only) If all microservices work well, check the port ${host_ip}:8888, the port may be allocated by other users, you can modify the `compose.yaml`.
|
||||
|
||||
3. (Docker only) If you get errors like "The container name is in use", change container name in `compose.yaml`.
|
||||
|
||||
## Monitoring OPEA Service with Prometheus and Grafana dashboard
|
||||
|
||||
OPEA microservice deployment can easily be monitored through Grafana dashboards in conjunction with Prometheus data collection. Follow the [README](https://github.com/opea-project/GenAIEval/blob/main/evals/benchmark/grafana/README.md) to setup Prometheus and Grafana servers and import dashboards to monitor the OPEA service.
|
||||
|
||||

|
||||

|
||||
BIN
GraphRAG/assets/8microservices.png
Normal file
|
After Width: | Height: | Size: 173 KiB |
BIN
GraphRAG/assets/img/chat_ui_init.png
Normal file
|
After Width: | Height: | Size: 15 KiB |
BIN
GraphRAG/assets/img/chat_ui_response.png
Normal file
|
After Width: | Height: | Size: 74 KiB |
BIN
GraphRAG/assets/img/chat_ui_upload.png
Normal file
|
After Width: | Height: | Size: 86 KiB |
BIN
GraphRAG/assets/img/chatqna_architecture.png
Normal file
|
After Width: | Height: | Size: 501 KiB |
BIN
GraphRAG/assets/img/chatqna_dashboards.png
Normal file
|
After Width: | Height: | Size: 100 KiB |
BIN
GraphRAG/assets/img/chatqna_flow_chart.png
Normal file
|
After Width: | Height: | Size: 114 KiB |
BIN
GraphRAG/assets/img/conversation_ui_init.png
Normal file
|
After Width: | Height: | Size: 54 KiB |
BIN
GraphRAG/assets/img/conversation_ui_response.png
Normal file
|
After Width: | Height: | Size: 93 KiB |
BIN
GraphRAG/assets/img/conversation_ui_upload.png
Normal file
|
After Width: | Height: | Size: 62 KiB |
BIN
GraphRAG/assets/img/tgi_dashboard.png
Normal file
|
After Width: | Height: | Size: 414 KiB |
35
GraphRAG/docker_compose/install_docker.sh
Normal file
@@ -0,0 +1,35 @@
|
||||
#!/usr/bin/env bash
|
||||
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
# Update the package index
|
||||
sudo apt-get -y update
|
||||
|
||||
# Install prerequisites
|
||||
sudo apt-get -y install ca-certificates curl --no-install-recommends --fix-missing
|
||||
|
||||
# Create the directory for the Docker GPG key
|
||||
sudo install -m 0755 -d /etc/apt/keyrings
|
||||
|
||||
# Add Docker's official GPG key
|
||||
sudo curl -fsSL https://download.docker.com/linux/ubuntu/gpg -o /etc/apt/keyrings/docker.asc
|
||||
|
||||
# Set permissions for the GPG key
|
||||
sudo chmod a+r /etc/apt/keyrings/docker.asc
|
||||
|
||||
# Add Docker repository to the sources list
|
||||
echo "deb [arch=$(dpkg --print-architecture) signed-by=/etc/apt/keyrings/docker.asc] https://download.docker.com/linux/ubuntu \
|
||||
$(. /etc/os-release && echo "$VERSION_CODENAME") stable" | sudo tee /etc/apt/sources.list.d/docker.list > /dev/null
|
||||
|
||||
# Update the package index with Docker packages
|
||||
sudo apt-get -y update
|
||||
|
||||
# Install Docker packages
|
||||
sudo apt-get -y install docker-ce docker-ce-cli containerd.io docker-buildx-plugin docker-compose-plugin --no-install-recommends --fix-missing
|
||||
|
||||
# add existing user
|
||||
sudo usermod -aG docker $USER
|
||||
|
||||
# Optional: Verify that Docker is installed correctly
|
||||
sudo docker --version
|
||||
181
GraphRAG/docker_compose/intel/hpu/gaudi/compose.yaml
Normal file
@@ -0,0 +1,181 @@
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
version: "3.8"
|
||||
services:
|
||||
neo4j-apoc:
|
||||
image: neo4j:latest
|
||||
container_name: neo4j-apoc
|
||||
volumes:
|
||||
- /$HOME/neo4j/logs:/logs
|
||||
- /$HOME/neo4j/config:/config
|
||||
- /$HOME/neo4j/data:/data
|
||||
- /$HOME/neo4j/plugins:/plugins
|
||||
ipc: host
|
||||
environment:
|
||||
- NEO4J_AUTH=${NEO4J_USERNAME}/${NEO4J_PASSWORD}
|
||||
- NEO4J_PLUGINS=["apoc"]
|
||||
- NEO4J_apoc_export_file_enabled=true
|
||||
- NEO4J_apoc_import_file_enabled=true
|
||||
- NEO4J_apoc_import_file_use__neo4j__config=true
|
||||
- NEO4J_dbms_security_procedures_unrestricted=apoc.\*
|
||||
ports:
|
||||
- "7474:7474"
|
||||
- "7687:7687"
|
||||
restart: always
|
||||
tei-embedding-service:
|
||||
image: ghcr.io/huggingface/text-embeddings-inference:cpu-1.5
|
||||
container_name: tei-embedding-server
|
||||
ports:
|
||||
- "6006:80"
|
||||
volumes:
|
||||
- "./data:/data"
|
||||
shm_size: 1g
|
||||
environment:
|
||||
no_proxy: ${no_proxy}
|
||||
NO_PROXY: ${no_proxy}
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
HUGGING_FACE_HUB_TOKEN: ${HUGGINGFACEHUB_API_TOKEN}
|
||||
ipc: host
|
||||
command: --model-id ${EMBEDDING_MODEL_ID} --auto-truncate
|
||||
tgi-gaudi-service:
|
||||
image: ghcr.io/huggingface/tgi-gaudi:2.0.5
|
||||
container_name: tgi-gaudi-server
|
||||
ports:
|
||||
- "6005:80"
|
||||
volumes:
|
||||
- "./data:/data"
|
||||
environment:
|
||||
no_proxy: ${no_proxy}
|
||||
NO_PROXY: ${no_proxy}
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
HUGGING_FACE_HUB_TOKEN: ${HUGGINGFACEHUB_API_TOKEN}
|
||||
HF_HUB_DISABLE_PROGRESS_BARS: 1
|
||||
HF_HUB_ENABLE_HF_TRANSFER: 0
|
||||
HABANA_VISIBLE_DEVICES: all
|
||||
OMPI_MCA_btl_vader_single_copy_mechanism: none
|
||||
ENABLE_HPU_GRAPH: true
|
||||
LIMIT_HPU_GRAPH: true
|
||||
USE_FLASH_ATTENTION: true
|
||||
FLASH_ATTENTION_RECOMPUTE: true
|
||||
runtime: habana
|
||||
cap_add:
|
||||
- SYS_NICE
|
||||
ipc: host
|
||||
command: --model-id ${LLM_MODEL_ID} --max-input-length 2048 --max-total-tokens 4096
|
||||
dataprep-neo4j-llamaindex:
|
||||
image: opea/dataprep-neo4j-llamaindex:latest
|
||||
container_name: dataprep-neo4j-server
|
||||
depends_on:
|
||||
- neo4j-apoc
|
||||
- tgi-gaudi-service
|
||||
- tei-embedding-service
|
||||
ports:
|
||||
- "6004:6004"
|
||||
ipc: host
|
||||
environment:
|
||||
no_proxy: ${no_proxy}
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
host_ip: ${host_ip}
|
||||
NEO4J_URL: ${NEO4J_URL}
|
||||
NEO4J_USERNAME: ${NEO4J_USERNAME}
|
||||
NEO4J_PASSWORD: ${NEO4J_PASSWORD}
|
||||
TGI_LLM_ENDPOINT: ${TGI_LLM_ENDPOINT}
|
||||
TEI_EMBEDDING_ENDPOINT: ${TEI_EMBEDDING_ENDPOINT}
|
||||
OPENAI_API_KEY: ${OPENAI_API_KEY}
|
||||
OPENAI_EMBEDDING_MODEL: ${OPENAI_EMBEDDING_MODEL}
|
||||
OPENAI_LLM_MODEL: ${OPENAI_LLM_MODEL}
|
||||
EMBEDDING_MODEL_ID: ${EMBEDDING_MODEL_ID}
|
||||
LLM_MODEL_ID: ${LLM_MODEL_ID}
|
||||
LOGFLAG: ${LOGFLAG}
|
||||
restart: unless-stopped
|
||||
retriever-neo4j-llamaindex:
|
||||
image: opea/retriever-neo4j-llamaindex:latest
|
||||
container_name: retriever-neo4j-server
|
||||
depends_on:
|
||||
- neo4j-apoc
|
||||
- tgi-gaudi-service
|
||||
- tei-embedding-service
|
||||
ports:
|
||||
- "6009:6009"
|
||||
ipc: host
|
||||
environment:
|
||||
no_proxy: ${no_proxy}
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
host_ip: ${host_ip}
|
||||
NEO4J_URL: ${NEO4J_URL}
|
||||
NEO4J_USERNAME: ${NEO4J_USERNAME}
|
||||
NEO4J_PASSWORD: ${NEO4J_PASSWORD}
|
||||
TGI_LLM_ENDPOINT: ${TGI_LLM_ENDPOINT}
|
||||
TEI_EMBEDDING_ENDPOINT: ${TEI_EMBEDDING_ENDPOINT}
|
||||
OPENAI_API_KEY: ${OPENAI_API_KEY}
|
||||
OPENAI_EMBEDDING_MODEL: ${OPENAI_EMBEDDING_MODEL}
|
||||
OPENAI_LLM_MODEL: ${OPENAI_LLM_MODEL}
|
||||
EMBEDDING_MODEL_ID: ${EMBEDDING_MODEL_ID}
|
||||
LLM_MODEL_ID: ${LLM_MODEL_ID}
|
||||
LOGFLAG: ${LOGFLAG}
|
||||
restart: unless-stopped
|
||||
graphrag-gaudi-backend-server:
|
||||
image: ${REGISTRY:-opea}/graphrag:${TAG:-latest}
|
||||
container_name: graphrag-gaudi-backend-server
|
||||
depends_on:
|
||||
- neo4j-apoc
|
||||
- tei-embedding-service
|
||||
- retriever-neo4j-llamaindex
|
||||
- tgi-gaudi-service
|
||||
ports:
|
||||
- "8888:8888"
|
||||
environment:
|
||||
- no_proxy=${no_proxy}
|
||||
- https_proxy=${https_proxy}
|
||||
- http_proxy=${http_proxy}
|
||||
- MEGA_SERVICE_HOST_IP=graphrag-gaudi-backend-server
|
||||
- RETRIEVER_SERVICE_HOST_IP=retriever-neo4j-llamaindex
|
||||
- RETRIEVER_SERVICE_PORT=6009
|
||||
- RETRIEVER_SERVICE_PORT=${RETRIEVER_SERVICE_PORT:-80}
|
||||
- LLM_SERVER_HOST_IP=tgi-gaudi-service
|
||||
- LLM_SERVER_PORT=${LLM_SERVER_PORT:-80}
|
||||
- LOGFLAG=${LOGFLAG}
|
||||
ipc: host
|
||||
restart: always
|
||||
chatqna-gaudi-ui-server:
|
||||
image: ${REGISTRY:-opea}/chatqna-ui:${TAG:-latest}
|
||||
container_name: chatqna-gaudi-ui-server
|
||||
depends_on:
|
||||
- graphrag-gaudi-backend-server
|
||||
ports:
|
||||
- "5173:5173"
|
||||
environment:
|
||||
- no_proxy=${no_proxy}
|
||||
- https_proxy=${https_proxy}
|
||||
- http_proxy=${http_proxy}
|
||||
ipc: host
|
||||
restart: always
|
||||
chatqna-gaudi-nginx-server:
|
||||
image: ${REGISTRY:-opea}/nginx:${TAG:-latest}
|
||||
container_name: chatqna-gaudi-nginx-server
|
||||
depends_on:
|
||||
- graphrag-gaudi-backend-server
|
||||
- chatqna-gaudi-ui-server
|
||||
ports:
|
||||
- "${NGINX_PORT:-80}:80"
|
||||
environment:
|
||||
- no_proxy=${no_proxy}
|
||||
- https_proxy=${https_proxy}
|
||||
- http_proxy=${http_proxy}
|
||||
- FRONTEND_SERVICE_IP=chatqna-gaudi-ui-server
|
||||
- FRONTEND_SERVICE_PORT=5173
|
||||
- BACKEND_SERVICE_NAME=graphrag
|
||||
- BACKEND_SERVICE_IP=graphrag-gaudi-backend-server
|
||||
- BACKEND_SERVICE_PORT=8888
|
||||
- DATAPREP_SERVICE_IP=dataprep-neo4j-llamaindex
|
||||
- DATAPREP_SERVICE_PORT=6004
|
||||
ipc: host
|
||||
restart: always
|
||||
networks:
|
||||
default:
|
||||
driver: bridge
|
||||
20
GraphRAG/docker_compose/intel/hpu/gaudi/set_env.sh
Normal file
@@ -0,0 +1,20 @@
|
||||
#!/usr/bin/env bash
|
||||
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
# Remember to set your private variables mentioned in README
|
||||
|
||||
# host_ip, OPENAI_API_KEY, HUGGINGFACEHUB_API_TOKEN, proxies...
|
||||
|
||||
export EMBEDDING_MODEL_ID="BAAI/bge-base-en-v1.5"
|
||||
export OPENAI_EMBEDDING_MODEL="text-embedding-3-small"
|
||||
export LLM_MODEL_ID="meta-llama/Meta-Llama-3-8B-Instruct"
|
||||
export OPENAI_LLM_MODEL="gpt-4o"
|
||||
export TEI_EMBEDDING_ENDPOINT="http://${host_ip}:6006"
|
||||
export TGI_LLM_ENDPOINT="http://${host_ip}:6005"
|
||||
export NEO4J_URL="bolt://${host_ip}:7687"
|
||||
export NEO4J_USERNAME=neo4j
|
||||
export DATAPREP_SERVICE_ENDPOINT="http://${host_ip}:6004/v1/dataprep"
|
||||
export LOGFLAG=True
|
||||
export RETRIEVER_SERVICE_PORT=6009
|
||||
49
GraphRAG/docker_image_build/build.yaml
Normal file
@@ -0,0 +1,49 @@
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
services:
|
||||
graphrag:
|
||||
build:
|
||||
args:
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
no_proxy: ${no_proxy}
|
||||
context: ../
|
||||
dockerfile: ./Dockerfile
|
||||
image: ${REGISTRY:-opea}/graphrag:${TAG:-latest}
|
||||
retriever-neo4j-llamaindex:
|
||||
build:
|
||||
args:
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
no_proxy: ${no_proxy}
|
||||
context: GenAIComps
|
||||
dockerfile: comps/retrievers/neo4j/llama_index/Dockerfile
|
||||
image: ${REGISTRY:-opea}/retriever-neo4j-llamaindex:${TAG:-latest}
|
||||
dataprep-neo4j-llamaindex:
|
||||
build:
|
||||
args:
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
no_proxy: ${no_proxy}
|
||||
context: GenAIComps
|
||||
dockerfile: comps/dataprep/neo4j/llama_index/Dockerfile
|
||||
image: ${REGISTRY:-opea}/dataprep-neo4j-llamaindex:${TAG:-latest}
|
||||
chatqna-gaudi-nginx-server:
|
||||
build:
|
||||
args:
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
no_proxy: ${no_proxy}
|
||||
context: GenAIComps
|
||||
dockerfile: comps/nginx/Dockerfile
|
||||
image: ${REGISTRY:-opea}/nginx:${TAG:-latest}
|
||||
chatqna-gaudi-ui-server:
|
||||
build:
|
||||
args:
|
||||
http_proxy: ${http_proxy}
|
||||
https_proxy: ${https_proxy}
|
||||
no_proxy: ${no_proxy}
|
||||
context: ../ui
|
||||
dockerfile: ./docker/Dockerfile
|
||||
image: ${REGISTRY:-opea}/chatqna-ui:${TAG:-latest}
|
||||
150
GraphRAG/graphrag.py
Normal file
@@ -0,0 +1,150 @@
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import argparse
|
||||
import json
|
||||
import os
|
||||
import re
|
||||
|
||||
from comps import GraphragGateway, MicroService, ServiceOrchestrator, ServiceType
|
||||
from langchain_core.prompts import PromptTemplate
|
||||
|
||||
|
||||
class ChatTemplate:
|
||||
@staticmethod
|
||||
def generate_rag_prompt(question, documents):
|
||||
context_str = "\n".join(documents)
|
||||
if context_str and len(re.findall("[\u4E00-\u9FFF]", context_str)) / len(context_str) >= 0.3:
|
||||
# chinese context
|
||||
template = """
|
||||
### 你将扮演一个乐于助人、尊重他人并诚实的助手,你的目标是帮助用户解答问题。有效地利用来自本地知识库的搜索结果。确保你的回答中只包含相关信息。如果你不确定问题的答案,请避免分享不准确的信息。
|
||||
### 搜索结果:{context}
|
||||
### 问题:{question}
|
||||
### 回答:
|
||||
"""
|
||||
else:
|
||||
template = """
|
||||
### You are a helpful, respectful and honest assistant to help the user with questions. \
|
||||
Please combine the following intermediate answers into a final, conscise and coherent response. \
|
||||
refer to the search results obtained from the local knowledge base. \
|
||||
If you don't know the answer to a question, please don't share false information. \n
|
||||
### Intermediate answers: {context} \n
|
||||
### Question: {question} \n
|
||||
### Answer:
|
||||
"""
|
||||
return template.format(context=context_str, question=question)
|
||||
|
||||
|
||||
MEGA_SERVICE_HOST_IP = os.getenv("MEGA_SERVICE_HOST_IP", "0.0.0.0")
|
||||
MEGA_SERVICE_PORT = int(os.getenv("MEGA_SERVICE_PORT", 8888))
|
||||
RETRIEVER_SERVICE_HOST_IP = os.getenv("RETRIEVER_SERVICE_HOST_IP", "0.0.0.0")
|
||||
RETRIEVER_SERVICE_PORT = int(os.getenv("RETRIEVER_SERVICE_PORT", 7000))
|
||||
LLM_SERVER_HOST_IP = os.getenv("LLM_SERVER_HOST_IP", "0.0.0.0")
|
||||
LLM_SERVER_PORT = int(os.getenv("LLM_SERVER_PORT", 80))
|
||||
|
||||
|
||||
def align_inputs(self, inputs, cur_node, runtime_graph, llm_parameters_dict, **kwargs):
|
||||
if self.services[cur_node].service_type == ServiceType.RETRIEVER:
|
||||
print("make no changes for retriever inputs. AlreadyCheckCompletionRequest")
|
||||
elif self.services[cur_node].service_type == ServiceType.LLM:
|
||||
# convert TGI/vLLM to unified OpenAI /v1/chat/completions format
|
||||
next_inputs = {}
|
||||
next_inputs["model"] = "tgi" # specifically clarify the fake model to make the format unified
|
||||
next_inputs["messages"] = [{"role": "user", "content": inputs["inputs"]}]
|
||||
next_inputs["max_tokens"] = llm_parameters_dict["max_tokens"]
|
||||
next_inputs["top_p"] = llm_parameters_dict["top_p"]
|
||||
next_inputs["stream"] = inputs["streaming"]
|
||||
next_inputs["frequency_penalty"] = inputs["frequency_penalty"]
|
||||
# next_inputs["presence_penalty"] = inputs["presence_penalty"]
|
||||
# next_inputs["repetition_penalty"] = inputs["repetition_penalty"]
|
||||
next_inputs["temperature"] = inputs["temperature"]
|
||||
inputs = next_inputs
|
||||
print("inputs after align:\n", inputs)
|
||||
return inputs
|
||||
|
||||
|
||||
def align_outputs(self, data, cur_node, inputs, runtime_graph, llm_parameters_dict, **kwargs):
|
||||
next_data = {}
|
||||
if self.services[cur_node].service_type == ServiceType.RETRIEVER:
|
||||
docs = [doc["text"] for doc in data["retrieved_docs"]]
|
||||
# handle template
|
||||
# if user provides template, then format the prompt with it
|
||||
# otherwise, use the default template
|
||||
prompt = inputs.messages[0]["content"]
|
||||
chat_template = llm_parameters_dict["chat_template"]
|
||||
if chat_template:
|
||||
prompt_template = PromptTemplate.from_template(chat_template)
|
||||
input_variables = prompt_template.input_variables
|
||||
if sorted(input_variables) == ["context", "question"]:
|
||||
prompt = prompt_template.format(question=prompt, context="\n".join(docs))
|
||||
elif input_variables == ["question"]:
|
||||
prompt = prompt_template.format(question=prompt)
|
||||
else:
|
||||
print(f"{prompt_template} not used, we only support 2 input variables ['question', 'context']")
|
||||
prompt = ChatTemplate.generate_rag_prompt(prompt, docs)
|
||||
else:
|
||||
print("no rerank no chat template")
|
||||
prompt = ChatTemplate.generate_rag_prompt(prompt, docs)
|
||||
|
||||
next_data["inputs"] = prompt
|
||||
else:
|
||||
next_data = data
|
||||
|
||||
return next_data
|
||||
|
||||
|
||||
def align_generator(self, gen, **kwargs):
|
||||
# openai reaponse format
|
||||
# b'data:{"id":"","object":"text_completion","created":1725530204,"model":"meta-llama/Meta-Llama-3-8B-Instruct","system_fingerprint":"2.0.1-native","choices":[{"index":0,"delta":{"role":"assistant","content":"?"},"logprobs":null,"finish_reason":null}]}\n\n'
|
||||
print("generator in align generator:\n", gen)
|
||||
for line in gen:
|
||||
line = line.decode("utf-8")
|
||||
start = line.find("{")
|
||||
end = line.rfind("}") + 1
|
||||
|
||||
json_str = line[start:end]
|
||||
try:
|
||||
# sometimes yield empty chunk, do a fallback here
|
||||
json_data = json.loads(json_str)
|
||||
if json_data["choices"][0]["finish_reason"] != "eos_token":
|
||||
yield f"data: {repr(json_data['choices'][0]['delta']['content'].encode('utf-8'))}\n\n"
|
||||
except Exception as e:
|
||||
yield f"data: {repr(json_str.encode('utf-8'))}\n\n"
|
||||
yield "data: [DONE]\n\n"
|
||||
|
||||
|
||||
class GraphRAGService:
|
||||
def __init__(self, host="0.0.0.0", port=8000):
|
||||
self.host = host
|
||||
self.port = port
|
||||
ServiceOrchestrator.align_inputs = align_inputs
|
||||
ServiceOrchestrator.align_outputs = align_outputs
|
||||
ServiceOrchestrator.align_generator = align_generator
|
||||
self.megaservice = ServiceOrchestrator()
|
||||
|
||||
def add_remote_service(self):
|
||||
retriever = MicroService(
|
||||
name="retriever",
|
||||
host=RETRIEVER_SERVICE_HOST_IP,
|
||||
port=RETRIEVER_SERVICE_PORT,
|
||||
endpoint="/v1/retrieval",
|
||||
use_remote_service=True,
|
||||
service_type=ServiceType.RETRIEVER,
|
||||
)
|
||||
|
||||
llm = MicroService(
|
||||
name="llm",
|
||||
host=LLM_SERVER_HOST_IP,
|
||||
port=LLM_SERVER_PORT,
|
||||
endpoint="/v1/chat/completions",
|
||||
use_remote_service=True,
|
||||
service_type=ServiceType.LLM,
|
||||
)
|
||||
self.megaservice.add(retriever).add(llm)
|
||||
self.megaservice.flow_to(retriever, llm)
|
||||
self.gateway = GraphragGateway(megaservice=self.megaservice, host="0.0.0.0", port=self.port)
|
||||
|
||||
|
||||
if __name__ == "__main__":
|
||||
graphrag = GraphRAGService(host=MEGA_SERVICE_HOST_IP, port=MEGA_SERVICE_PORT)
|
||||
graphrag.add_remote_service()
|
||||
207
GraphRAG/tests/test_compose.sh
Executable file
@@ -0,0 +1,207 @@
|
||||
#!/bin/bash
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
set -e
|
||||
IMAGE_REPO=${IMAGE_REPO:-"opea"}
|
||||
IMAGE_TAG=${IMAGE_TAG:-"latest"}
|
||||
echo "REGISTRY=IMAGE_REPO=${IMAGE_REPO}"
|
||||
echo "TAG=IMAGE_TAG=${IMAGE_TAG}"
|
||||
export REGISTRY=${IMAGE_REPO}
|
||||
export TAG=${IMAGE_TAG}
|
||||
|
||||
WORKPATH=$(dirname "$PWD")
|
||||
WORKPATH=/home/rbrugaro/GenAIExamples/GraphRAG
|
||||
LOG_PATH="$WORKPATH/tests"
|
||||
ip_address=$(hostname -I | awk '{print $1}')
|
||||
|
||||
function build_docker_images() {
|
||||
cd $WORKPATH/docker_image_build
|
||||
git clone https://github.com/opea-project/GenAIComps.git && cd GenAIComps && git checkout "${opea_branch:-"main"}" && cd ../
|
||||
|
||||
echo "Build all the images with --no-cache, check docker_image_build.log for details..."
|
||||
service_list="graphrag dataprep-neo4j-llamaindex retriever-neo4j-llamaindex chatqna-gaudi-ui-server chatqna-gaudi-nginx-server"
|
||||
docker compose -f build.yaml build ${service_list} --no-cache > ${LOG_PATH}/docker_image_build.log
|
||||
|
||||
docker pull ghcr.io/huggingface/tgi-gaudi:2.0.5
|
||||
docker pull ghcr.io/huggingface/text-embeddings-inference:cpu-1.5
|
||||
docker pull neo4j:latest
|
||||
docker images && sleep 1s
|
||||
}
|
||||
|
||||
function start_services() {
|
||||
cd $WORKPATH/docker_compose/intel/hpu/gaudi
|
||||
export EMBEDDING_MODEL_ID="BAAI/bge-base-en-v1.5"
|
||||
export LLM_MODEL_ID="meta-llama/Meta-Llama-3-8B-Instruct"
|
||||
export HUGGINGFACEHUB_API_TOKEN=${HUGGINGFACEHUB_API_TOKEN}
|
||||
|
||||
# Start Docker Containers
|
||||
docker compose -f compose.yaml up -d > ${LOG_PATH}/start_services_with_compose.log
|
||||
|
||||
n=0
|
||||
until [[ "$n" -ge 100 ]]; do
|
||||
docker logs tgi-gaudi-server > ${LOG_PATH}/tgi_service_start.log
|
||||
if grep -q Connected ${LOG_PATH}/tgi_service_start.log; then
|
||||
break
|
||||
fi
|
||||
sleep 5s
|
||||
n=$((n+1))
|
||||
done
|
||||
}
|
||||
|
||||
function validate_service() {
|
||||
local URL="$1"
|
||||
local EXPECTED_RESULT="$2"
|
||||
local SERVICE_NAME="$3"
|
||||
local DOCKER_NAME="$4"
|
||||
local INPUT_DATA="$5"
|
||||
|
||||
if [[ $SERVICE_NAME == *"extract_graph_neo4j"* ]]; then
|
||||
cd $LOG_PATH
|
||||
HTTP_RESPONSE=$(curl --silent --write-out "HTTPSTATUS:%{http_code}" -X POST -F 'files=@./dataprep_file.txt' -H 'Content-Type: multipart/form-data' "$URL")
|
||||
elif [[ $SERVICE_NAME == *"neo4j-apoc"* ]]; then
|
||||
HTTP_RESPONSE=$(curl --silent --write-out "HTTPSTATUS:%{http_code}" "$URL")
|
||||
else
|
||||
HTTP_RESPONSE=$(curl --silent --write-out "HTTPSTATUS:%{http_code}" -X POST -d "$INPUT_DATA" -H 'Content-Type: application/json' "$URL")
|
||||
fi
|
||||
HTTP_STATUS=$(echo $HTTP_RESPONSE | tr -d '\n' | sed -e 's/.*HTTPSTATUS://')
|
||||
RESPONSE_BODY=$(echo $HTTP_RESPONSE | sed -e 's/HTTPSTATUS\:.*//g')
|
||||
|
||||
docker logs ${DOCKER_NAME} >> ${LOG_PATH}/${SERVICE_NAME}.log
|
||||
|
||||
# check response status
|
||||
if [ "$HTTP_STATUS" -ne "200" ]; then
|
||||
echo "[ $SERVICE_NAME ] HTTP status is not 200. Received status was $HTTP_STATUS"
|
||||
exit 1
|
||||
else
|
||||
echo "[ $SERVICE_NAME ] HTTP status is 200. Checking content..."
|
||||
fi
|
||||
# check response body
|
||||
if [[ "$SERVICE_NAME" == "neo4j-apoc" ]]; then
|
||||
echo "[ $SERVICE_NAME ] Skipping content check for neo4j-apoc."
|
||||
else
|
||||
if [[ "$RESPONSE_BODY" != *"$EXPECTED_RESULT"* ]]; then
|
||||
echo "[ $SERVICE_NAME ] Content does not match the expected result: $RESPONSE_BODY"
|
||||
exit 1
|
||||
else
|
||||
echo "[ $SERVICE_NAME ] Content is as expected."
|
||||
fi
|
||||
fi
|
||||
|
||||
sleep 5s
|
||||
}
|
||||
|
||||
function validate_microservices() {
|
||||
# Check if the microservices are running correctly.
|
||||
|
||||
# validate neo4j-apoc
|
||||
validate_service \
|
||||
"${ip_address}:7474" \
|
||||
"200 OK" \
|
||||
"neo4j-apoc" \
|
||||
"neo4j-apoc" \
|
||||
""
|
||||
|
||||
# tei for embedding service
|
||||
validate_service \
|
||||
"${ip_address}:6006/embed" \
|
||||
"[[" \
|
||||
"tei-embedding-service" \
|
||||
"tei-embedding-server" \
|
||||
'{"inputs":"What is Deep Learning?"}'
|
||||
|
||||
sleep 1m # retrieval can't curl as expected, try to wait for more time
|
||||
|
||||
# test /v1/dataprep graph extraction
|
||||
echo "Like many companies in the O&G sector, the stock of Chevron (NYSE:CVX) has declined about 10% over the past 90-days despite the fact that Q2 consensus earnings estimates have risen sharply (~25%) during that same time frame. Over the years, Chevron has kept a very strong balance sheet. FirstEnergy (NYSE:FE – Get Rating) posted its earnings results on Tuesday. The utilities provider reported $0.53 earnings per share for the quarter, topping the consensus estimate of $0.52 by $0.01, RTT News reports. FirstEnergy had a net margin of 10.85% and a return on equity of 17.17%. The Dáil was almost suspended on Thursday afternoon after Sinn Féin TD John Brady walked across the chamber and placed an on-call pager in front of the Minister for Housing Darragh O’Brien during a debate on retained firefighters. Mr O’Brien said Mr Brady had taken part in an act of theatre that was obviously choreographed.Around 2,000 retained firefighters around the country staged a second day of industrial action on Tuesday and are due to start all out-strike action from next Tuesday. The mostly part-time workers, who keep the services going outside of Ireland’s larger urban centres, are taking industrial action in a dispute over pay and working conditions. Speaking in the Dáil, Sinn Féin deputy leader Pearse Doherty said firefighters had marched on Leinster House today and were very angry at the fact the Government will not intervene. Reintroduction of tax relief on mortgages needs to be considered, O’Brien says. Martin withdraws comment after saying People Before Profit would ‘put the jackboot on people’ Taoiseach ‘propagated fears’ farmers forced to rewet land due to nature restoration law – Cairns An intervention is required now. I’m asking you to make an improved offer in relation to pay for retained firefighters, Mr Doherty told the housing minister.I’m also asking you, and challenging you, to go outside after this Order of Business and meet with the firefighters because they are just fed up to the hilt in relation to what you said.Some of them have handed in their pagers to members of the Opposition and have challenged you to wear the pager for the next number of weeks, put up with an €8,600 retainer and not leave your community for the two and a half kilometres and see how you can stand over those type of pay and conditions. At this point, Mr Brady got up from his seat, walked across the chamber and placed the pager on the desk in front of Mr O’Brien. Ceann Comhairle Seán Ó Fearghaíl said the Sinn Féin TD was completely out of order and told him not to carry out a charade in this House, adding it was absolutely outrageous behaviour and not to be encouraged.Mr O’Brien said Mr Brady had engaged in an act of theatre here today which was obviously choreographed and was then interrupted with shouts from the Opposition benches. Mr Ó Fearghaíl said he would suspend the House if this racket continues.Mr O’Brien later said he said he was confident the dispute could be resolved and he had immense regard for firefighters. The minister said he would encourage the unions to re-engage with the State’s industrial relations process while also accusing Sinn Féin of using the issue for their own political gain." > $LOG_PATH/dataprep_file.txt
|
||||
validate_service \
|
||||
"http://${ip_address}:6004/v1/dataprep" \
|
||||
"Data preparation succeeded" \
|
||||
"extract_graph_neo4j" \
|
||||
"dataprep-neo4j-server"
|
||||
|
||||
# retrieval microservice
|
||||
validate_service \
|
||||
"${ip_address}:6009/v1/retrieval" \
|
||||
"Retrieval of answers from community summaries successful" \
|
||||
"retriever_community_answers_neo4j" \
|
||||
"retriever-neo4j-server" \
|
||||
"{\"model\": \"gpt-4o-mini\",\"messages\": [{\"role\": \"user\",\"content\": \"Who is John Brady and has he had any confrontations?\"}]}"
|
||||
|
||||
# tgi for llm service
|
||||
validate_service \
|
||||
"${ip_address}:6005/generate" \
|
||||
"generated_text" \
|
||||
"tgi-gaudi-service" \
|
||||
"tgi-gaudi-server" \
|
||||
'{"inputs":"What is Deep Learning?","parameters":{"max_new_tokens":17, "do_sample": true}}'
|
||||
}
|
||||
|
||||
function validate_megaservice() {
|
||||
# Curl the Mega Service
|
||||
validate_service \
|
||||
"${ip_address}:8888/v1/graphrag" \
|
||||
"data: " \
|
||||
"graphrag-megaservice" \
|
||||
"graphrag-gaudi-backend-server" \
|
||||
"{\"model\": \"gpt-4o-mini\",\"messages\": [{\"role\": \"user\",\"content\": \"Who is John Brady and has he had any confrontations?\"}]}"
|
||||
|
||||
}
|
||||
|
||||
function validate_frontend() {
|
||||
cd $WORKPATH/ui/svelte
|
||||
local conda_env_name="OPEA_e2e"
|
||||
export PATH=${HOME}/miniforge3/bin/:$PATH
|
||||
if conda info --envs | grep -q "$conda_env_name"; then
|
||||
echo "$conda_env_name exist!"
|
||||
else
|
||||
conda create -n ${conda_env_name} python=3.12 -y
|
||||
fi
|
||||
source activate ${conda_env_name}
|
||||
|
||||
sed -i "s/localhost/$ip_address/g" playwright.config.ts
|
||||
|
||||
conda install -c conda-forge nodejs -y
|
||||
npm install && npm ci && npx playwright install --with-deps
|
||||
node -v && npm -v && pip list
|
||||
|
||||
exit_status=0
|
||||
npx playwright test || exit_status=$?
|
||||
|
||||
if [ $exit_status -ne 0 ]; then
|
||||
echo "[TEST INFO]: ---------frontend test failed---------"
|
||||
exit $exit_status
|
||||
else
|
||||
echo "[TEST INFO]: ---------frontend test passed---------"
|
||||
fi
|
||||
}
|
||||
|
||||
function stop_docker() {
|
||||
cd $WORKPATH/docker_compose/intel/hpu/gaudi
|
||||
docker compose -f compose.yaml stop && docker compose -f compose.yaml rm -f
|
||||
}
|
||||
|
||||
function main() {
|
||||
|
||||
stop_docker
|
||||
if [[ "$IMAGE_REPO" == "opea" ]]; then build_docker_images; fi
|
||||
start_time=$(date +%s)
|
||||
start_services
|
||||
end_time=$(date +%s)
|
||||
duration=$((end_time-start_time))
|
||||
echo "Mega service start duration is $duration s"
|
||||
|
||||
if [ "${mode}" == "perf" ]; then
|
||||
python3 $WORKPATH/tests/chatqna_benchmark.py
|
||||
elif [ "${mode}" == "" ]; then
|
||||
validate_microservices
|
||||
validate_megaservice
|
||||
validate_frontend
|
||||
fi
|
||||
|
||||
stop_docker
|
||||
echo y | docker system prune
|
||||
|
||||
}
|
||||
|
||||
main
|
||||
26
GraphRAG/ui/docker/Dockerfile
Normal file
@@ -0,0 +1,26 @@
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
# Use node 20.11.1 as the base image
|
||||
FROM node:20.11.1
|
||||
|
||||
# Update package manager and install Git
|
||||
RUN apt-get update -y && apt-get install -y git --no-install-recommends --fix-missing
|
||||
|
||||
# Copy the front-end code repository
|
||||
COPY svelte /home/user/svelte
|
||||
|
||||
# Set the working directory
|
||||
WORKDIR /home/user/svelte
|
||||
|
||||
# Install front-end dependencies
|
||||
RUN npm install
|
||||
|
||||
# Build the front-end application
|
||||
RUN npm run build
|
||||
|
||||
# Expose the port of the front-end application
|
||||
EXPOSE 5173
|
||||
|
||||
# Run the front-end application in preview mode
|
||||
CMD ["npm", "run", "preview", "--", "--port", "5173", "--host", "0.0.0.0"]
|
||||
19
GraphRAG/ui/docker/Dockerfile.react
Normal file
@@ -0,0 +1,19 @@
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
# Use node 20.11.1 as the base image
|
||||
FROM node:20.11.1 as vite-app
|
||||
|
||||
COPY react /usr/app/react
|
||||
WORKDIR /usr/app/react
|
||||
|
||||
RUN ["npm", "install"]
|
||||
RUN ["npm", "run", "build"]
|
||||
|
||||
FROM nginx:alpine
|
||||
|
||||
COPY --from=vite-app /usr/app/react/dist /usr/share/nginx/html
|
||||
COPY ./react/env.sh /docker-entrypoint.d/env.sh
|
||||
|
||||
COPY ./react/nginx.conf /etc/nginx/conf.d/default.conf
|
||||
RUN chmod +x /docker-entrypoint.d/env.sh
|
||||
2
GraphRAG/ui/react/.env
Normal file
@@ -0,0 +1,2 @@
|
||||
VITE_BACKEND_SERVICE_ENDPOINT=http://backend_address:8888/v1/chatqna
|
||||
VITE_DATA_PREP_SERVICE_URL=http://backend_address:6007/v1/dataprep
|
||||
2
GraphRAG/ui/react/.env.production
Normal file
@@ -0,0 +1,2 @@
|
||||
VITE_BACKEND_SERVICE_ENDPOINT=APP_BACKEND_SERVICE_ENDPOINT
|
||||
VITE_DATA_PREP_SERVICE_URL=APP_DATA_PREP_SERVICE_URL
|
||||
11
GraphRAG/ui/react/.eslintrc.cjs
Normal file
@@ -0,0 +1,11 @@
|
||||
module.exports = {
|
||||
root: true,
|
||||
env: { browser: true, es2020: true },
|
||||
extends: ["eslint:recommended", "plugin:@typescript-eslint/recommended", "plugin:react-hooks/recommended"],
|
||||
ignorePatterns: ["dist", ".eslintrc.cjs"],
|
||||
parser: "@typescript-eslint/parser",
|
||||
plugins: ["react-refresh"],
|
||||
rules: {
|
||||
"react-refresh/only-export-components": ["warn", { allowConstantExport: true }],
|
||||
},
|
||||
};
|
||||
24
GraphRAG/ui/react/.gitignore
vendored
Normal file
@@ -0,0 +1,24 @@
|
||||
# Logs
|
||||
logs
|
||||
*.log
|
||||
npm-debug.log*
|
||||
yarn-debug.log*
|
||||
yarn-error.log*
|
||||
pnpm-debug.log*
|
||||
lerna-debug.log*
|
||||
|
||||
node_modules
|
||||
dist
|
||||
dist-ssr
|
||||
*.local
|
||||
|
||||
# Editor directories and files
|
||||
.vscode/*
|
||||
!.vscode/extensions.json
|
||||
.idea
|
||||
.DS_Store
|
||||
*.suo
|
||||
*.ntvs*
|
||||
*.njsproj
|
||||
*.sln
|
||||
*.sw?
|
||||
32
GraphRAG/ui/react/README.md
Normal file
@@ -0,0 +1,32 @@
|
||||
# ChatQnA Conversational UI
|
||||
|
||||
## 📸 Project Screenshots
|
||||
|
||||

|
||||

|
||||

|
||||
|
||||
## 🧐 Features
|
||||
|
||||
Here're some of the project's features:
|
||||
|
||||
- Start a Text Chat:Initiate a text chat with the ability to input written conversations, where the dialogue content can also be customized based on uploaded files.
|
||||
- Context Awareness: The AI assistant maintains the context of the conversation, understanding references to previous statements or questions. This allows for more natural and coherent exchanges.
|
||||
- Upload File: The choice between uploading locally or copying a remote link. Chat according to uploaded knowledge base.
|
||||
- Clear: Clear the record of the current dialog box without retaining the contents of the dialog box.
|
||||
- Chat history: Historical chat records can still be retained after refreshing, making it easier for users to view the context.
|
||||
- Conversational Chat : The application maintains a history of the conversation, allowing users to review previous messages and the AI to refer back to earlier points in the dialogue when necessary.
|
||||
|
||||
## 🛠️ Get it Running
|
||||
|
||||
1. Clone the repo.
|
||||
|
||||
2. cd command to the current folder.
|
||||
|
||||
3. Modify the required .env variables.
|
||||
```
|
||||
DOC_BASE_URL = ''
|
||||
```
|
||||
4. Execute `npm install` to install the corresponding dependencies.
|
||||
|
||||
5. Execute `npm run dev` in both environments
|
||||
15
GraphRAG/ui/react/env.sh
Normal file
@@ -0,0 +1,15 @@
|
||||
#!/bin/sh
|
||||
# Copyright (C) 2024 Intel Corporation
|
||||
# SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
for i in $(env | grep APP_) #// Make sure to use the prefix MY_APP_ if you have any other prefix in env.production file variable name replace it with MY_APP_
|
||||
do
|
||||
key=$(echo $i | cut -d '=' -f 1)
|
||||
value=$(echo $i | cut -d '=' -f 2-)
|
||||
echo $key=$value
|
||||
# sed All files
|
||||
# find /usr/share/nginx/html -type f -exec sed -i "s|${key}|${value}|g" '{}' +
|
||||
|
||||
# sed JS and CSS only
|
||||
find /usr/share/nginx/html -type f \( -name '*.js' -o -name '*.css' \) -exec sed -i "s|${key}|${value}|g" '{}' +
|
||||
done
|
||||
18
GraphRAG/ui/react/index.html
Normal file
@@ -0,0 +1,18 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<!doctype html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="UTF-8" />
|
||||
<link rel="icon" type="image/svg+xml" href="/src/assets/opea-icon-color.svg" />
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
|
||||
<title>Conversations UI</title>
|
||||
</head>
|
||||
<body>
|
||||
<div id="root"></div>
|
||||
<script type="module" src="/src/main.tsx"></script>
|
||||
</body>
|
||||
</html>
|
||||
20
GraphRAG/ui/react/nginx.conf
Normal file
@@ -0,0 +1,20 @@
|
||||
server {
|
||||
listen 80;
|
||||
|
||||
gzip on;
|
||||
gzip_proxied any;
|
||||
gzip_comp_level 6;
|
||||
gzip_buffers 16 8k;
|
||||
gzip_http_version 1.1;
|
||||
gzip_types font/woff2 text/css application/javascript application/json application/font-woff application/font-tff image/gif image/png image/svg+xml application/octet-stream;
|
||||
|
||||
location / {
|
||||
root /usr/share/nginx/html;
|
||||
index index.html index.htm;
|
||||
try_files $uri $uri/ /index.html =404;
|
||||
|
||||
location ~* \.(gif|jpe?g|png|webp|ico|svg|css|js|mp4|woff2)$ {
|
||||
expires 1d;
|
||||
}
|
||||
}
|
||||
}
|
||||
47
GraphRAG/ui/react/package.json
Normal file
@@ -0,0 +1,47 @@
|
||||
{
|
||||
"name": "ui",
|
||||
"private": true,
|
||||
"version": "0.0.0",
|
||||
"type": "module",
|
||||
"scripts": {
|
||||
"dev": "vite",
|
||||
"build": "tsc && vite build",
|
||||
"lint": "eslint . --ext ts,tsx --report-unused-disable-directives --max-warnings 0",
|
||||
"preview": "vite preview",
|
||||
"test": "vitest"
|
||||
},
|
||||
"dependencies": {
|
||||
"@mantine/core": "^7.10.0",
|
||||
"@mantine/hooks": "^7.10.0",
|
||||
"@mantine/notifications": "^7.10.2",
|
||||
"@microsoft/fetch-event-source": "^2.0.1",
|
||||
"@reduxjs/toolkit": "^2.2.5",
|
||||
"@tabler/icons-react": "^3.5.0",
|
||||
"axios": "^1.7.2",
|
||||
"luxon": "^3.4.4",
|
||||
"react": "^18.2.0",
|
||||
"react-dom": "^18.2.0",
|
||||
"react-redux": "^9.1.2"
|
||||
},
|
||||
"devDependencies": {
|
||||
"@testing-library/react": "^16.0.0",
|
||||
"@types/luxon": "^3.4.2",
|
||||
"@types/node": "^20.12.12",
|
||||
"@types/react": "^18.2.66",
|
||||
"@types/react-dom": "^18.2.22",
|
||||
"@typescript-eslint/eslint-plugin": "^7.2.0",
|
||||
"@typescript-eslint/parser": "^7.2.0",
|
||||
"@vitejs/plugin-react": "^4.2.1",
|
||||
"eslint": "^8.57.0",
|
||||
"eslint-plugin-react-hooks": "^4.6.0",
|
||||
"eslint-plugin-react-refresh": "^0.4.6",
|
||||
"jsdom": "^24.1.0",
|
||||
"postcss": "^8.4.38",
|
||||
"postcss-preset-mantine": "^1.15.0",
|
||||
"postcss-simple-vars": "^7.0.1",
|
||||
"sass": "1.64.2",
|
||||
"typescript": "^5.2.2",
|
||||
"vite": "^5.2.13",
|
||||
"vitest": "^1.6.0"
|
||||
}
|
||||
}
|
||||
14
GraphRAG/ui/react/postcss.config.cjs
Normal file
@@ -0,0 +1,14 @@
|
||||
module.exports = {
|
||||
plugins: {
|
||||
"postcss-preset-mantine": {},
|
||||
"postcss-simple-vars": {
|
||||
variables: {
|
||||
"mantine-breakpoint-xs": "36em",
|
||||
"mantine-breakpoint-sm": "48em",
|
||||
"mantine-breakpoint-md": "62em",
|
||||
"mantine-breakpoint-lg": "75em",
|
||||
"mantine-breakpoint-xl": "88em",
|
||||
},
|
||||
},
|
||||
},
|
||||
};
|
||||
1
GraphRAG/ui/react/public/vite.svg
Normal file
@@ -0,0 +1 @@
|
||||
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" aria-hidden="true" role="img" class="iconify iconify--logos" width="31.88" height="32" preserveAspectRatio="xMidYMid meet" viewBox="0 0 256 257"><defs><linearGradient id="IconifyId1813088fe1fbc01fb466" x1="-.828%" x2="57.636%" y1="7.652%" y2="78.411%"><stop offset="0%" stop-color="#41D1FF"></stop><stop offset="100%" stop-color="#BD34FE"></stop></linearGradient><linearGradient id="IconifyId1813088fe1fbc01fb467" x1="43.376%" x2="50.316%" y1="2.242%" y2="89.03%"><stop offset="0%" stop-color="#FFEA83"></stop><stop offset="8.333%" stop-color="#FFDD35"></stop><stop offset="100%" stop-color="#FFA800"></stop></linearGradient></defs><path fill="url(#IconifyId1813088fe1fbc01fb466)" d="M255.153 37.938L134.897 252.976c-2.483 4.44-8.862 4.466-11.382.048L.875 37.958c-2.746-4.814 1.371-10.646 6.827-9.67l120.385 21.517a6.537 6.537 0 0 0 2.322-.004l117.867-21.483c5.438-.991 9.574 4.796 6.877 9.62Z"></path><path fill="url(#IconifyId1813088fe1fbc01fb467)" d="M185.432.063L96.44 17.501a3.268 3.268 0 0 0-2.634 3.014l-5.474 92.456a3.268 3.268 0 0 0 3.997 3.378l24.777-5.718c2.318-.535 4.413 1.507 3.936 3.838l-7.361 36.047c-.495 2.426 1.782 4.5 4.151 3.78l15.304-4.649c2.372-.72 4.652 1.36 4.15 3.788l-11.698 56.621c-.732 3.542 3.979 5.473 5.943 2.437l1.313-2.028l72.516-144.72c1.215-2.423-.88-5.186-3.54-4.672l-25.505 4.922c-2.396.462-4.435-1.77-3.759-4.114l16.646-57.705c.677-2.35-1.37-4.583-3.769-4.113Z"></path></svg>
|
||||
|
After Width: | Height: | Size: 1.5 KiB |
42
GraphRAG/ui/react/src/App.scss
Normal file
@@ -0,0 +1,42 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
@import "./styles/styles";
|
||||
|
||||
.root {
|
||||
@include flex(row, nowrap, flex-start, flex-start);
|
||||
}
|
||||
|
||||
.layout-wrapper {
|
||||
@include absolutes;
|
||||
|
||||
display: grid;
|
||||
|
||||
width: 100%;
|
||||
height: 100%;
|
||||
|
||||
grid-template-columns: 80px auto;
|
||||
grid-template-rows: 1fr;
|
||||
}
|
||||
|
||||
/* ===== Scrollbar CSS ===== */
|
||||
/* Firefox */
|
||||
* {
|
||||
scrollbar-width: thin;
|
||||
scrollbar-color: #d6d6d6 #ffffff;
|
||||
}
|
||||
|
||||
/* Chrome, Edge, and Safari */
|
||||
*::-webkit-scrollbar {
|
||||
width: 8px;
|
||||
}
|
||||
|
||||
*::-webkit-scrollbar-track {
|
||||
background: #ffffff;
|
||||
}
|
||||
|
||||
*::-webkit-scrollbar-thumb {
|
||||
background-color: #d6d6d6;
|
||||
border-radius: 16px;
|
||||
border: 4px double #dedede;
|
||||
}
|
||||
34
GraphRAG/ui/react/src/App.tsx
Normal file
@@ -0,0 +1,34 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import "./App.scss"
|
||||
import { MantineProvider } from "@mantine/core"
|
||||
import '@mantine/notifications/styles.css';
|
||||
import { SideNavbar, SidebarNavList } from "./components/sidebar/sidebar"
|
||||
import { IconMessages } from "@tabler/icons-react"
|
||||
import UserInfoModal from "./components/UserInfoModal/UserInfoModal"
|
||||
import Conversation from "./components/Conversation/Conversation"
|
||||
import { Notifications } from '@mantine/notifications';
|
||||
|
||||
const title = "Chat QnA"
|
||||
const navList: SidebarNavList = [
|
||||
{ icon: IconMessages, label: title }
|
||||
]
|
||||
|
||||
function App() {
|
||||
|
||||
return (
|
||||
<MantineProvider>
|
||||
<Notifications position="top-right" />
|
||||
<UserInfoModal />
|
||||
<div className="layout-wrapper">
|
||||
<SideNavbar navList={navList} />
|
||||
<div className="content">
|
||||
<Conversation title={title} />
|
||||
</div>
|
||||
</div>
|
||||
</MantineProvider>
|
||||
)
|
||||
}
|
||||
|
||||
export default App
|
||||
14
GraphRAG/ui/react/src/__tests__/util.test.ts
Normal file
@@ -0,0 +1,14 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { describe, expect, test } from "vitest";
|
||||
import { getCurrentTimeStamp, uuidv4 } from "../common/util";
|
||||
|
||||
describe("unit tests", () => {
|
||||
test("check UUID is of length 36", () => {
|
||||
expect(uuidv4()).toHaveLength(36);
|
||||
});
|
||||
test("check TimeStamp generated is of unix", () => {
|
||||
expect(getCurrentTimeStamp()).toBe(Math.floor(Date.now() / 1000));
|
||||
});
|
||||
});
|
||||
39
GraphRAG/ui/react/src/assets/opea-icon-black.svg
Normal file
@@ -0,0 +1,39 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<!-- Generator: Adobe Illustrator 28.4.1, SVG Export Plug-In . SVG Version: 6.00 Build 0) -->
|
||||
<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"
|
||||
width="800px" height="800px" viewBox="0 0 800 800" style="enable-background:new 0 0 800 800;" xml:space="preserve">
|
||||
<style type="text/css">
|
||||
.Drop_x0020_Shadow{fill:none;}
|
||||
.Outer_x0020_Glow_x0020_5_x0020_pt{fill:none;}
|
||||
.Blue_x0020_Neon{fill:none;stroke:#8AACDA;stroke-width:7;stroke-linecap:round;stroke-linejoin:round;}
|
||||
.Chrome_x0020_Highlight{fill:url(#SVGID_1_);stroke:#FFFFFF;stroke-width:0.3629;stroke-miterlimit:1;}
|
||||
.Jive_GS{fill:#FFDD00;}
|
||||
.Alyssa_GS{fill:#A6D0E4;}
|
||||
.st0{fill:#FF6900;}
|
||||
.st1{fill:#FFB500;}
|
||||
.st2{fill:#FFFFFF;}
|
||||
</style>
|
||||
<linearGradient id="SVGID_1_" gradientUnits="userSpaceOnUse" x1="-1640" y1="-1640" x2="-1640" y2="-1641">
|
||||
<stop offset="0" style="stop-color:#656565"/>
|
||||
<stop offset="0.618" style="stop-color:#1B1B1B"/>
|
||||
<stop offset="0.6292" style="stop-color:#545454"/>
|
||||
<stop offset="0.9831" style="stop-color:#3E3E3E"/>
|
||||
</linearGradient>
|
||||
<g>
|
||||
<polygon points="400,0 737.5,181.7 607.3,252.8 269.7,71.1 "/>
|
||||
<path d="M708.3,414.7l29.2,15.7l-130.3,71.1l-44.9-24.2v-31.7l40,21.5c1.5,0.8,3.2,1.2,4.9,1.2c1.7,0,3.4-0.4,5-1.3l0,0
|
||||
L708.3,414.7z"/>
|
||||
<path d="M557.3,532.1c-0.1-0.1-0.3-0.1-0.4-0.2l0,0l-34.2-18.4l31.2-17l42.9,23.1v169.9l-34.5-18.6V541
|
||||
C562.4,537.3,560.4,533.9,557.3,532.1z"/>
|
||||
<polygon points="410.4,381.3 541.6,309.7 541.6,479.5 410.4,551.2 "/>
|
||||
<path d="M258.4,88.5l338.6,182.3v169.9l-34.5-18.6V292.2c0-3.7-1.9-7-5.1-8.9c-0.1-0.1-0.3-0.1-0.4-0.2l0,0L258.4,122.3V88.5z"/>
|
||||
<polygon points="192.7,110.6 530.3,292.3 400,363.4 62.5,181.6 "/>
|
||||
<polygon points="51.1,369 51.1,199 389.6,381.3 389.6,551.3 96.6,393.5 "/>
|
||||
<path d="M91.7,414.4l303.4,163.3c1.5,0.8,3.2,1.2,4.9,1.2c1.7,0,3.4-0.4,5-1.3l0,0l96.1-52.4l29.2,15.7L400,612.1L62.5,430.4
|
||||
L91.7,414.4z"/>
|
||||
<polygon points="51.1,447.8 389.6,630.1 389.6,800 51.1,617.7 "/>
|
||||
<polygon points="541.6,728.3 410.4,799.9 410.4,630 541.6,558.4 "/>
|
||||
<polygon points="748.9,617.7 617.6,689.3 617.6,519.5 748.9,447.9 "/>
|
||||
<polygon points="748.9,369 617.6,440.6 617.6,270.7 748.9,199.1 "/>
|
||||
</g>
|
||||
</svg>
|
||||
|
After Width: | Height: | Size: 2.2 KiB |
40
GraphRAG/ui/react/src/assets/opea-icon-color.svg
Normal file
@@ -0,0 +1,40 @@
|
||||
<?xml version="1.0" encoding="utf-8"?>
|
||||
<!-- Generator: Adobe Illustrator 28.4.1, SVG Export Plug-In . SVG Version: 6.00 Build 0) -->
|
||||
<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"
|
||||
width="800px" height="800px" viewBox="0 0 800 800" style="enable-background:new 0 0 800 800;" xml:space="preserve">
|
||||
<style type="text/css">
|
||||
.Drop_x0020_Shadow{fill:none;}
|
||||
.Outer_x0020_Glow_x0020_5_x0020_pt{fill:none;}
|
||||
.Blue_x0020_Neon{fill:none;stroke:#8AACDA;stroke-width:7;stroke-linecap:round;stroke-linejoin:round;}
|
||||
.Chrome_x0020_Highlight{fill:url(#SVGID_1_);stroke:#FFFFFF;stroke-width:0.3629;stroke-miterlimit:1;}
|
||||
.Jive_GS{fill:#FFDD00;}
|
||||
.Alyssa_GS{fill:#A6D0E4;}
|
||||
.st0{fill:#FF6900;}
|
||||
.st1{fill:#FFB500;}
|
||||
.st2{fill:#FFFFFF;}
|
||||
</style>
|
||||
<linearGradient id="SVGID_1_" gradientUnits="userSpaceOnUse" x1="-820" y1="-1640" x2="-820" y2="-1641">
|
||||
<stop offset="0" style="stop-color:#656565"/>
|
||||
<stop offset="0.618" style="stop-color:#1B1B1B"/>
|
||||
<stop offset="0.6292" style="stop-color:#545454"/>
|
||||
<stop offset="0.9831" style="stop-color:#3E3E3E"/>
|
||||
</linearGradient>
|
||||
<g>
|
||||
<polygon class="st0" points="400,0 737.5,181.7 607.3,252.8 269.7,71.1 "/>
|
||||
<path class="st1" d="M708.3,414.7l29.2,15.7l-130.3,71.1l-44.9-24.2v-31.7l40,21.5c1.5,0.8,3.2,1.2,4.9,1.2c1.7,0,3.4-0.4,5-1.3
|
||||
l0,0L708.3,414.7z"/>
|
||||
<path class="st1" d="M557.3,532.1c-0.1-0.1-0.3-0.1-0.4-0.2l0,0l-34.2-18.4l31.2-17l42.9,23.1v169.9l-34.5-18.6V541
|
||||
C562.4,537.3,560.4,533.9,557.3,532.1z"/>
|
||||
<polygon class="st1" points="410.4,381.3 541.6,309.7 541.6,479.5 410.4,551.2 "/>
|
||||
<path class="st0" d="M258.4,88.5l338.6,182.3v169.9l-34.5-18.6V292.2c0-3.7-1.9-7-5.1-8.9c-0.1-0.1-0.3-0.1-0.4-0.2l0,0
|
||||
L258.4,122.3V88.5z"/>
|
||||
<polygon class="st1" points="192.7,110.6 530.3,292.3 400,363.4 62.5,181.6 "/>
|
||||
<polygon class="st1" points="51.1,369 51.1,199 389.6,381.3 389.6,551.3 96.6,393.5 "/>
|
||||
<path class="st0" d="M91.7,414.4l303.4,163.3c1.5,0.8,3.2,1.2,4.9,1.2c1.7,0,3.4-0.4,5-1.3l0,0l96.1-52.4l29.2,15.7L400,612.1
|
||||
L62.5,430.4L91.7,414.4z"/>
|
||||
<polygon class="st0" points="51.1,447.8 389.6,630.1 389.6,800 51.1,617.7 "/>
|
||||
<polygon class="st0" points="541.6,728.3 410.4,799.9 410.4,630 541.6,558.4 "/>
|
||||
<polygon class="st1" points="748.9,617.7 617.6,689.3 617.6,519.5 748.9,447.9 "/>
|
||||
<polygon class="st0" points="748.9,369 617.6,440.6 617.6,270.7 748.9,199.1 "/>
|
||||
</g>
|
||||
</svg>
|
||||
|
After Width: | Height: | Size: 2.4 KiB |
1
GraphRAG/ui/react/src/assets/react.svg
Normal file
@@ -0,0 +1 @@
|
||||
<svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" aria-hidden="true" role="img" class="iconify iconify--logos" width="35.93" height="32" preserveAspectRatio="xMidYMid meet" viewBox="0 0 256 228"><path fill="#00D8FF" d="M210.483 73.824a171.49 171.49 0 0 0-8.24-2.597c.465-1.9.893-3.777 1.273-5.621c6.238-30.281 2.16-54.676-11.769-62.708c-13.355-7.7-35.196.329-57.254 19.526a171.23 171.23 0 0 0-6.375 5.848a155.866 155.866 0 0 0-4.241-3.917C100.759 3.829 77.587-4.822 63.673 3.233C50.33 10.957 46.379 33.89 51.995 62.588a170.974 170.974 0 0 0 1.892 8.48c-3.28.932-6.445 1.924-9.474 2.98C17.309 83.498 0 98.307 0 113.668c0 15.865 18.582 31.778 46.812 41.427a145.52 145.52 0 0 0 6.921 2.165a167.467 167.467 0 0 0-2.01 9.138c-5.354 28.2-1.173 50.591 12.134 58.266c13.744 7.926 36.812-.22 59.273-19.855a145.567 145.567 0 0 0 5.342-4.923a168.064 168.064 0 0 0 6.92 6.314c21.758 18.722 43.246 26.282 56.54 18.586c13.731-7.949 18.194-32.003 12.4-61.268a145.016 145.016 0 0 0-1.535-6.842c1.62-.48 3.21-.974 4.76-1.488c29.348-9.723 48.443-25.443 48.443-41.52c0-15.417-17.868-30.326-45.517-39.844Zm-6.365 70.984c-1.4.463-2.836.91-4.3 1.345c-3.24-10.257-7.612-21.163-12.963-32.432c5.106-11 9.31-21.767 12.459-31.957c2.619.758 5.16 1.557 7.61 2.4c23.69 8.156 38.14 20.213 38.14 29.504c0 9.896-15.606 22.743-40.946 31.14Zm-10.514 20.834c2.562 12.94 2.927 24.64 1.23 33.787c-1.524 8.219-4.59 13.698-8.382 15.893c-8.067 4.67-25.32-1.4-43.927-17.412a156.726 156.726 0 0 1-6.437-5.87c7.214-7.889 14.423-17.06 21.459-27.246c12.376-1.098 24.068-2.894 34.671-5.345a134.17 134.17 0 0 1 1.386 6.193ZM87.276 214.515c-7.882 2.783-14.16 2.863-17.955.675c-8.075-4.657-11.432-22.636-6.853-46.752a156.923 156.923 0 0 1 1.869-8.499c10.486 2.32 22.093 3.988 34.498 4.994c7.084 9.967 14.501 19.128 21.976 27.15a134.668 134.668 0 0 1-4.877 4.492c-9.933 8.682-19.886 14.842-28.658 17.94ZM50.35 144.747c-12.483-4.267-22.792-9.812-29.858-15.863c-6.35-5.437-9.555-10.836-9.555-15.216c0-9.322 13.897-21.212 37.076-29.293c2.813-.98 5.757-1.905 8.812-2.773c3.204 10.42 7.406 21.315 12.477 32.332c-5.137 11.18-9.399 22.249-12.634 32.792a134.718 134.718 0 0 1-6.318-1.979Zm12.378-84.26c-4.811-24.587-1.616-43.134 6.425-47.789c8.564-4.958 27.502 2.111 47.463 19.835a144.318 144.318 0 0 1 3.841 3.545c-7.438 7.987-14.787 17.08-21.808 26.988c-12.04 1.116-23.565 2.908-34.161 5.309a160.342 160.342 0 0 1-1.76-7.887Zm110.427 27.268a347.8 347.8 0 0 0-7.785-12.803c8.168 1.033 15.994 2.404 23.343 4.08c-2.206 7.072-4.956 14.465-8.193 22.045a381.151 381.151 0 0 0-7.365-13.322Zm-45.032-43.861c5.044 5.465 10.096 11.566 15.065 18.186a322.04 322.04 0 0 0-30.257-.006c4.974-6.559 10.069-12.652 15.192-18.18ZM82.802 87.83a323.167 323.167 0 0 0-7.227 13.238c-3.184-7.553-5.909-14.98-8.134-22.152c7.304-1.634 15.093-2.97 23.209-3.984a321.524 321.524 0 0 0-7.848 12.897Zm8.081 65.352c-8.385-.936-16.291-2.203-23.593-3.793c2.26-7.3 5.045-14.885 8.298-22.6a321.187 321.187 0 0 0 7.257 13.246c2.594 4.48 5.28 8.868 8.038 13.147Zm37.542 31.03c-5.184-5.592-10.354-11.779-15.403-18.433c4.902.192 9.899.29 14.978.29c5.218 0 10.376-.117 15.453-.343c-4.985 6.774-10.018 12.97-15.028 18.486Zm52.198-57.817c3.422 7.8 6.306 15.345 8.596 22.52c-7.422 1.694-15.436 3.058-23.88 4.071a382.417 382.417 0 0 0 7.859-13.026a347.403 347.403 0 0 0 7.425-13.565Zm-16.898 8.101a358.557 358.557 0 0 1-12.281 19.815a329.4 329.4 0 0 1-23.444.823c-7.967 0-15.716-.248-23.178-.732a310.202 310.202 0 0 1-12.513-19.846h.001a307.41 307.41 0 0 1-10.923-20.627a310.278 310.278 0 0 1 10.89-20.637l-.001.001a307.318 307.318 0 0 1 12.413-19.761c7.613-.576 15.42-.876 23.31-.876H128c7.926 0 15.743.303 23.354.883a329.357 329.357 0 0 1 12.335 19.695a358.489 358.489 0 0 1 11.036 20.54a329.472 329.472 0 0 1-11 20.722Zm22.56-122.124c8.572 4.944 11.906 24.881 6.52 51.026c-.344 1.668-.73 3.367-1.15 5.09c-10.622-2.452-22.155-4.275-34.23-5.408c-7.034-10.017-14.323-19.124-21.64-27.008a160.789 160.789 0 0 1 5.888-5.4c18.9-16.447 36.564-22.941 44.612-18.3ZM128 90.808c12.625 0 22.86 10.235 22.86 22.86s-10.235 22.86-22.86 22.86s-22.86-10.235-22.86-22.86s10.235-22.86 22.86-22.86Z"></path></svg>
|
||||
|
After Width: | Height: | Size: 4.0 KiB |
8
GraphRAG/ui/react/src/common/client.ts
Normal file
@@ -0,0 +1,8 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import axios from "axios";
|
||||
|
||||
//add iterceptors to add any request headers
|
||||
|
||||
export default axios;
|
||||
12
GraphRAG/ui/react/src/common/util.ts
Normal file
@@ -0,0 +1,12 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
export const getCurrentTimeStamp = () => {
|
||||
return Math.floor(Date.now() / 1000);
|
||||
};
|
||||
|
||||
export const uuidv4 = () => {
|
||||
return "10000000-1000-4000-8000-100000000000".replace(/[018]/g, (c) =>
|
||||
(+c ^ (crypto.getRandomValues(new Uint8Array(1))[0] & (15 >> (+c / 4)))).toString(16),
|
||||
);
|
||||
};
|
||||
156
GraphRAG/ui/react/src/components/Conversation/Conversation.tsx
Normal file
@@ -0,0 +1,156 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { KeyboardEventHandler, SyntheticEvent, useEffect, useRef, useState } from 'react'
|
||||
import styleClasses from "./conversation.module.scss"
|
||||
import { ActionIcon, Group, Textarea, Title, rem } from '@mantine/core'
|
||||
import { IconArrowRight, IconFilePlus, IconMessagePlus } from '@tabler/icons-react'
|
||||
import { conversationSelector, doConversation, newConversation } from '../../redux/Conversation/ConversationSlice'
|
||||
import { ConversationMessage } from '../Message/conversationMessage'
|
||||
import { useAppDispatch, useAppSelector } from '../../redux/store'
|
||||
import { Message, MessageRole } from '../../redux/Conversation/Conversation'
|
||||
import { getCurrentTimeStamp } from '../../common/util'
|
||||
import { useDisclosure } from '@mantine/hooks'
|
||||
import DataSource from './DataSource'
|
||||
import { ConversationSideBar } from './ConversationSideBar'
|
||||
|
||||
type ConversationProps = {
|
||||
title:string
|
||||
}
|
||||
|
||||
const Conversation = ({ title }: ConversationProps) => {
|
||||
|
||||
const [prompt, setPrompt] = useState<string>("")
|
||||
const promptInputRef = useRef<HTMLTextAreaElement>(null)
|
||||
const [fileUploadOpened, { open: openFileUpload, close: closeFileUpload }] = useDisclosure(false);
|
||||
|
||||
const { conversations, onGoingResult, selectedConversationId } = useAppSelector(conversationSelector)
|
||||
const dispatch = useAppDispatch();
|
||||
const selectedConversation = conversations.find(x=>x.conversationId===selectedConversationId)
|
||||
|
||||
const scrollViewport = useRef<HTMLDivElement>(null)
|
||||
|
||||
const toSend = "Enter"
|
||||
|
||||
const systemPrompt: Partial<Message> = {
|
||||
role: MessageRole.System,
|
||||
content: "You are helpful assistant",
|
||||
};
|
||||
|
||||
|
||||
const handleSubmit = () => {
|
||||
|
||||
const userPrompt: Message = {
|
||||
role: MessageRole.User,
|
||||
content: prompt,
|
||||
time: getCurrentTimeStamp()
|
||||
};
|
||||
let messages: Partial<Message>[] = [];
|
||||
if(selectedConversation){
|
||||
messages = selectedConversation.Messages.map(message => {
|
||||
return {role:message.role, content:message.content}
|
||||
})
|
||||
}
|
||||
|
||||
messages = [systemPrompt, ...messages]
|
||||
|
||||
doConversation({
|
||||
conversationId: selectedConversationId,
|
||||
userPrompt,
|
||||
messages,
|
||||
model: "Intel/neural-chat-7b-v3-3",
|
||||
})
|
||||
setPrompt("")
|
||||
}
|
||||
|
||||
const scrollToBottom = () => {
|
||||
scrollViewport.current!.scrollTo({ top: scrollViewport.current!.scrollHeight })
|
||||
}
|
||||
|
||||
useEffect(() => {
|
||||
scrollToBottom()
|
||||
}, [onGoingResult, selectedConversation?.Messages])
|
||||
|
||||
const handleKeyDown: KeyboardEventHandler = (event) => {
|
||||
if (!event.shiftKey && event.key === toSend) {
|
||||
handleSubmit()
|
||||
setTimeout(() => {
|
||||
setPrompt("")
|
||||
}, 1)
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
|
||||
const handleNewConversation = () => {
|
||||
dispatch(newConversation())
|
||||
}
|
||||
|
||||
const handleChange = (event: SyntheticEvent) => {
|
||||
event.preventDefault()
|
||||
setPrompt((event.target as HTMLTextAreaElement).value)
|
||||
}
|
||||
return (
|
||||
<div className={styleClasses.conversationWrapper}>
|
||||
<ConversationSideBar title={title}/>
|
||||
<div className={styleClasses.conversationContent}>
|
||||
<div className={styleClasses.conversationContentMessages}>
|
||||
<div className={styleClasses.conversationTitle}>
|
||||
<Title order={3}>{selectedConversation?.title || ""} </Title>
|
||||
<span className={styleClasses.spacer}></span>
|
||||
<Group>
|
||||
{selectedConversation && selectedConversation?.Messages.length > 0 && (
|
||||
<ActionIcon onClick={handleNewConversation} disabled={onGoingResult != ""} size={32} variant="default">
|
||||
<IconMessagePlus />
|
||||
</ActionIcon>
|
||||
)}
|
||||
<ActionIcon onClick={openFileUpload} size={32} variant="default">
|
||||
<IconFilePlus />
|
||||
</ActionIcon>
|
||||
</Group>
|
||||
</div>
|
||||
|
||||
<div className={styleClasses.historyContainer} ref={scrollViewport}>
|
||||
|
||||
{!selectedConversation && (
|
||||
<>
|
||||
<div className="infoMessage">Start by asking a question</div>
|
||||
<div className="infoMessage">You can also upload your Document by clicking on Document icon on top right corner</div>
|
||||
</>
|
||||
)}
|
||||
|
||||
{selectedConversation?.Messages.map((message) => {
|
||||
return (<ConversationMessage key={`_ai`} date={message.time * 1000} human={message.role == MessageRole.User} message={message.content} />)
|
||||
})
|
||||
}
|
||||
|
||||
{onGoingResult && (
|
||||
<ConversationMessage key={`_ai`} date={Date.now()} human={false} message={onGoingResult} />
|
||||
)}
|
||||
</div>
|
||||
|
||||
<div className={styleClasses.conversationActions}>
|
||||
<Textarea
|
||||
radius="xl"
|
||||
size="md"
|
||||
placeholder="Ask a question"
|
||||
ref={promptInputRef}
|
||||
onKeyDown={handleKeyDown}
|
||||
onChange={handleChange}
|
||||
value={prompt}
|
||||
rightSectionWidth={42}
|
||||
rightSection={
|
||||
<ActionIcon onClick={handleSubmit} size={32} radius="xl" variant="filled">
|
||||
<IconArrowRight style={{ width: rem(18), height: rem(18) }} stroke={1.5} />
|
||||
</ActionIcon>
|
||||
}
|
||||
// {...props}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
<DataSource opened={fileUploadOpened} onClose={closeFileUpload} />
|
||||
</div >
|
||||
)
|
||||
}
|
||||
export default Conversation;
|
||||
@@ -0,0 +1,45 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { ScrollAreaAutosize, Title } from "@mantine/core"
|
||||
|
||||
import contextStyles from "../../styles/components/context.module.scss"
|
||||
import { useAppDispatch, useAppSelector } from "../../redux/store"
|
||||
import { conversationSelector, setSelectedConversationId } from "../../redux/Conversation/ConversationSlice"
|
||||
// import { userSelector } from "../../redux/User/userSlice"
|
||||
|
||||
export interface ConversationContextProps {
|
||||
title: string
|
||||
}
|
||||
|
||||
export function ConversationSideBar({ title }: ConversationContextProps) {
|
||||
const { conversations, selectedConversationId } = useAppSelector(conversationSelector)
|
||||
// const user = useAppSelector(userSelector)
|
||||
const dispatch = useAppDispatch()
|
||||
|
||||
const conversationList = conversations?.map((curr) => (
|
||||
<div
|
||||
className={contextStyles.contextListItem}
|
||||
data-active={selectedConversationId === curr.conversationId || undefined}
|
||||
onClick={(event) => {
|
||||
event.preventDefault()
|
||||
dispatch(setSelectedConversationId(curr.conversationId))
|
||||
// dispatch(getConversationById({ user, conversationId: curr.conversationId }))
|
||||
}}
|
||||
key={curr.conversationId}
|
||||
>
|
||||
<div className={contextStyles.contextItemName} title={curr.title}>{curr.title}</div>
|
||||
</div>
|
||||
))
|
||||
|
||||
return (
|
||||
<div className={contextStyles.contextWrapper}>
|
||||
<Title order={3} className={contextStyles.contextTitle}>
|
||||
{title}
|
||||
</Title>
|
||||
<ScrollAreaAutosize type="hover" scrollHideDelay={0}>
|
||||
<div className={contextStyles.contextList}>{conversationList}</div>
|
||||
</ScrollAreaAutosize>
|
||||
</div>
|
||||
)
|
||||
}
|
||||
71
GraphRAG/ui/react/src/components/Conversation/DataSource.tsx
Normal file
@@ -0,0 +1,71 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { Button, Container, Drawer, FileInput, Text, TextInput } from '@mantine/core'
|
||||
import { SyntheticEvent, useState } from 'react'
|
||||
import { useAppDispatch } from '../../redux/store'
|
||||
import { submitDataSourceURL, uploadFile } from '../../redux/Conversation/ConversationSlice'
|
||||
|
||||
type Props = {
|
||||
opened: boolean
|
||||
onClose: () => void
|
||||
}
|
||||
|
||||
export default function DataSource({ opened, onClose }: Props) {
|
||||
const title = "Data Source"
|
||||
const [file, setFile] = useState<File | null>();
|
||||
const [isFile, setIsFile] = useState<boolean>(true);
|
||||
const [url, setURL] = useState<string>("");
|
||||
const dispatch = useAppDispatch()
|
||||
const handleFileUpload = () => {
|
||||
if (file)
|
||||
dispatch(uploadFile({ file }))
|
||||
}
|
||||
|
||||
const handleChange = (event: SyntheticEvent) => {
|
||||
event.preventDefault()
|
||||
setURL((event.target as HTMLTextAreaElement).value)
|
||||
}
|
||||
|
||||
const handleSubmit = () => {
|
||||
dispatch(submitDataSourceURL({ link_list: url.split(";") }))
|
||||
}
|
||||
|
||||
return (
|
||||
<Drawer title={title} position="right" opened={opened} onClose={onClose} withOverlay={false}>
|
||||
<Text size="sm">
|
||||
Please upload your local file or paste a remote file link, and Chat will respond based on the content of the uploaded file.
|
||||
</Text>
|
||||
|
||||
|
||||
<Container styles={{
|
||||
root: { paddingTop: '40px', display:'flex', flexDirection:'column', alignItems:'center' }
|
||||
}}>
|
||||
<Button.Group styles={{ group:{alignSelf:'center'}}} >
|
||||
<Button variant={isFile ? 'filled' : 'default'} onClick={() => setIsFile(true)}>Upload FIle</Button>
|
||||
<Button variant={!isFile ? 'filled' : 'default'} onClick={() => setIsFile(false)}>Use Link</Button>
|
||||
</Button.Group>
|
||||
</Container>
|
||||
|
||||
<Container styles={{root:{paddingTop: '40px'}}}>
|
||||
<div>
|
||||
{isFile ? (
|
||||
<>
|
||||
<FileInput value={file} onChange={setFile} placeholder="Choose File" description={"choose a file to upload for RAG"}/>
|
||||
<Button style={{marginTop:'5px'}} onClick={handleFileUpload} disabled={!file}>Upload</Button>
|
||||
</>
|
||||
) : (
|
||||
<>
|
||||
<TextInput value={url} onChange={handleChange} placeholder='URL' description={"Use semicolons (;) to separate multiple URLs."} />
|
||||
<Button style={{ marginTop: '5px' }} onClick={handleSubmit} disabled={!url}>Upload</Button>
|
||||
</>
|
||||
)}
|
||||
</div>
|
||||
|
||||
|
||||
|
||||
|
||||
</Container>
|
||||
</Drawer>
|
||||
)
|
||||
}
|
||||
@@ -0,0 +1,65 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
@import "../../styles/styles";
|
||||
|
||||
.spacer {
|
||||
flex: 1 1 auto;
|
||||
}
|
||||
|
||||
.conversationWrapper {
|
||||
@include flex(row, nowrap, flex-start, flex-start);
|
||||
flex: 1 1 auto;
|
||||
height: 100%;
|
||||
& > * {
|
||||
height: 100%;
|
||||
}
|
||||
.conversationContent {
|
||||
flex: 1 1 auto;
|
||||
position: relative;
|
||||
.conversationContentMessages {
|
||||
@include absolutes;
|
||||
// @include flex(column, nowrap, flex-start, flex-start);
|
||||
|
||||
display: grid;
|
||||
grid-template-areas:
|
||||
"header"
|
||||
"messages"
|
||||
"inputs";
|
||||
|
||||
grid-template-columns: auto;
|
||||
grid-template-rows: 60px auto 100px;
|
||||
|
||||
.conversationTitle {
|
||||
grid-area: header;
|
||||
@include flex(row, nowrap, center, flex-start);
|
||||
height: 60px;
|
||||
padding: 8px 24px;
|
||||
border-bottom: 1px solid light-dark(var(--mantine-color-gray-3), var(--mantine-color-dark-4));
|
||||
}
|
||||
|
||||
.historyContainer {
|
||||
grid-area: messages;
|
||||
overflow: auto;
|
||||
width: 100%;
|
||||
padding: 16px 32px;
|
||||
& > * {
|
||||
width: 100%;
|
||||
}
|
||||
}
|
||||
|
||||
.conversationActions {
|
||||
// padding: --var()
|
||||
grid-area: inputs;
|
||||
padding: 18px;
|
||||
border-top: 1px solid light-dark(var(--mantine-color-gray-3), var(--mantine-color-dark-4));
|
||||
}
|
||||
}
|
||||
|
||||
.conversationSplash {
|
||||
@include absolutes;
|
||||
@include flex(column, nowrap, center, center);
|
||||
font-size: 32px;
|
||||
}
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,15 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
@import "../../styles/styles";
|
||||
|
||||
.conversationMessage {
|
||||
@include flex(column, nowrap, flex-start, flex-start);
|
||||
margin-top: 16px;
|
||||
padding: 0 32px;
|
||||
width: 100%;
|
||||
|
||||
& > * {
|
||||
width: 100%;
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,55 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { IconAi, IconUser } from "@tabler/icons-react"
|
||||
import style from "./conversationMessage.module.scss"
|
||||
import { Group, Text } from "@mantine/core"
|
||||
import { DateTime } from "luxon"
|
||||
|
||||
export interface ConversationMessageProps {
|
||||
message: string
|
||||
human: boolean
|
||||
date: number
|
||||
}
|
||||
|
||||
export function ConversationMessage({ human, message, date }: ConversationMessageProps) {
|
||||
const dateFormat = () => {
|
||||
// console.log(date)
|
||||
// console.log(new Date(date))
|
||||
return DateTime.fromJSDate(new Date(date)).toLocaleString(DateTime.DATETIME_MED)
|
||||
}
|
||||
|
||||
return (
|
||||
<div className={style.conversationMessage}>
|
||||
<Group>
|
||||
{/* <Avatar
|
||||
src="https://raw.githubusercontent.com/mantinedev/mantine/master/.demo/avatars/avatar-1.png"
|
||||
alt="Jacob Warnhalter"
|
||||
radius="xl"
|
||||
/> */}
|
||||
|
||||
{human && <IconUser />}
|
||||
{!human && <IconAi />}
|
||||
|
||||
<div>
|
||||
<Text size="sm">
|
||||
{human && "You"} {!human && "Assistant"}
|
||||
</Text>
|
||||
<Text size="xs" c="dimmed">
|
||||
{dateFormat()}
|
||||
</Text>
|
||||
</div>
|
||||
</Group>
|
||||
<Text pl={54} pt="sm" size="sm">
|
||||
{message}
|
||||
</Text>
|
||||
|
||||
{/* <div className={style.header}>
|
||||
{human && <IconUser />}
|
||||
{!human && <IconAi />}
|
||||
</div>
|
||||
|
||||
<div className={style.message}>{message}</div> */}
|
||||
</div>
|
||||
)
|
||||
}
|
||||
@@ -0,0 +1,48 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { SyntheticEvent, useEffect, useState } from 'react'
|
||||
import { useDisclosure } from '@mantine/hooks';
|
||||
import { TextInput, Button, Modal } from '@mantine/core';
|
||||
import { useDispatch, useSelector } from 'react-redux';
|
||||
import { userSelector, setUser } from '../../redux/User/userSlice';
|
||||
|
||||
|
||||
const UserInfoModal = () => {
|
||||
const [opened, { open, close }] = useDisclosure(false);
|
||||
const { name } = useSelector(userSelector);
|
||||
const [username, setUsername] = useState(name || "");
|
||||
const dispatch = useDispatch();
|
||||
const handleSubmit = (event: SyntheticEvent) => {
|
||||
event.preventDefault()
|
||||
if(username){
|
||||
close();
|
||||
dispatch(setUser(username));
|
||||
setUsername("")
|
||||
}
|
||||
|
||||
}
|
||||
useEffect(() => {
|
||||
if (!name) {
|
||||
open();
|
||||
}
|
||||
}, [name])
|
||||
return (
|
||||
<>
|
||||
<Modal opened={opened} withCloseButton={false} onClose={()=>handleSubmit} title="Tell us who you are ?" centered>
|
||||
<>
|
||||
<form onSubmit={handleSubmit} >
|
||||
<TextInput label="Username" placeholder="Username" onChange={(event)=> setUsername(event?.currentTarget.value)} value={username} data-autofocus />
|
||||
<Button fullWidth onClick={handleSubmit} mt="md">
|
||||
Submit
|
||||
</Button>
|
||||
</form>
|
||||
|
||||
</>
|
||||
</Modal>
|
||||
</>
|
||||
|
||||
)
|
||||
}
|
||||
|
||||
export default UserInfoModal
|
||||
73
GraphRAG/ui/react/src/components/sidebar/sidebar.module.scss
Normal file
@@ -0,0 +1,73 @@
|
||||
/**
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
**/
|
||||
|
||||
@import "../../styles/styles";
|
||||
|
||||
.navbar {
|
||||
width: 100%;
|
||||
@include flex(column, nowrap, center, flex-start);
|
||||
padding: var(--mantine-spacing-md);
|
||||
background-color: var(--mantine-color-blue-filled);
|
||||
// background-color: light-dark(var(--mantine-color-white), var(--mantine-color-dark-6));
|
||||
// border-right: 1px solid light-dark(var(--mantine-color-gray-3), var(--mantine-color-dark-4));
|
||||
}
|
||||
|
||||
.navbarMain {
|
||||
flex: 1;
|
||||
}
|
||||
|
||||
.navbarLogo {
|
||||
width: 100%;
|
||||
display: flex;
|
||||
justify-content: center;
|
||||
padding-top: var(--mantine-spacing-md);
|
||||
margin-bottom: var(--mantine-spacing-xl);
|
||||
}
|
||||
|
||||
.link {
|
||||
width: 44px;
|
||||
height: 44px;
|
||||
border-radius: var(--mantine-radius-md);
|
||||
display: flex;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
color: var(--mantine-color-white);
|
||||
|
||||
&:hover {
|
||||
background-color: var(--mantine-color-blue-7);
|
||||
}
|
||||
|
||||
&[data-active] {
|
||||
&,
|
||||
&:hover {
|
||||
box-shadow: var(--mantine-shadow-sm);
|
||||
background-color: var(--mantine-color-white);
|
||||
color: var(--mantine-color-blue-6);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
.aside {
|
||||
flex: 0 0 60px;
|
||||
background-color: var(--mantine-color-body);
|
||||
display: flex;
|
||||
flex-direction: column;
|
||||
align-items: center;
|
||||
border-right: 1px solid light-dark(var(--mantine-color-gray-3), var(--mantine-color-dark-7));
|
||||
}
|
||||
|
||||
.logo {
|
||||
width: 100%;
|
||||
display: flex;
|
||||
justify-content: center;
|
||||
height: 60px;
|
||||
padding-top: var(--mantine-spacing-s);
|
||||
border-bottom: 1px solid light-dark(var(--mantine-color-gray-3), var(--mantine-color-dark-7));
|
||||
margin-bottom: var(--mantine-spacing-xl);
|
||||
}
|
||||
.logoImg {
|
||||
width: 30px;
|
||||
}
|
||||
70
GraphRAG/ui/react/src/components/sidebar/sidebar.tsx
Normal file
@@ -0,0 +1,70 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { useState } from "react"
|
||||
import { Tooltip, UnstyledButton, Stack, rem } from "@mantine/core"
|
||||
import { IconHome2, IconLogout } from "@tabler/icons-react"
|
||||
import classes from "./sidebar.module.scss"
|
||||
import OpeaLogo from "../../assets/opea-icon-black.svg"
|
||||
import { useAppDispatch } from "../../redux/store"
|
||||
import { removeUser } from "../../redux/User/userSlice"
|
||||
import { logout } from "../../redux/Conversation/ConversationSlice"
|
||||
|
||||
interface NavbarLinkProps {
|
||||
icon: typeof IconHome2
|
||||
label: string
|
||||
active?: boolean
|
||||
onClick?(): void
|
||||
}
|
||||
|
||||
function NavbarLink({ icon: Icon, label, active, onClick }: NavbarLinkProps) {
|
||||
return (
|
||||
<Tooltip label={label} position="right" transitionProps={{ duration: 0 }}>
|
||||
<UnstyledButton onClick={onClick} className={classes.link} data-active={active || undefined}>
|
||||
<Icon style={{ width: rem(20), height: rem(20) }} stroke={1.5} />
|
||||
</UnstyledButton>
|
||||
</Tooltip>
|
||||
)
|
||||
}
|
||||
|
||||
export interface SidebarNavItem {
|
||||
icon: typeof IconHome2
|
||||
label: string
|
||||
}
|
||||
|
||||
export type SidebarNavList = SidebarNavItem[]
|
||||
|
||||
export interface SideNavbarProps {
|
||||
navList: SidebarNavList
|
||||
}
|
||||
|
||||
export function SideNavbar({ navList }: SideNavbarProps) {
|
||||
const dispatch =useAppDispatch()
|
||||
const [active, setActive] = useState(0)
|
||||
|
||||
const handleLogout = () => {
|
||||
dispatch(logout())
|
||||
dispatch(removeUser())
|
||||
}
|
||||
|
||||
const links = navList.map((link, index) => (
|
||||
<NavbarLink {...link} key={link.label} active={index === active} onClick={() => setActive(index)} />
|
||||
))
|
||||
|
||||
return (
|
||||
<nav className={classes.navbar}>
|
||||
<div className={classes.navbarLogo}>
|
||||
<img className={classes.logoImg} src={OpeaLogo} alt="opea logo" />
|
||||
</div>
|
||||
|
||||
<div className={classes.navbarMain}>
|
||||
<Stack justify="center" gap={0}>
|
||||
{links}
|
||||
</Stack>
|
||||
</div>
|
||||
<Stack justify="center" gap={0}>
|
||||
<NavbarLink icon={IconLogout} label="Logout" onClick={handleLogout} />
|
||||
</Stack>
|
||||
</nav>
|
||||
)
|
||||
}
|
||||
5
GraphRAG/ui/react/src/config.ts
Normal file
@@ -0,0 +1,5 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
export const DATA_PREP_URL = import.meta.env.VITE_DATA_PREP_SERVICE_URL;
|
||||
export const CHAT_QNA_URL = import.meta.env.VITE_BACKEND_SERVICE_ENDPOINT;
|
||||
20
GraphRAG/ui/react/src/index.scss
Normal file
@@ -0,0 +1,20 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
@import "@mantine/core/styles.css";
|
||||
|
||||
:root {
|
||||
font-family: Inter, system-ui, Avenir, Helvetica, Arial, sans-serif;
|
||||
line-height: 1.5;
|
||||
font-weight: 400;
|
||||
}
|
||||
|
||||
html,
|
||||
body {
|
||||
position: absolute;
|
||||
top: 0;
|
||||
left: 0;
|
||||
width: 100%;
|
||||
height: 100%;
|
||||
overflow: hidden;
|
||||
}
|
||||
17
GraphRAG/ui/react/src/main.tsx
Normal file
@@ -0,0 +1,17 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import React from "react"
|
||||
import ReactDOM from "react-dom/client"
|
||||
import App from "./App.tsx"
|
||||
import "./index.scss"
|
||||
import { Provider } from 'react-redux'
|
||||
import { store } from "./redux/store.ts"
|
||||
|
||||
ReactDOM.createRoot(document.getElementById("root")!).render(
|
||||
<React.StrictMode>
|
||||
<Provider store={store} >
|
||||
<App />
|
||||
</Provider>
|
||||
</React.StrictMode>
|
||||
)
|
||||
32
GraphRAG/ui/react/src/redux/Conversation/Conversation.ts
Normal file
@@ -0,0 +1,32 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
export type ConversationRequest = {
|
||||
conversationId: string;
|
||||
userPrompt: Message;
|
||||
messages: Partial<Message>[];
|
||||
model: string;
|
||||
};
|
||||
export enum MessageRole {
|
||||
Assistant = "assistant",
|
||||
User = "user",
|
||||
System = "system",
|
||||
}
|
||||
|
||||
export interface Message {
|
||||
role: MessageRole;
|
||||
content: string;
|
||||
time: number;
|
||||
}
|
||||
|
||||
export interface Conversation {
|
||||
conversationId: string;
|
||||
title?: string;
|
||||
Messages: Message[];
|
||||
}
|
||||
|
||||
export interface ConversationReducer {
|
||||
selectedConversationId: string;
|
||||
conversations: Conversation[];
|
||||
onGoingResult: string;
|
||||
}
|
||||
221
GraphRAG/ui/react/src/redux/Conversation/ConversationSlice.ts
Normal file
@@ -0,0 +1,221 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { PayloadAction, createSlice } from "@reduxjs/toolkit";
|
||||
import { RootState, store } from "../store";
|
||||
import { fetchEventSource } from "@microsoft/fetch-event-source";
|
||||
import { Message, MessageRole, ConversationReducer, ConversationRequest } from "./Conversation";
|
||||
import { getCurrentTimeStamp, uuidv4 } from "../../common/util";
|
||||
import { createAsyncThunkWrapper } from "../thunkUtil";
|
||||
import client from "../../common/client";
|
||||
import { notifications } from "@mantine/notifications";
|
||||
import { CHAT_QNA_URL, DATA_PREP_URL } from "../../config";
|
||||
|
||||
const initialState: ConversationReducer = {
|
||||
conversations: [],
|
||||
selectedConversationId: "",
|
||||
onGoingResult: "",
|
||||
};
|
||||
|
||||
export const ConversationSlice = createSlice({
|
||||
name: "Conversation",
|
||||
initialState,
|
||||
reducers: {
|
||||
logout: (state) => {
|
||||
state.conversations = [];
|
||||
state.selectedConversationId = "";
|
||||
state.onGoingResult = "";
|
||||
},
|
||||
setOnGoingResult: (state, action: PayloadAction<string>) => {
|
||||
state.onGoingResult = action.payload;
|
||||
},
|
||||
addMessageToMessages: (state, action: PayloadAction<Message>) => {
|
||||
const selectedConversation = state.conversations.find((x) => x.conversationId === state.selectedConversationId);
|
||||
selectedConversation?.Messages?.push(action.payload);
|
||||
},
|
||||
newConversation: (state) => {
|
||||
(state.selectedConversationId = ""), (state.onGoingResult = "");
|
||||
},
|
||||
createNewConversation: (state, action: PayloadAction<{ title: string; id: string; message: Message }>) => {
|
||||
state.conversations.push({
|
||||
title: action.payload.title,
|
||||
conversationId: action.payload.id,
|
||||
Messages: [action.payload.message],
|
||||
});
|
||||
},
|
||||
setSelectedConversationId: (state, action: PayloadAction<string>) => {
|
||||
state.selectedConversationId = action.payload;
|
||||
},
|
||||
},
|
||||
extraReducers(builder) {
|
||||
builder.addCase(uploadFile.fulfilled, () => {
|
||||
notifications.update({
|
||||
id: "upload-file",
|
||||
message: "File Uploaded Successfully",
|
||||
loading: false,
|
||||
autoClose: 3000,
|
||||
});
|
||||
}),
|
||||
builder.addCase(uploadFile.rejected, () => {
|
||||
notifications.update({
|
||||
color: "red",
|
||||
id: "upload-file",
|
||||
message: "Failed to Upload file",
|
||||
loading: false,
|
||||
});
|
||||
});
|
||||
builder.addCase(submitDataSourceURL.fulfilled, () => {
|
||||
notifications.show({
|
||||
message: "Submitted Successfully",
|
||||
});
|
||||
});
|
||||
builder.addCase(submitDataSourceURL.rejected, () => {
|
||||
notifications.show({
|
||||
color: "red",
|
||||
message: "Submit Failed",
|
||||
});
|
||||
});
|
||||
},
|
||||
});
|
||||
|
||||
export const submitDataSourceURL = createAsyncThunkWrapper(
|
||||
"conversation/submitDataSourceURL",
|
||||
async ({ link_list }: { link_list: string[] }, {}) => {
|
||||
const body = new FormData();
|
||||
body.append("link_list", JSON.stringify(link_list));
|
||||
const response = await client.post(DATA_PREP_URL, body);
|
||||
return response.data;
|
||||
},
|
||||
);
|
||||
export const uploadFile = createAsyncThunkWrapper("conversation/uploadFile", async ({ file }: { file: File }, {}) => {
|
||||
const body = new FormData();
|
||||
body.append("files", file);
|
||||
|
||||
notifications.show({
|
||||
id: "upload-file",
|
||||
message: "uploading File",
|
||||
loading: true,
|
||||
});
|
||||
const response = await client.post(DATA_PREP_URL, body);
|
||||
return response.data;
|
||||
});
|
||||
export const {
|
||||
logout,
|
||||
setOnGoingResult,
|
||||
newConversation,
|
||||
addMessageToMessages,
|
||||
setSelectedConversationId,
|
||||
createNewConversation,
|
||||
} = ConversationSlice.actions;
|
||||
export const conversationSelector = (state: RootState) => state.conversationReducer;
|
||||
export default ConversationSlice.reducer;
|
||||
|
||||
export const doConversation = (conversationRequest: ConversationRequest) => {
|
||||
const { conversationId, userPrompt, messages, model } = conversationRequest;
|
||||
if (!conversationId) {
|
||||
//newConversation
|
||||
const id = uuidv4();
|
||||
store.dispatch(
|
||||
createNewConversation({
|
||||
title: userPrompt.content,
|
||||
id,
|
||||
message: userPrompt,
|
||||
}),
|
||||
);
|
||||
store.dispatch(setSelectedConversationId(id));
|
||||
} else {
|
||||
store.dispatch(addMessageToMessages(userPrompt));
|
||||
}
|
||||
const userPromptWithoutTime = {
|
||||
role: userPrompt.role,
|
||||
content: userPrompt.content,
|
||||
};
|
||||
const body = {
|
||||
messages: [...messages, userPromptWithoutTime],
|
||||
model,
|
||||
};
|
||||
|
||||
// let conversation: Conversation;
|
||||
let result = "";
|
||||
try {
|
||||
fetchEventSource(CHAT_QNA_URL, {
|
||||
method: "POST",
|
||||
headers: {
|
||||
"Content-Type": "application/json",
|
||||
},
|
||||
body: JSON.stringify(body),
|
||||
openWhenHidden: true,
|
||||
async onopen(response) {
|
||||
if (response.ok) {
|
||||
return;
|
||||
} else if (response.status >= 400 && response.status < 500 && response.status !== 429) {
|
||||
const e = await response.json();
|
||||
console.log(e);
|
||||
throw Error(e.error.message);
|
||||
} else {
|
||||
console.log("error", response);
|
||||
}
|
||||
},
|
||||
onmessage(msg) {
|
||||
if (msg?.data != "[DONE]") {
|
||||
try {
|
||||
const match = msg.data.match(/b'([^']*)'/);
|
||||
if (match && match[1] != "</s>") {
|
||||
const extractedText = match[1];
|
||||
|
||||
// Check for the presence of \x hexadecimal
|
||||
if (extractedText.includes("\\x")) {
|
||||
// Decode Chinese (or other non-ASCII characters)
|
||||
const decodedText = decodeEscapedBytes(extractedText);
|
||||
result += decodedText;
|
||||
} else {
|
||||
result += extractedText;
|
||||
}
|
||||
} else if (!match) {
|
||||
// Return data without pattern
|
||||
result += msg?.data;
|
||||
}
|
||||
// Store back result if it is not null
|
||||
if (result) {
|
||||
store.dispatch(setOnGoingResult(result));
|
||||
}
|
||||
} catch (e) {
|
||||
console.log("something wrong in msg", e);
|
||||
throw e;
|
||||
}
|
||||
}
|
||||
},
|
||||
onerror(err) {
|
||||
console.log("error", err);
|
||||
store.dispatch(setOnGoingResult(""));
|
||||
//notify here
|
||||
throw err;
|
||||
//handle error
|
||||
},
|
||||
onclose() {
|
||||
//handle close
|
||||
store.dispatch(setOnGoingResult(""));
|
||||
|
||||
store.dispatch(
|
||||
addMessageToMessages({
|
||||
role: MessageRole.Assistant,
|
||||
content: result,
|
||||
time: getCurrentTimeStamp(),
|
||||
}),
|
||||
);
|
||||
},
|
||||
});
|
||||
} catch (err) {
|
||||
console.log(err);
|
||||
}
|
||||
};
|
||||
|
||||
// decode \x hexadecimal encoding
|
||||
function decodeEscapedBytes(str: string): string {
|
||||
// Convert the byte portion separated by \x into a byte array and decode it into a UTF-8 string
|
||||
const byteArray: number[] = str
|
||||
.split("\\x")
|
||||
.slice(1)
|
||||
.map((byte: string) => parseInt(byte, 16));
|
||||
return new TextDecoder("utf-8").decode(new Uint8Array(byteArray));
|
||||
}
|
||||
6
GraphRAG/ui/react/src/redux/User/user.d.ts
vendored
Normal file
@@ -0,0 +1,6 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
export interface User {
|
||||
name: string | null;
|
||||
}
|
||||
26
GraphRAG/ui/react/src/redux/User/userSlice.ts
Normal file
@@ -0,0 +1,26 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { createSlice, PayloadAction } from "@reduxjs/toolkit";
|
||||
import { RootState } from "../store";
|
||||
import { User } from "./user";
|
||||
|
||||
const initialState: User = {
|
||||
name: localStorage.getItem("user"),
|
||||
};
|
||||
|
||||
export const userSlice = createSlice({
|
||||
name: "user",
|
||||
initialState,
|
||||
reducers: {
|
||||
setUser: (state, action: PayloadAction<string>) => {
|
||||
state.name = action.payload;
|
||||
},
|
||||
removeUser: (state) => {
|
||||
state.name = null;
|
||||
},
|
||||
},
|
||||
});
|
||||
export const { setUser, removeUser } = userSlice.actions;
|
||||
export const userSelector = (state: RootState) => state.userReducer;
|
||||
export default userSlice.reducer;
|
||||
49
GraphRAG/ui/react/src/redux/store.ts
Normal file
@@ -0,0 +1,49 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { combineReducers, configureStore } from "@reduxjs/toolkit";
|
||||
import userReducer from "./User/userSlice";
|
||||
import conversationReducer from "./Conversation/ConversationSlice";
|
||||
import { TypedUseSelectorHook, useDispatch, useSelector } from "react-redux";
|
||||
|
||||
export const store = configureStore({
|
||||
reducer: combineReducers({
|
||||
userReducer,
|
||||
conversationReducer,
|
||||
}),
|
||||
devTools: import.meta.env.PROD || true,
|
||||
preloadedState: loadFromLocalStorage(),
|
||||
middleware: (getDefaultMiddleware) =>
|
||||
getDefaultMiddleware({
|
||||
serializableCheck: false,
|
||||
}),
|
||||
});
|
||||
|
||||
function saveToLocalStorage(state: ReturnType<typeof store.getState>) {
|
||||
try {
|
||||
const serialState = JSON.stringify(state);
|
||||
localStorage.setItem("reduxStore", serialState);
|
||||
} catch (e) {
|
||||
console.warn(e);
|
||||
}
|
||||
}
|
||||
|
||||
function loadFromLocalStorage() {
|
||||
try {
|
||||
const serialisedState = localStorage.getItem("reduxStore");
|
||||
if (serialisedState === null) return undefined;
|
||||
return JSON.parse(serialisedState);
|
||||
} catch (e) {
|
||||
console.warn(e);
|
||||
return undefined;
|
||||
}
|
||||
}
|
||||
|
||||
store.subscribe(() => saveToLocalStorage(store.getState()));
|
||||
console.log(store);
|
||||
export default store;
|
||||
export type AppDispatch = typeof store.dispatch;
|
||||
export type RootState = ReturnType<typeof store.getState>;
|
||||
|
||||
export const useAppDispatch: () => AppDispatch = useDispatch;
|
||||
export const useAppSelector: TypedUseSelectorHook<RootState> = useSelector;
|
||||
25
GraphRAG/ui/react/src/redux/thunkUtil.ts
Normal file
@@ -0,0 +1,25 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { createAsyncThunk, AsyncThunkPayloadCreator, AsyncThunk } from "@reduxjs/toolkit";
|
||||
|
||||
interface ThunkAPIConfig {}
|
||||
|
||||
export const createAsyncThunkWrapper = <Returned, ThunkArg = any>(
|
||||
type: string,
|
||||
thunk: AsyncThunkPayloadCreator<Returned, ThunkArg>, // <-- very unsure of this - have tried many things here
|
||||
): AsyncThunk<Returned, ThunkArg, ThunkAPIConfig> => {
|
||||
return createAsyncThunk<Returned, ThunkArg, ThunkAPIConfig>(
|
||||
type,
|
||||
// @ts-ignore
|
||||
async (arg, thunkAPI) => {
|
||||
try {
|
||||
// do some stuff here that happens on every action
|
||||
return await thunk(arg, thunkAPI);
|
||||
} catch (err) {
|
||||
// do some stuff here that happens on every error
|
||||
return thunkAPI.rejectWithValue(err);
|
||||
}
|
||||
},
|
||||
);
|
||||
};
|
||||
8
GraphRAG/ui/react/src/styles/components/_sidebar.scss
Normal file
@@ -0,0 +1,8 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
@import "../layout/flex";
|
||||
|
||||
@mixin sidebar {
|
||||
@include flex(column, nowrap, flex-start, flex-start);
|
||||
}
|
||||
5
GraphRAG/ui/react/src/styles/components/content.scss
Normal file
@@ -0,0 +1,5 @@
|
||||
@mixin textWrapEllipsis {
|
||||
text-overflow: ellipsis;
|
||||
white-space: nowrap;
|
||||
overflow: hidden;
|
||||
}
|
||||
67
GraphRAG/ui/react/src/styles/components/context.module.scss
Normal file
@@ -0,0 +1,67 @@
|
||||
@import "../layout/flex";
|
||||
@import "../components/content.scss";
|
||||
|
||||
.contextWrapper {
|
||||
background-color: light-dark(var(--mantine-color-gray-0), var(--mantine-color-dark-6));
|
||||
border-right: 1px solid light-dark(var(--mantine-color-gray-3), var(--mantine-color-dark-4));
|
||||
width: 180px;
|
||||
overflow-y: hidden;
|
||||
overflow-x: hidden;
|
||||
// overflow-y: auto;
|
||||
|
||||
.contextTitle {
|
||||
position: sticky;
|
||||
top: 0;
|
||||
font-family:
|
||||
Greycliff CF,
|
||||
var(--mantine-font-family);
|
||||
margin-bottom: var(--mantine-spacing-xl);
|
||||
background-color: var(--mantine-color-body);
|
||||
padding: var(--mantine-spacing-md);
|
||||
padding-top: 18px;
|
||||
width: 100%;
|
||||
height: 60px;
|
||||
border-bottom: 1px solid light-dark(var(--mantine-color-gray-3), var(--mantine-color-dark-7));
|
||||
}
|
||||
|
||||
.contextList {
|
||||
height: 90vh;
|
||||
// display: flex();
|
||||
|
||||
.contextListItem {
|
||||
display: block;
|
||||
text-decoration: none;
|
||||
border-top-right-radius: var(--mantine-radius-md);
|
||||
border-bottom-right-radius: var(--mantine-radius-md);
|
||||
color: light-dark(var(--mantine-color-gray-7), var(--mantine-color-dark-0));
|
||||
padding: 0 var(--mantine-spacing-md);
|
||||
font-size: var(--mantine-font-size-sm);
|
||||
margin-right: var(--mantine-spacing-md);
|
||||
font-weight: 500;
|
||||
height: 44px;
|
||||
width: 100%;
|
||||
line-height: 44px;
|
||||
cursor: pointer;
|
||||
|
||||
.contextItemName {
|
||||
flex: 1 1 auto;
|
||||
width: 130px;
|
||||
@include textWrapEllipsis;
|
||||
}
|
||||
|
||||
&:hover {
|
||||
background-color: light-dark(var(--mantine-color-gray-1), var(--mantine-color-dark-5));
|
||||
color: light-dark(var(--mantine-color-dark), var(--mantine-color-light));
|
||||
}
|
||||
|
||||
&[data-active] {
|
||||
&,
|
||||
&:hover {
|
||||
border-left-color: var(--mantine-color-blue-filled);
|
||||
background-color: var(--mantine-color-blue-filled);
|
||||
color: var(--mantine-color-white);
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
7
GraphRAG/ui/react/src/styles/layout/_basics.scss
Normal file
@@ -0,0 +1,7 @@
|
||||
@mixin absolutes {
|
||||
position: absolute;
|
||||
top: 0;
|
||||
left: 0;
|
||||
width: 100%;
|
||||
height: 100%;
|
||||
}
|
||||
6
GraphRAG/ui/react/src/styles/layout/_flex.scss
Normal file
@@ -0,0 +1,6 @@
|
||||
@mixin flex($direction: row, $wrap: nowrap, $alignItems: center, $justifyContent: center) {
|
||||
display: flex;
|
||||
flex-flow: $direction $wrap;
|
||||
align-items: $alignItems;
|
||||
justify-content: $justifyContent;
|
||||
}
|
||||
5
GraphRAG/ui/react/src/styles/styles.scss
Normal file
@@ -0,0 +1,5 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
@import "layout/flex";
|
||||
@import "layout/basics";
|
||||
4
GraphRAG/ui/react/src/vite-env.d.ts
vendored
Normal file
@@ -0,0 +1,4 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
/// <reference types="vite/client" />
|
||||
23
GraphRAG/ui/react/tsconfig.json
Normal file
@@ -0,0 +1,23 @@
|
||||
{
|
||||
"compilerOptions": {
|
||||
"target": "ES2020",
|
||||
"useDefineForClassFields": true,
|
||||
"lib": ["ES2020", "DOM", "DOM.Iterable"],
|
||||
"module": "ESNext",
|
||||
"skipLibCheck": true,
|
||||
|
||||
"moduleResolution": "bundler",
|
||||
"allowImportingTsExtensions": true,
|
||||
"resolveJsonModule": true,
|
||||
"isolatedModules": true,
|
||||
"noEmit": true,
|
||||
"jsx": "react-jsx",
|
||||
|
||||
"strict": true,
|
||||
"noUnusedLocals": true,
|
||||
"noUnusedParameters": true,
|
||||
"noFallthroughCasesInSwitch": true
|
||||
},
|
||||
"include": ["src"],
|
||||
"references": [{ "path": "./tsconfig.node.json" }]
|
||||
}
|
||||
11
GraphRAG/ui/react/tsconfig.node.json
Normal file
@@ -0,0 +1,11 @@
|
||||
{
|
||||
"compilerOptions": {
|
||||
"composite": true,
|
||||
"skipLibCheck": true,
|
||||
"module": "ESNext",
|
||||
"moduleResolution": "bundler",
|
||||
"allowSyntheticDefaultImports": true,
|
||||
"strict": true
|
||||
},
|
||||
"include": ["vite.config.ts"]
|
||||
}
|
||||
27
GraphRAG/ui/react/vite.config.ts
Normal file
@@ -0,0 +1,27 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { defineConfig } from "vitest/config";
|
||||
import react from "@vitejs/plugin-react";
|
||||
|
||||
// https://vitejs.dev/config/
|
||||
export default defineConfig({
|
||||
css: {
|
||||
preprocessorOptions: {
|
||||
scss: {
|
||||
additionalData: `@import "./src/styles/styles.scss";`,
|
||||
},
|
||||
},
|
||||
},
|
||||
plugins: [react()],
|
||||
server: {
|
||||
port: 80,
|
||||
},
|
||||
test: {
|
||||
globals: true,
|
||||
environment: "jsdom",
|
||||
},
|
||||
define: {
|
||||
"import.meta.env": process.env,
|
||||
},
|
||||
});
|
||||
10
GraphRAG/ui/svelte/.editorconfig
Normal file
@@ -0,0 +1,10 @@
|
||||
[*]
|
||||
indent_style = tab
|
||||
|
||||
[package.json]
|
||||
indent_style = space
|
||||
indent_size = 2
|
||||
|
||||
[*.md]
|
||||
indent_style = space
|
||||
indent_size = 2
|
||||
7
GraphRAG/ui/svelte/.env
Normal file
@@ -0,0 +1,7 @@
|
||||
CHAT_BASE_URL = '/v1/chatqna'
|
||||
|
||||
UPLOAD_FILE_BASE_URL = '/v1/dataprep'
|
||||
|
||||
GET_FILE = '/v1/dataprep/get_file'
|
||||
|
||||
DELETE_FILE = '/v1/dataprep/delete_file'
|
||||
13
GraphRAG/ui/svelte/.eslintignore
Normal file
@@ -0,0 +1,13 @@
|
||||
.DS_Store
|
||||
node_modules
|
||||
/build
|
||||
/.svelte-kit
|
||||
/package
|
||||
.env
|
||||
.env.*
|
||||
!.env.example
|
||||
|
||||
# Ignore files for PNPM, NPM and YARN
|
||||
pnpm-lock.yaml
|
||||
package-lock.json
|
||||
yarn.lock
|
||||
23
GraphRAG/ui/svelte/.eslintrc.cjs
Normal file
@@ -0,0 +1,23 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
module.exports = {
|
||||
root: true,
|
||||
parser: "@typescript-eslint/parser",
|
||||
extends: ["eslint:recommended", "plugin:@typescript-eslint/recommended", "prettier"],
|
||||
plugins: ["svelte3", "@typescript-eslint", "neverthrow"],
|
||||
ignorePatterns: ["*.cjs"],
|
||||
overrides: [{ files: ["*.svelte"], processor: "svelte3/svelte3" }],
|
||||
settings: {
|
||||
"svelte3/typescript": () => require("typescript"),
|
||||
},
|
||||
parserOptions: {
|
||||
sourceType: "module",
|
||||
ecmaVersion: 2020,
|
||||
},
|
||||
env: {
|
||||
browser: true,
|
||||
es2017: true,
|
||||
node: true,
|
||||
},
|
||||
};
|
||||
13
GraphRAG/ui/svelte/.prettierignore
Normal file
@@ -0,0 +1,13 @@
|
||||
.DS_Store
|
||||
node_modules
|
||||
/build
|
||||
/.svelte-kit
|
||||
/package
|
||||
.env
|
||||
.env.*
|
||||
!.env.example
|
||||
|
||||
# Ignore files for PNPM, NPM and YARN
|
||||
pnpm-lock.yaml
|
||||
package-lock.json
|
||||
yarn.lock
|
||||
1
GraphRAG/ui/svelte/.prettierrc
Normal file
@@ -0,0 +1 @@
|
||||
{"pluginSearchDirs": ["."], "overrides": [{"files": "*.svelte", "options": {"parser": "svelte"}}]}
|
||||
42
GraphRAG/ui/svelte/README.md
Normal file
@@ -0,0 +1,42 @@
|
||||
# ChatQnA Customized UI
|
||||
|
||||
## 📸 Project Screenshots
|
||||
|
||||

|
||||

|
||||

|
||||
|
||||
## 🧐 Features
|
||||
|
||||
Here're some of the project's features:
|
||||
|
||||
- Start a Text Chat:Initiate a text chat with the ability to input written conversations, where the dialogue content can also be customized based on uploaded files.
|
||||
- Clear: Clear the record of the current dialog box without retaining the contents of the dialog box.
|
||||
- Chat history: Historical chat records can still be retained after refreshing, making it easier for users to view the context.
|
||||
- Scroll to Bottom / Top: The chat automatically slides to the bottom. Users can also click the top icon to slide to the top of the chat record.
|
||||
- End to End Time: Shows the time spent on the current conversation.
|
||||
- Upload File: The choice between uploading locally or copying a remote link. Chat according to uploaded knowledge base.
|
||||
- Delete File: Delete a certain uploaded file.
|
||||
|
||||
## 🛠️ Get it Running
|
||||
|
||||
1. Clone the repo.
|
||||
|
||||
2. cd command to the current folder.
|
||||
|
||||
3. Modify the required .env variables.
|
||||
|
||||
```
|
||||
CHAT_BASE_URL = ''
|
||||
|
||||
UPLOAD_FILE_BASE_URL = ''
|
||||
|
||||
GET_FILE = ''
|
||||
|
||||
DELETE_FILE = ''
|
||||
|
||||
```
|
||||
|
||||
4. Execute `npm install` to install the corresponding dependencies.
|
||||
|
||||
5. Execute `npm run dev` in both environments
|
||||
61
GraphRAG/ui/svelte/package.json
Normal file
@@ -0,0 +1,61 @@
|
||||
{
|
||||
"name": "sveltekit-auth-example",
|
||||
"version": "0.0.1",
|
||||
"private": true,
|
||||
"scripts": {
|
||||
"dev": "vite dev",
|
||||
"build": "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",
|
||||
"lint": "prettier --check . && eslint .",
|
||||
"format": "prettier --write ."
|
||||
},
|
||||
"devDependencies": {
|
||||
"@fortawesome/free-solid-svg-icons": "6.2.0",
|
||||
"@playwright/test": "^1.33.0",
|
||||
"@sveltejs/adapter-auto": "1.0.0-next.75",
|
||||
"@sveltejs/kit": "^1.30.4",
|
||||
"@tailwindcss/typography": "0.5.7",
|
||||
"@types/debug": "4.1.7",
|
||||
"@types/node": "^20.12.13",
|
||||
"@typescript-eslint/eslint-plugin": "^5.27.0",
|
||||
"@typescript-eslint/parser": "^5.27.0",
|
||||
"autoprefixer": "^10.4.7",
|
||||
"daisyui": "3.5.1",
|
||||
"date-picker-svelte": "^2.6.0",
|
||||
"debug": "4.3.4",
|
||||
"eslint": "^8.16.0",
|
||||
"eslint-config-prettier": "^8.3.0",
|
||||
"eslint-plugin-neverthrow": "1.1.4",
|
||||
"eslint-plugin-svelte3": "^4.0.0",
|
||||
"postcss": "^8.4.31",
|
||||
"postcss-load-config": "^4.0.1",
|
||||
"postcss-preset-env": "^8.3.2",
|
||||
"prettier": "^2.8.8",
|
||||
"prettier-plugin-svelte": "^2.7.0",
|
||||
"prettier-plugin-tailwindcss": "^0.3.0",
|
||||
"svelte": "^3.59.1",
|
||||
"svelte-check": "^2.7.1",
|
||||
"svelte-fa": "3.0.3",
|
||||
"svelte-preprocess": "^4.10.7",
|
||||
"tailwindcss": "^3.1.5",
|
||||
"tslib": "^2.3.1",
|
||||
"typescript": "^4.7.4",
|
||||
"vite": "^4.5.2"
|
||||
},
|
||||
"type": "module",
|
||||
"dependencies": {
|
||||
"date-fns": "^2.30.0",
|
||||
"driver.js": "^1.3.0",
|
||||
"flowbite-svelte": "^0.38.5",
|
||||
"flowbite-svelte-icons": "^1.4.0",
|
||||
"fuse.js": "^6.6.2",
|
||||
"lodash": "^4.17.21",
|
||||
"playwright": "^1.44.0",
|
||||
"ramda": "^0.29.0",
|
||||
"sse.js": "^0.6.1",
|
||||
"svelte-notifications": "^0.9.98",
|
||||
"svrollbar": "^0.12.0"
|
||||
}
|
||||
}
|
||||
87
GraphRAG/ui/svelte/playwright.config.ts
Normal file
@@ -0,0 +1,87 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
import { defineConfig, devices } from "@playwright/test";
|
||||
|
||||
/**
|
||||
* Read environment variables from file.
|
||||
* https://github.com/motdotla/dotenv
|
||||
*/
|
||||
// require('dotenv').config();
|
||||
|
||||
/**
|
||||
* See https://playwright.dev/docs/test-configuration.
|
||||
*/
|
||||
export default defineConfig({
|
||||
testDir: "./tests",
|
||||
/* Maximum time one test can run for. */
|
||||
timeout: 30 * 1000,
|
||||
expect: {
|
||||
/**
|
||||
* Maximum time expect() should wait for the condition to be met.
|
||||
* For example in `await expect(locator).toHaveText();`
|
||||
*/
|
||||
timeout: 5000,
|
||||
},
|
||||
/* Run tests in files in parallel */
|
||||
fullyParallel: true,
|
||||
/* Fail the build on CI if you accidentally left test.only in the source code. */
|
||||
forbidOnly: !!process.env.CI,
|
||||
/* Retry on CI only */
|
||||
retries: process.env.CI ? 2 : 0,
|
||||
/* Opt out of parallel tests on CI. */
|
||||
workers: process.env.CI ? 1 : undefined,
|
||||
/* Reporter to use. See https://playwright.dev/docs/test-reporters */
|
||||
reporter: [["html", { open: "never" }]],
|
||||
/* Shared settings for all the projects below. See https://playwright.dev/docs/api/class-testoptions. */
|
||||
use: {
|
||||
/* Maximum time each action such as `click()` can take. Defaults to 0 (no limit). */
|
||||
actionTimeout: 0,
|
||||
/* Base URL to use in actions like `await page.goto('/')`. */
|
||||
baseURL: "http://10.7.4.57:80",
|
||||
|
||||
/* Collect trace when retrying the failed test. See https://playwright.dev/docs/trace-viewer */
|
||||
trace: "on-first-retry",
|
||||
},
|
||||
|
||||
/* Configure projects for major browsers */
|
||||
projects: [
|
||||
// {
|
||||
// name: "chromium",
|
||||
// use: { ...devices["Desktop Chrome"] },
|
||||
// },
|
||||
|
||||
/* Test against mobile viewports. */
|
||||
// {
|
||||
// name: 'Mobile Chrome',
|
||||
// use: { ...devices['Pixel 5'] },
|
||||
// },
|
||||
// {
|
||||
// name: 'Mobile Safari',
|
||||
// use: { ...devices['iPhone 12'] },
|
||||
// },
|
||||
|
||||
/* Test against branded browsers. */
|
||||
// {
|
||||
// name: 'Microsoft Edge',
|
||||
// use: { channel: 'msedge' },
|
||||
// },
|
||||
{
|
||||
name: "webkit",
|
||||
use: { ...devices["Desktop Safari"] },
|
||||
},
|
||||
// {
|
||||
// name: 'Google Chrome',
|
||||
// use: { channel: 'chrome' },
|
||||
// },
|
||||
],
|
||||
|
||||
/* Folder for test artifacts such as screenshots, videos, traces, etc. */
|
||||
// outputDir: 'test-results/',
|
||||
|
||||
/* Run your local dev server before starting the tests */
|
||||
// webServer: {
|
||||
// command: 'npm run start',
|
||||
// port: 3000,
|
||||
// },
|
||||
});
|
||||
16
GraphRAG/ui/svelte/postcss.config.cjs
Normal file
@@ -0,0 +1,16 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
const tailwindcss = require("tailwindcss");
|
||||
const autoprefixer = require("autoprefixer");
|
||||
|
||||
const config = {
|
||||
plugins: [
|
||||
//Some plugins, like tailwindcss/nesting, need to run before Tailwind,
|
||||
tailwindcss(),
|
||||
//But others, like autoprefixer, need to run after,
|
||||
autoprefixer,
|
||||
],
|
||||
};
|
||||
|
||||
module.exports = config;
|
||||
8
GraphRAG/ui/svelte/src/app.d.ts
vendored
Normal file
@@ -0,0 +1,8 @@
|
||||
// Copyright (C) 2024 Intel Corporation
|
||||
// SPDX-License-Identifier: Apache-2.0
|
||||
|
||||
// See: https://kit.svelte.dev/docs/types#app
|
||||
// import { Result} from "neverthrow";
|
||||
interface Window {
|
||||
deviceType: string;
|
||||
}
|
||||
17
GraphRAG/ui/svelte/src/app.html
Normal file
@@ -0,0 +1,17 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<!doctype html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<meta charset="utf-8" />
|
||||
<link rel="icon" href="%sveltekit.assets%/favicon.png" />
|
||||
<meta name="viewport" content="width=device-width" />
|
||||
%sveltekit.head%
|
||||
</head>
|
||||
<body>
|
||||
<div class="h-full w-full">%sveltekit.body%</div>
|
||||
</body>
|
||||
</html>
|
||||
86
GraphRAG/ui/svelte/src/app.postcss
Normal file
@@ -0,0 +1,86 @@
|
||||
/* Write your global styles here, in PostCSS syntax */
|
||||
@tailwind base;
|
||||
@tailwind components;
|
||||
@tailwind utilities;
|
||||
|
||||
html, body {
|
||||
height: 100%;
|
||||
}
|
||||
|
||||
.btn {
|
||||
@apply flex-nowrap;
|
||||
}
|
||||
a.btn {
|
||||
@apply no-underline;
|
||||
}
|
||||
.input {
|
||||
@apply text-base;
|
||||
}
|
||||
|
||||
.bg-dark-blue {
|
||||
background-color: #004a86;
|
||||
}
|
||||
|
||||
.bg-light-blue {
|
||||
background-color: #0068b5;
|
||||
}
|
||||
|
||||
.bg-turquoise {
|
||||
background-color: #00a3f6;
|
||||
}
|
||||
|
||||
.bg-header {
|
||||
background-color: #ffffff;
|
||||
}
|
||||
|
||||
.bg-button {
|
||||
background-color: #0068b5;
|
||||
}
|
||||
|
||||
.bg-title {
|
||||
background-color: #f7f7f7;
|
||||
}
|
||||
|
||||
.text-header {
|
||||
color: #0068b5;
|
||||
}
|
||||
|
||||
.text-button {
|
||||
color: #252e47;
|
||||
}
|
||||
|
||||
.text-title-color {
|
||||
color: rgb(38,38,38);
|
||||
}
|
||||
|
||||
.font-intel {
|
||||
font-family: "intel-clear","tahoma",Helvetica,"helvetica",Arial,sans-serif;
|
||||
}
|
||||
|
||||
.font-title-intel {
|
||||
font-family: "intel-one","intel-clear",Helvetica,Arial,sans-serif;
|
||||
}
|
||||
|
||||
.bg-footer {
|
||||
background-color: #e7e7e7;
|
||||
}
|
||||
|
||||
.bg-light-green {
|
||||
background-color: #d7f3a1;
|
||||
}
|
||||
|
||||
.bg-purple {
|
||||
background-color: #653171;
|
||||
}
|
||||
|
||||
.bg-dark-blue {
|
||||
background-color: #224678;
|
||||
}
|
||||
|
||||
.border-input-color {
|
||||
border-color: #605e5c;
|
||||
}
|
||||
|
||||
.w-12\/12 {
|
||||
width: 100%
|
||||
}
|
||||
@@ -0,0 +1,36 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<script>
|
||||
export let className = "w-16 h-16";
|
||||
</script>
|
||||
|
||||
<svg
|
||||
t="1713775351763"
|
||||
class="icon {className}"
|
||||
viewBox="0 0 1024 1024"
|
||||
version="1.1"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
p-id="12834"
|
||||
width="32"
|
||||
height="32"
|
||||
><path
|
||||
d="M192 160h253.728a64 64 0 0 1 53.312 28.576l25.824 38.848A64 64 0 0 0 578.176 256H832a64 64 0 0 1 64 64v480a64 64 0 0 1-64 64H192a64 64 0 0 1-64-64V224a64 64 0 0 1 64-64z"
|
||||
fill="#1989FA"
|
||||
p-id="12835"
|
||||
/><path
|
||||
d="M192 352h640a64 64 0 0 1 64 64v384a64 64 0 0 1-64 64H192a64 64 0 0 1-64-64V416a64 64 0 0 1 64-64z"
|
||||
fill="#8BC4FC"
|
||||
p-id="12836"
|
||||
/><path
|
||||
d="M422.624 768a70.656 70.656 0 0 1-49.888-120.672l30.112-30.112a7.488 7.488 0 0 1 5.28-2.208c5.152 1.28 7.104 3.616 7.552 6.4a93.76 93.76 0 0 0 5.472 22.144 7.68 7.68 0 0 1-1.696 8.032l-21.312 21.312a34.912 34.912 0 0 0 0 48.928 34.24 34.24 0 0 0 24.352 10.08 34.944 34.944 0 0 0 24.544-10.08l89.312-89.376a34.688 34.688 0 0 0 0-48.896 7.488 7.488 0 0 1 0-10.56l15.008-15.04a7.488 7.488 0 0 1 5.344-2.208 7.616 7.616 0 0 1 5.312 2.144 70.688 70.688 0 0 1 0 100.032l-89.312 89.28a70.4 70.4 0 0 1-49.76 20.736z"
|
||||
fill="#FFFFFF"
|
||||
p-id="12837"
|
||||
/><path
|
||||
d="M467.168 660.128a7.456 7.456 0 0 1-5.12-2.112 70.72 70.72 0 0 1 0-100l89.312-89.312a70.656 70.656 0 1 1 99.904 99.968l-30.112 30.112a7.488 7.488 0 0 1-5.248 2.208c-5.184-1.28-7.136-3.616-7.552-6.4a97.504 97.504 0 0 0-5.504-22.176 7.648 7.648 0 0 1 1.696-8l21.312-21.312a34.848 34.848 0 0 0 0-48.928 34.24 34.24 0 0 0-24.352-10.08 34.944 34.944 0 0 0-24.544 10.08l-89.312 89.344a34.752 34.752 0 0 0 0 48.896 7.584 7.584 0 0 1 0 10.688l-14.848 14.912a7.52 7.52 0 0 1-5.248 2.176z"
|
||||
fill="#FFFFFF"
|
||||
p-id="12838"
|
||||
/></svg
|
||||
>
|
||||
@@ -0,0 +1,30 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<script>
|
||||
export let className = "w-16 h-16";
|
||||
</script>
|
||||
|
||||
<svg
|
||||
t="1711440565760"
|
||||
class="icon {className}"
|
||||
viewBox="0 0 1024 1024"
|
||||
version="1.1"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
p-id="23643"
|
||||
><path
|
||||
d="M913.29536 941.04064c0.0256 24.82688-16.54784 44.96384-37.0176 44.98432l-708.23936 0.6912c-20.46464 0.02048-37.07904-20.08576-37.10464-44.91264l-0.83968-859.02848c-0.0256-24.82688 16.54784-44.96384 37.0176-44.98432l521.10848-0.50688 224.39424 210.50368 0.68096 693.25312z"
|
||||
fill="#E6E4E2"
|
||||
p-id="23644"
|
||||
/><path
|
||||
d="M913.29536 253.26592l-189.11744 0.18432c-20.46464 0.02048-37.07904-20.08576-37.10464-44.91264l-0.16384-165.77024 226.38592 210.49856z"
|
||||
fill="#C4BCB1"
|
||||
p-id="23645"
|
||||
/><path
|
||||
d="M720.72192 396.84096a22.54848 22.54848 0 0 1-22.54848 22.54848H326.13376a22.54848 22.54848 0 0 1 0-45.09696h372.0448a22.54848 22.54848 0 0 1 22.54336 22.54848zM720.72192 565.95456a22.54848 22.54848 0 0 1-22.54848 22.54848H326.13376a22.54848 22.54848 0 0 1 0-45.09696h372.0448a22.54848 22.54848 0 0 1 22.54336 22.54848zM720.72192 746.33728a22.54848 22.54848 0 0 1-22.54848 22.54848H326.13376a22.54848 22.54848 0 0 1 0-45.09696h372.0448a22.54848 22.54848 0 0 1 22.54336 22.54848z"
|
||||
fill="#C4BCB1"
|
||||
p-id="23646"
|
||||
/></svg
|
||||
>
|
||||
@@ -0,0 +1,30 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<script>
|
||||
export let className = "w-16 h-16";
|
||||
</script>
|
||||
|
||||
<svg
|
||||
t="1711440048470"
|
||||
class="icon {className}"
|
||||
viewBox="0 0 1024 1024"
|
||||
version="1.1"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
p-id="7455"
|
||||
><path
|
||||
d="M848.8576 199.1936H415.7568c0-26.5728-21.5424-48.128-48.128-48.128H175.1424c-26.5728 0-48.128 21.5424-48.128 48.128V343.5648c0 26.5984 21.5424 48.1408 48.128 48.1408h673.728c26.5728 0 48.128-21.5424 48.128-48.1408v-96.2432c-0.0128-26.5856-21.5552-48.128-48.1408-48.128z"
|
||||
fill="#CCA352"
|
||||
p-id="7456"
|
||||
/><path
|
||||
d="M800.7424 247.3088H223.2576c-26.5728 0-48.128 21.5424-48.128 48.128v48.128c0 26.5984 21.5424 48.1408 48.128 48.1408h577.472c26.5728 0 48.128-21.5424 48.128-48.1408v-48.128c0-26.5728-21.5424-48.128-48.1152-48.128z"
|
||||
fill="#FFFFFF"
|
||||
p-id="7457"
|
||||
/><path
|
||||
d="M848.8576 295.4368H175.1424c-26.5728 0-48.128 21.5424-48.128 48.128v481.2544c0 26.5472 21.5424 48.128 48.128 48.128h673.728c26.5728 0 48.128-21.568 48.128-48.128V343.552c-0.0128-26.5728-21.5552-48.1152-48.1408-48.1152z"
|
||||
fill="#FFCC66"
|
||||
p-id="7458"
|
||||
/></svg
|
||||
>
|
||||
@@ -0,0 +1,19 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<script lang="ts">
|
||||
import { createEventDispatcher } from "svelte";
|
||||
|
||||
let dispatch = createEventDispatcher();
|
||||
</script>
|
||||
|
||||
<!-- svelte-ignore a11y-click-events-have-key-events -->
|
||||
<svg
|
||||
class="absolute top-0 right-0 hover:opacity-70"
|
||||
on:click={() => {
|
||||
dispatch('DeleteAvatar') }}
|
||||
viewBox="0 0 1024 1024" version="1.1" xmlns="http://www.w3.org/2000/svg" width="20" height="20">
|
||||
<path d="M512 832c-176.448 0-320-143.552-320-320S335.552 192 512 192s320 143.552 320 320-143.552 320-320 320m0-704C300.256 128 128 300.256 128 512s172.256 384 384 384 384-172.256 384-384S723.744 128 512 128" fill="#bbbbbb"></path><path d="M649.824 361.376a31.968 31.968 0 0 0-45.248 0L505.6 460.352l-98.976-98.976a31.968 31.968 0 1 0-45.248 45.248l98.976 98.976-98.976 98.976a32 32 0 0 0 45.248 45.248l98.976-98.976 98.976 98.976a31.904 31.904 0 0 0 45.248 0 31.968 31.968 0 0 0 0-45.248L550.848 505.6l98.976-98.976a31.968 31.968 0 0 0 0-45.248" fill="#bbbbbb"></path>
|
||||
</svg>
|
||||
@@ -0,0 +1,33 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<!-- <svg
|
||||
width="35"
|
||||
height="35"
|
||||
viewBox="0 0 48 48"
|
||||
fill="none"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
>
|
||||
<g clip-path="url(#clip0_16_93)">
|
||||
<rect x="0.5" y="0.238312" width="47" height="47" fill="#0068B5" />
|
||||
<path
|
||||
d="M39.51 0.238312H8.49C4.0955 0.238312 0.5 3.83381 0.5 8.22831V39.2483C0.5 43.6428 4.0955 47.2383 8.49 47.2383H39.51C43.9045 47.2383 47.5 43.6428 47.5 39.2483V8.22831C47.5 3.83381 43.9045 0.238312 39.51 0.238312ZM44.915 39.2483C44.915 42.2328 42.4945 44.6533 39.51 44.6533H8.49C5.5055 44.6533 3.085 42.2328 3.085 39.2483V8.22831C3.085 5.24381 5.5055 2.82331 8.49 2.82331H39.51C42.4945 2.82331 44.915 5.24381 44.915 8.22831V39.2483Z"
|
||||
fill="#0068B5"
|
||||
/>
|
||||
<path
|
||||
d="M9.52393 21.3178H11.7094L11.7094 29.3548H9.52393V21.3178ZM20.3574 22.2108C20.1694 21.9523 19.8874 21.7408 19.4879 21.5763C19.1119 21.4118 18.6889 21.3178 18.2424 21.3178C17.2084 21.3178 16.3389 21.7643 15.6574 22.6338V21.4823H13.7304V29.3078H15.7984V25.7593C15.7984 24.8898 15.8454 24.2788 15.9629 23.9498C16.0569 23.6208 16.2684 23.3623 16.5504 23.1743C16.8324 22.9863 17.1614 22.8688 17.5139 22.8688C17.7959 22.8688 18.0309 22.9393 18.2424 23.0803C18.4304 23.2213 18.5949 23.4093 18.6654 23.6678C18.7594 23.9263 18.8064 24.4668 18.8064 25.3128V29.3078H20.8744V24.4433C20.8744 23.8323 20.8274 23.3858 20.7569 23.0568C20.6864 22.7513 20.5689 22.4693 20.3574 22.2108ZM25.7389 27.8038C25.5979 27.8038 25.4804 27.7803 25.3864 27.7098C25.2924 27.6393 25.2219 27.5453 25.1984 27.4513C25.1749 27.3573 25.1514 26.9813 25.1514 26.3233V23.1508H26.5614V21.5058H25.1514V18.7563L23.0834 19.9548V21.5058V23.1508V26.5583C23.0834 27.2868 23.1069 27.7803 23.1539 28.0153C23.2009 28.3443 23.2949 28.6263 23.4359 28.8143C23.5769 29.0023 23.7884 29.1668 24.0939 29.3078C24.3994 29.4253 24.7284 29.4958 25.1044 29.4958C25.7154 29.4958 26.2559 29.4018 26.7494 29.1903L26.5614 27.5923C26.2089 27.7333 25.9269 27.8038 25.7389 27.8038ZM33.7524 22.4928C33.0709 21.7173 32.1544 21.3413 31.0029 21.3413C29.9689 21.3413 29.0994 21.7173 28.4414 22.4458C27.7599 23.1743 27.4309 24.1848 27.4309 25.5008C27.4309 26.5818 27.6894 27.4748 28.2064 28.2033C28.8644 29.0963 29.8749 29.5428 31.2379 29.5428C32.1074 29.5428 32.8124 29.3548 33.3764 28.9553C33.9404 28.5558 34.3634 27.9918 34.6219 27.2163L32.5539 26.8638C32.4364 27.2633 32.2719 27.5453 32.0604 27.7098C31.8489 27.8743 31.5669 27.9683 31.2379 27.9683C30.7679 27.9683 30.3684 27.8038 30.0394 27.4513C29.7104 27.0988 29.5459 26.6288 29.5459 26.0178H34.7394C34.7394 24.4433 34.4339 23.2448 33.7524 22.4928ZM29.5694 24.7488C29.5694 24.1848 29.7104 23.7383 29.9924 23.4093C30.2979 23.0803 30.6504 22.9158 31.1204 22.9158C31.5434 22.9158 31.8959 23.0803 32.2014 23.3858C32.5069 23.6913 32.6479 24.1613 32.6714 24.7488H29.5694ZM36.4079 18.5448H38.4759V29.3548H36.4079V18.5448Z"
|
||||
fill="white"
|
||||
/>
|
||||
<path
|
||||
d="M9.52393 18.5448H11.7094L11.7094 20.5654H9.52393V18.5448ZM39.2058 53.1889C59.7131 70.5741 37.9465 53.1367 37.547 52.9722C60.5267 71.228 41.5876 53.1889 41.1411 53.1889C40.1071 53.1889 54.2638 57.2959 53.5823 58.1654L44.3775 54.0099L42.8 56.0803L44.9335 56.0763L43.617 55.1029L49.2888 57.4321C49.2888 56.5626 69.0838 68.5409 41.665 52.9722C67.9574 69.2353 48.7539 58.3534 49.0359 58.1654C49.3179 57.9774 72.2331 77.3305 48.0529 59.0448C73.8431 77.373 40.6532 52.2185 40.8647 52.3595C64.5928 69.3279 66.2469 69.734 44.0477 53.3531C68.4587 70.8049 45.1808 54.42 45.1808 55.266L49.6436 57.6191L50.8176 56.2254L46.645 54.7317C46.645 54.1207 47.0599 55.184 46.9894 54.855C46.9189 54.5495 63.0924 72.6928 39.2058 53.1889ZM45.3834 56.0442C45.2424 56.0442 60.49 64.1373 43.0764 53.1889C59.6606 67.1938 58.0346 62.1756 40.8647 50.7007C58.8678 64.6804 43.7296 53.3942 43.7296 52.7362L43.617 55.1029L43.3529 52.3595L44.7353 53.7418L43.0764 53.1889L44.244 54.855L46.1176 55.6771L42.8 57.336L45.5647 53.1889L41.9705 49.5948L46.1176 55.1029L46.3941 55.6771C46.3941 56.4056 44.3403 54.3363 44.3873 54.5713C65.2775 66.4664 68.0297 70.4029 45.348 56.6803C69.965 73.7705 43.9793 55.5361 44.2848 55.6771C44.5903 55.7946 60.4832 66.2088 41.9705 53.7418C42.5815 53.7418 44.8545 53.1837 45.348 52.9722L43.7511 52.3595C43.3986 52.5005 45.5714 56.0442 45.3834 56.0442ZM44.0342 56.5108C43.3527 55.7353 45.3338 56.783 44.1823 56.783C43.1483 56.783 44.9043 55.6048 44.2463 56.3333C43.5648 57.0618 43.7511 51.0435 43.7511 52.3595C43.7511 53.4405 43.6653 53.0133 44.1823 53.7418C44.8403 54.6348 41.7134 54.2598 43.0764 54.2598C43.9459 54.2598 43.4702 56.9103 44.0342 56.5108C44.5982 56.1113 44.1288 57.5428 44.3873 56.7673L43.7511 56.2254C55.3795 71.8986 44.3938 54.9384 44.1823 55.1029C43.9708 55.2674 44.0801 54.2598 43.7511 54.2598C56.2643 69.3767 58.4567 71.4935 44.1823 55.1029C57.894 68.7712 44.3873 57.3783 44.3873 56.7673L44.1823 56.945C44.1823 55.3705 44.7157 57.2628 44.0342 56.5108ZM44.3873 54.5713C44.3873 54.0073 43.7522 56.8398 44.0342 56.5108C44.3397 56.1818 43.495 56.2254 43.965 56.2254C44.388 56.2254 55.4258 75.7185 43.7511 56.2254C44.0566 56.5309 44.1588 56.1955 44.1823 56.783L44.3873 54.5713Z"
|
||||
fill="#00C7FD"
|
||||
/>
|
||||
</g>
|
||||
<defs>
|
||||
<clipPath id="clip0_16_93">
|
||||
<rect x="0.5" y="0.238312" width="47" height="47" fill="white" />
|
||||
</clipPath>
|
||||
</defs>
|
||||
</svg> -->
|
||||
@@ -0,0 +1,57 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<script lang="ts">
|
||||
export let overrideClasses = "";
|
||||
|
||||
const classes = overrideClasses ? overrideClasses : `w-5 h-5 text-gray-400`;
|
||||
</script>
|
||||
|
||||
<!-- <svg
|
||||
class={classes}
|
||||
width="10"
|
||||
height="10"
|
||||
fill="none"
|
||||
viewBox="0 0 18 18"
|
||||
style="min-width: 18px; min-height: 18px;"
|
||||
><g
|
||||
><path
|
||||
fill="#3369FF"
|
||||
d="M15.71 8.019 3.835 1.368a1.125 1.125 0 0 0-1.61 1.36l2.04 5.71h5.298a.562.562 0 1 1 0 1.125H4.264l-2.04 5.71a1.128 1.128 0 0 0 1.058 1.506c.194 0 .384-.05.552-.146l11.877-6.65a1.125 1.125 0 0 0 0-1.964Z"
|
||||
/></g
|
||||
></svg
|
||||
> -->
|
||||
<!--
|
||||
<svg
|
||||
class={classes}
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
fill="none"
|
||||
viewBox="0 0 24 24"
|
||||
stroke-width="1.5"
|
||||
stroke="currentColor"
|
||||
>
|
||||
<path
|
||||
stroke-linecap="round"
|
||||
stroke-linejoin="round"
|
||||
d="M6 12L3.269 3.126A59.768 59.768 0 0121.485 12 59.77 59.77 0 013.27 20.876L5.999 12zm0 0h7.5"
|
||||
/>
|
||||
</svg> -->
|
||||
|
||||
<svg
|
||||
t="1708926517502"
|
||||
class={classes}
|
||||
viewBox="0 0 1024 1024"
|
||||
version="1.1"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
p-id="4586"
|
||||
id="mx_n_1708926517503"
|
||||
width="200"
|
||||
height="200"
|
||||
><path
|
||||
d="M0 1024l106.496-474.112 588.8-36.864-588.8-39.936-106.496-473.088 1024 512z"
|
||||
p-id="4587"
|
||||
fill="#0068b5"
|
||||
/></svg
|
||||
>
|
||||
@@ -0,0 +1,15 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<!-- <svg
|
||||
viewBox="0 0 1024 1024"
|
||||
version="1.1"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
width="32"
|
||||
height="32"
|
||||
>
|
||||
<path d="M512 512c93.866667 0 170.666667-76.8 170.666667-170.666667 0-93.866667-76.8-170.666667-170.666667-170.666667C418.133333 170.666667 341.333333 247.466667 341.333333 341.333333 341.333333 435.2 418.133333 512 512 512zM512 597.333333c-115.2 0-341.333333 55.466667-341.333333 170.666667l0 85.333333 682.666667 0 0-85.333333C853.333333 652.8 627.2 597.333333 512 597.333333z" p-id="4050" fill="#ffffff"></path></svg> -->
|
||||
|
||||
<svg t="1708914168912" class="icon" viewBox="0 0 1024 1024" version="1.1" xmlns="http://www.w3.org/2000/svg" p-id="1581" width="200" height="200"><path d="M447.13 46.545h101.818v930.91H447.13V46.545z" fill="#0068b5" p-id="1582" data-spm-anchor-id="a313x.search_index.0.i0.12a13a81x9rPe6" class="selected"></path></svg>
|
||||
|
After Width: | Height: | Size: 945 B |
94
GraphRAG/ui/svelte/src/lib/assets/layout/css/driver.css
Normal file
@@ -0,0 +1,94 @@
|
||||
.driverjs-theme {
|
||||
background: transparent;
|
||||
color: #fff;
|
||||
box-shadow: none;
|
||||
padding: 0;
|
||||
}
|
||||
|
||||
.driver-popover-arrow {
|
||||
border: 10px solid transparent;
|
||||
animation: blink 1s 3 steps(1);
|
||||
}
|
||||
|
||||
@keyframes blink {
|
||||
0% {
|
||||
opacity: 1;
|
||||
}
|
||||
50% {
|
||||
opacity: 0.2;
|
||||
}
|
||||
100% {
|
||||
opacity: 1;
|
||||
}
|
||||
}
|
||||
|
||||
.driver-popover.driverjs-theme .driver-popover-arrow-side-left.driver-popover-arrow {
|
||||
border-left-color: #174ed1;
|
||||
}
|
||||
|
||||
.driver-popover.driverjs-theme .driver-popover-arrow-side-right.driver-popover-arrow {
|
||||
border-right-color: #174ed1;
|
||||
}
|
||||
|
||||
.driver-popover.driverjs-theme .driver-popover-arrow-side-top.driver-popover-arrow {
|
||||
border-top-color: #174ed1;
|
||||
}
|
||||
|
||||
.driver-popover.driverjs-theme .driver-popover-arrow-side-bottom.driver-popover-arrow {
|
||||
border-bottom-color: #174ed1;
|
||||
}
|
||||
|
||||
.driver-popover-footer {
|
||||
background: transparent;
|
||||
color: #fff;
|
||||
}
|
||||
.driver-popover-title {
|
||||
border-top-left-radius: 5px;
|
||||
border-top-right-radius: 5px;
|
||||
}
|
||||
|
||||
.driver-popover-title,
|
||||
.driver-popover-description {
|
||||
display: block;
|
||||
padding: 15px 15px 7px 15px;
|
||||
background: #174ed1;
|
||||
border: none;
|
||||
}
|
||||
|
||||
.driver-popover-close-btn {
|
||||
color: #fff;
|
||||
}
|
||||
|
||||
.driver-popover-footer button:hover,
|
||||
.driver-popover-footer button:focus {
|
||||
background: #174ed1;
|
||||
color: #fff;
|
||||
}
|
||||
|
||||
.driver-popover-description {
|
||||
padding: 5px 15px;
|
||||
border-bottom-left-radius: 5px;
|
||||
border-bottom-right-radius: 5px;
|
||||
}
|
||||
|
||||
.driver-popover-title[style*="block"] + .driver-popover-description {
|
||||
margin: 0;
|
||||
}
|
||||
.driver-popover-progress-text {
|
||||
color: #fff;
|
||||
}
|
||||
|
||||
.driver-popover-footer button {
|
||||
background: #174ed1;
|
||||
border: 2px #174ed1 dashed;
|
||||
color: #fff;
|
||||
border-radius: 50%;
|
||||
text-shadow: none;
|
||||
}
|
||||
.driver-popover-close-btn:hover,
|
||||
.driver-popover-close-btn:focus {
|
||||
color: #fff;
|
||||
}
|
||||
.driver-popover-navigation-btns button + button {
|
||||
margin-left: 10px;
|
||||
}
|
||||
22
GraphRAG/ui/svelte/src/lib/assets/upload/deleteIcon.svelte
Normal file
@@ -0,0 +1,22 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<svg
|
||||
t="1711440930029"
|
||||
class="icon w-5 h-5"
|
||||
viewBox="0 0 1024 1024"
|
||||
version="1.1"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
p-id="4255"
|
||||
><path
|
||||
d="M668.8 896h-320c-48.64 0-88.32-37.76-92.8-87.68L211.2 403.2c-1.92-17.28 10.88-33.28 28.16-35.2 17.28-1.92 33.28 10.88 35.2 28.16l44.16 405.76c1.28 17.28 14.08 30.08 28.8 30.08h320c14.72 0 27.52-12.8 28.8-29.44l44.16-406.4c1.92-17.28 17.92-30.08 35.2-28.16 17.28 1.92 30.08 17.92 28.16 35.2l-44.16 405.76c-2.56 49.28-42.88 87.04-90.88 87.04zM826.24 321.28H190.72c-17.92 0-32-14.08-32-32s14.08-32 32-32h636.16c17.92 0 32 14.08 32 32s-14.72 32-32.64 32z"
|
||||
fill="#a6adbb"
|
||||
p-id="4256"
|
||||
/><path
|
||||
d="M424.96 789.12c-16.64 0-30.72-12.8-32-29.44l-27.52-347.52c-1.28-17.92 11.52-33.28 29.44-34.56 17.92-1.28 33.28 11.52 34.56 29.44l27.52 347.52c1.28 17.92-11.52 33.28-29.44 34.56h-2.56zM580.48 789.12h-2.56c-17.92-1.28-30.72-16.64-29.44-34.56L576 407.04c1.28-17.92 16.64-30.72 34.56-29.44 17.92 1.28 30.72 16.64 29.44 34.56l-27.52 347.52c-1.92 16.64-15.36 29.44-32 29.44zM581.76 244.48c-17.92 0-32-14.08-32-32 0-23.68-19.2-43.52-43.52-43.52s-43.52 19.2-43.52 43.52c0 17.92-14.08 32-32 32s-32-14.08-32-32c0-59.52 48-107.52 107.52-107.52s107.52 48 107.52 107.52c0 17.28-14.08 32-32 32z"
|
||||
fill="#a6adbb"
|
||||
p-id="4257"
|
||||
/></svg
|
||||
>
|
||||
|
After Width: | Height: | Size: 1.3 KiB |
@@ -0,0 +1,25 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<svg
|
||||
class="animate-spin -ml-1 mr-3 h-5 w-5 text-gray-500"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
fill="none"
|
||||
viewBox="0 0 24 24"
|
||||
>
|
||||
<circle
|
||||
class="opacity-25"
|
||||
cx="12"
|
||||
cy="12"
|
||||
r="10"
|
||||
stroke="#0597ff"
|
||||
stroke-width="4"
|
||||
/>
|
||||
<path
|
||||
class="opacity-75"
|
||||
fill="#0597ff"
|
||||
d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4zm2 5.291A7.962 7.962 0 014 12H0c0 3.042 1.135 5.824 3 7.938l3-2.647z"
|
||||
/>
|
||||
</svg>
|
||||
|
After Width: | Height: | Size: 520 B |
20
GraphRAG/ui/svelte/src/lib/assets/upload/next.svelte
Normal file
@@ -0,0 +1,20 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<svg
|
||||
class="h-4 w-4 text-white rtl:rotate-180 dark:text-white-800"
|
||||
aria-hidden="true"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
fill="none"
|
||||
viewBox="0 0 6 10"
|
||||
>
|
||||
<path
|
||||
stroke="currentColor"
|
||||
stroke-linecap="round"
|
||||
stroke-linejoin="round"
|
||||
stroke-width="2"
|
||||
d="m1 9 4-4-4-4"
|
||||
/>
|
||||
</svg>
|
||||
|
After Width: | Height: | Size: 377 B |
37
GraphRAG/ui/svelte/src/lib/assets/upload/no-file.svelte
Normal file
@@ -0,0 +1,37 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<svg
|
||||
t="1697618332186"
|
||||
class="w-16 h-16"
|
||||
viewBox="0 0 1024 1024"
|
||||
version="1.1"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
p-id="7984"
|
||||
width="16"
|
||||
height="16"
|
||||
><path
|
||||
d="M146.285714 146.285714a97.52381 97.52381 0 0 1 97.52381-97.523809h341.333333l292.571429 292.571428v536.380953a97.52381 97.52381 0 0 1-97.52381 97.523809H243.809524a97.52381 97.52381 0 0 1-97.52381-97.523809V146.285714z"
|
||||
fill="#D1DDE5"
|
||||
p-id="7985"
|
||||
/><path
|
||||
d="M585.142857 48.761905l292.571429 292.571428h-195.047619a97.52381 97.52381 0 0 1-97.52381-97.523809V48.761905z"
|
||||
fill="#ABBBC7"
|
||||
p-id="7986"
|
||||
/><path
|
||||
d="M73.142857 609.52381m48.761905 0l365.714286 0q48.761905 0 48.761904 48.761904l0 121.904762q0 48.761905-48.761904 48.761905l-365.714286 0q-48.761905 0-48.761905-48.761905l0-121.904762q0-48.761905 48.761905-48.761904Z"
|
||||
fill="#ABBBC7"
|
||||
p-id="7987"
|
||||
/><path
|
||||
d="M162.06019 674.133333v34.572191h51.321905v22.186666H162.06019v55.637334H136.533333v-134.582857h85.430857v22.186666H162.06019zM238.640762 651.946667h25.502476v134.582857H238.665143v-134.582857zM288.353524 651.946667h25.502476v112.39619h58.953143v22.186667h-84.455619v-134.582857zM414.427429 674.133333v33.426286h51.151238v22.186667h-51.151238v34.57219h59.928381v22.186667h-85.430858V651.946667h85.430858v22.186666h-59.904z"
|
||||
fill="#FFFFFF"
|
||||
p-id="7988"
|
||||
/><path
|
||||
d="M329.142857 231.619048m-60.952381 0a60.952381 60.952381 0 1 0 121.904762 0 60.952381 60.952381 0 1 0-121.904762 0Z"
|
||||
fill="#FFFFFF"
|
||||
opacity=".6"
|
||||
p-id="7989"
|
||||
/></svg
|
||||
>
|
||||
|
After Width: | Height: | Size: 1.5 KiB |
20
GraphRAG/ui/svelte/src/lib/assets/upload/previous.svelte
Normal file
@@ -0,0 +1,20 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<svg
|
||||
class="h-4 w-4 text-white rtl:rotate-180 dark:text-white-800"
|
||||
aria-hidden="true"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
fill="none"
|
||||
viewBox="0 0 6 10"
|
||||
>
|
||||
<path
|
||||
stroke="currentColor"
|
||||
stroke-linecap="round"
|
||||
stroke-linejoin="round"
|
||||
stroke-width="2"
|
||||
d="M5 1 1 5l4 4"
|
||||
/>
|
||||
</svg>
|
||||
|
After Width: | Height: | Size: 377 B |
1
GraphRAG/ui/svelte/src/lib/assets/voice/svg/paste.svg
Normal file
@@ -0,0 +1 @@
|
||||
<?xml version="1.0" standalone="no"?><!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd"><svg t="1699596229588" class="icon" viewBox="0 0 1024 1024" version="1.1" xmlns="http://www.w3.org/2000/svg" p-id="20460" xmlns:xlink="http://www.w3.org/1999/xlink" width="32" height="32"><path d="M576 128a96 96 0 0 1 96 96v128h-224a96 96 0 0 0-95.84 90.368L352 448v224H224a96 96 0 0 1-96-96V224a96 96 0 0 1 96-96h352z" fill="#CCD9FF" p-id="20461"></path><path d="M576 96a128 128 0 0 1 128 128v128h-64V224a64 64 0 0 0-59.2-63.84L576 160H224a64 64 0 0 0-64 64v352a64 64 0 0 0 64 64h128v64H224a128 128 0 0 1-128-128V224a128 128 0 0 1 128-128z" fill="#3671FD" p-id="20462"></path><path d="M800 320H448a128 128 0 0 0-128 128v352a128 128 0 0 0 128 128h352a128 128 0 0 0 128-128V448a128 128 0 0 0-128-128z m-352 64h352a64 64 0 0 1 64 64v352a64 64 0 0 1-64 64H448a64 64 0 0 1-64-64V448a64 64 0 0 1 64-64z" fill="#3671FD" p-id="20463"></path><path d="M128 736a32 32 0 0 1 32 32 96 96 0 0 0 90.368 95.84L256 864a32 32 0 0 1 0 64 160 160 0 0 1-160-160 32 32 0 0 1 32-32z" fill="#FE9C23" p-id="20464"></path></svg>
|
||||
|
After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 14 KiB |
59
GraphRAG/ui/svelte/src/lib/modules/chat/ChatMessage.svelte
Normal file
@@ -0,0 +1,59 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<script lang="ts">
|
||||
import MessageAvatar from "$lib/modules/chat/MessageAvatar.svelte";
|
||||
import type { Message } from "$lib/shared/constant/Interface";
|
||||
import MessageTimer from "./MessageTimer.svelte";
|
||||
import { createEventDispatcher } from "svelte";
|
||||
|
||||
let dispatch = createEventDispatcher();
|
||||
|
||||
export let msg: Message;
|
||||
export let time: string = "";
|
||||
</script>
|
||||
|
||||
<div
|
||||
class={msg.role === 0
|
||||
? "flex w-full gap-3"
|
||||
: "flex w-full items-center gap-3"}
|
||||
data-testid={msg.role === 0
|
||||
? "display-answer"
|
||||
: "display-question"}
|
||||
>
|
||||
<div
|
||||
class={msg.role === 0
|
||||
? "flex aspect-square w-[3px] items-center justify-center rounded bg-[#0597ff] max-sm:hidden"
|
||||
: "flex aspect-square h-10 w-[3px] items-center justify-center rounded bg-[#000] max-sm:hidden"}
|
||||
>
|
||||
<MessageAvatar role={msg.role} />
|
||||
</div>
|
||||
<div class="group relative items-center">
|
||||
<div>
|
||||
<p
|
||||
class=" max-w-[60vw] items-center whitespace-pre-line break-keep text-[0.8rem] leading-5 sm:max-w-[60rem]"
|
||||
>
|
||||
{@html msg.content}
|
||||
</p>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
{#if time}
|
||||
<div>
|
||||
<MessageTimer
|
||||
{time}
|
||||
on:handleTop={() => {
|
||||
dispatch("scrollTop");
|
||||
}}
|
||||
/>
|
||||
</div>
|
||||
{/if}
|
||||
|
||||
<style>
|
||||
.wrap-style {
|
||||
word-wrap: break-word;
|
||||
word-break: break-all;
|
||||
}
|
||||
</style>
|
||||
19
GraphRAG/ui/svelte/src/lib/modules/chat/MessageAvatar.svelte
Normal file
@@ -0,0 +1,19 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<script lang="ts">
|
||||
import AssistantIcon from "$lib/assets/chat/svelte/Assistant.svelte";
|
||||
import PersonOutlined from "$lib/assets/chat/svelte/PersonOutlined.svelte";
|
||||
import { MessageRole } from "$lib/shared/constant/Interface";
|
||||
export let role: MessageRole;
|
||||
|
||||
|
||||
</script>
|
||||
|
||||
{#if role === MessageRole.User}
|
||||
<PersonOutlined />
|
||||
{:else}
|
||||
<AssistantIcon />
|
||||
{/if}
|
||||
56
GraphRAG/ui/svelte/src/lib/modules/chat/MessageTimer.svelte
Normal file
@@ -0,0 +1,56 @@
|
||||
<!--
|
||||
Copyright (C) 2024 Intel Corporation
|
||||
SPDX-License-Identifier: Apache-2.0
|
||||
-->
|
||||
|
||||
<script lang="ts">
|
||||
export let time: string;
|
||||
import { createEventDispatcher } from "svelte";
|
||||
|
||||
let dispatch = createEventDispatcher();
|
||||
</script>
|
||||
|
||||
<div class="ml-2 flex flex-col">
|
||||
<div class="my-4 flex items-center justify-end gap-2 space-x-2">
|
||||
<div class="ml-2 w-min cursor-pointer" data-state="closed">
|
||||
<!-- svelte-ignore a11y-click-events-have-key-events -->
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
xml:space="preserve"
|
||||
viewBox="0 0 21.6 21.6"
|
||||
width="24"
|
||||
height="24"
|
||||
class="w-5 fill-[#0597ff] hover:fill-[#0597ff]"
|
||||
on:click={() => {
|
||||
dispatch("handleTop");
|
||||
}}
|
||||
><path
|
||||
d="M2.2 3.6V.8h17.2v2.8zm7.2 17.2V10.4L5.8 14l-1.9-1.9 6.9-6.9 6.9 6.9-1.9 1.9-3.6-3.6v10.4z"
|
||||
/></svg
|
||||
>
|
||||
</div>
|
||||
<div
|
||||
class="inline-block w-0.5 self-stretch bg-gray-300 opacity-100 dark:opacity-50"
|
||||
/>
|
||||
<div class="w-min cursor-pointer" data-state="closed">
|
||||
<svg
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
xml:space="preserve"
|
||||
viewBox="0 0 21.6 21.6"
|
||||
width="24"
|
||||
height="24"
|
||||
class="w-5 fill-[#0597ff] hover:fill-[#0597ff]"
|
||||
><path d="M12.3 17.1V7.6H7.6v2.8h1.9v6.7H6.4v2.7h8.8v-2.7z" /><circle
|
||||
cx="10.8"
|
||||
cy="3.6"
|
||||
r="1.9"
|
||||
/></svg
|
||||
>
|
||||
</div>
|
||||
<div class="flex items-center space-x-1 text-base text-gray-800" data-testid='msg-time'>
|
||||
<strong>End to End Time: </strong>
|
||||
<p>{time}s</p>
|
||||
</div>
|
||||
</div>
|
||||
<div class="ml-2 flex flex-col" />
|
||||
</div>
|
||||