Spaces:
Runtime error
Runtime error
File size: 14,716 Bytes
7be47d4 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 | ---
title: PIX Project Backend
emoji: 🤖
colorFrom: blue
colorTo: green
sdk: docker
sdk_version: "3.0.0"
app_file: app.py
pinned: false
---
Check out the configuration reference at https://huggingface.co/docs/hub/spaces-config-reference
# PIX Project Backend
[](https://fastapi.tiangolo.com/)
[](https://www.python.org/)
[](https://huggingface.co/spaces)
Backend API for PIX Project with MongoDB, PostgreSQL and RAG integration. This project provides a comprehensive backend solution for managing FAQ items, emergency contacts, events, and a RAG-based question answering system.
## Features
- **MongoDB Integration**: Store user sessions and conversation history
- **PostgreSQL Integration**: Manage FAQ items, emergency contacts, and events
- **Pinecone Vector Database**: Store and retrieve vector embeddings for RAG
- **RAG Question Answering**: Answer questions using relevant information from the vector database
- **WebSocket Notifications**: Real-time notifications for Admin Bot
- **API Documentation**: Automatic OpenAPI documentation via Swagger
- **Docker Support**: Easy deployment using Docker
- **Auto-Debugging**: Built-in debugging, error tracking, and performance monitoring
## API Endpoints
### MongoDB Endpoints
- `POST /mongodb/session`: Create a new session record
- `PUT /mongodb/session/{session_id}/response`: Update a session with a response
- `GET /mongodb/history`: Get user conversation history
- `GET /mongodb/health`: Check MongoDB connection health
### PostgreSQL Endpoints
- `GET /postgres/health`: Check PostgreSQL connection health
- `GET /postgres/faq`: Get FAQ items
- `POST /postgres/faq`: Create a new FAQ item
- `GET /postgres/faq/{faq_id}`: Get a specific FAQ item
- `PUT /postgres/faq/{faq_id}`: Update a specific FAQ item
- `DELETE /postgres/faq/{faq_id}`: Delete a specific FAQ item
- `GET /postgres/emergency`: Get emergency contact items
- `POST /postgres/emergency`: Create a new emergency contact item
- `GET /postgres/emergency/{emergency_id}`: Get a specific emergency contact
- `GET /postgres/events`: Get event items
### RAG Endpoints
- `POST /rag/chat`: Get answer for a question using RAG
- `POST /rag/embedding`: Generate embedding for text
- `GET /rag/health`: Check RAG services health
### WebSocket Endpoints
- `WebSocket /notify`: Receive real-time notifications for new sessions
### Debug Endpoints (Available in Debug Mode Only)
- `GET /debug/config`: Get configuration information
- `GET /debug/system`: Get system information (CPU, memory, disk usage)
- `GET /debug/database`: Check all database connections
- `GET /debug/errors`: View recent error logs
- `GET /debug/performance`: Get performance metrics
- `GET /debug/full`: Get comprehensive debug information
## WebSocket API
### Notifications for New Sessions
The backend provides a WebSocket endpoint for receiving notifications about new sessions that match specific criteria.
#### WebSocket Endpoint Configuration
The WebSocket endpoint is configured using environment variables:
```
# WebSocket configuration
WEBSOCKET_SERVER=localhost
WEBSOCKET_PORT=7860
WEBSOCKET_PATH=/notify
```
The full WebSocket URL will be:
```
ws://{WEBSOCKET_SERVER}:{WEBSOCKET_PORT}{WEBSOCKET_PATH}
```
For example: `ws://localhost:7860/notify`
#### Notification Criteria
A notification is sent when:
1. A new session is created with `factor` set to "RAG"
2. The message content starts with "I don't know"
#### Notification Format
```json
{
"type": "new_session",
"timestamp": "2025-04-15 22:30:45",
"data": {
"session_id": "123e4567-e89b-12d3-a456-426614174000",
"factor": "rag",
"action": "asking_freely",
"created_at": "2025-04-15 22:30:45",
"first_name": "John",
"last_name": "Doe",
"message": "I don't know how to find emergency contacts",
"user_id": "12345678",
"username": "johndoe"
}
}
```
#### Usage Example
Admin Bot should establish a WebSocket connection to this endpoint using the configured URL:
```python
import websocket
import json
import os
from dotenv import load_dotenv
# Load environment variables
load_dotenv()
# Get WebSocket configuration from environment variables
WEBSOCKET_SERVER = os.getenv("WEBSOCKET_SERVER", "localhost")
WEBSOCKET_PORT = os.getenv("WEBSOCKET_PORT", "7860")
WEBSOCKET_PATH = os.getenv("WEBSOCKET_PATH", "/notify")
# Create full URL
ws_url = f"ws://{WEBSOCKET_SERVER}:{WEBSOCKET_PORT}{WEBSOCKET_PATH}"
def on_message(ws, message):
data = json.loads(message)
print(f"Received notification: {data}")
# Forward to Telegram Admin
def on_error(ws, error):
print(f"Error: {error}")
def on_close(ws, close_status_code, close_msg):
print("Connection closed")
def on_open(ws):
print("Connection opened")
# Send keepalive message periodically
ws.send("keepalive")
# Connect to WebSocket
ws = websocket.WebSocketApp(
ws_url,
on_open=on_open,
on_message=on_message,
on_error=on_error,
on_close=on_close
)
ws.run_forever()
```
When a notification is received, Admin Bot should forward the content to the Telegram Admin.
## Environment Variables
Create a `.env` file with the following variables:
```
# PostgreSQL Configuration
DB_CONNECTION_MODE=aiven
AIVEN_DB_URL=postgresql://username:password@host:port/dbname?sslmode=require
# MongoDB Configuration
MONGODB_URL=mongodb+srv://username:password@cluster.mongodb.net/?retryWrites=true&w=majority
DB_NAME=Telegram
COLLECTION_NAME=session_chat
# Pinecone configuration
PINECONE_API_KEY=your-pinecone-api-key
PINECONE_INDEX_NAME=your-pinecone-index-name
PINECONE_ENVIRONMENT=gcp-starter
# Google Gemini API key
GOOGLE_API_KEY=your-google-api-key
# WebSocket configuration
WEBSOCKET_SERVER=localhost
WEBSOCKET_PORT=7860
WEBSOCKET_PATH=/notify
# Application settings
ENVIRONMENT=production
DEBUG=false
PORT=7860
```
## Installation and Setup
### Local Development
1. Clone the repository:
```bash
git clone https://github.com/ManTT-Data/PixAgent.git
cd PixAgent
```
2. Create a virtual environment and install dependencies:
```bash
python -m venv venv
source venv/bin/activate # On Windows: venv\Scripts\activate
pip install -r requirements.txt
```
3. Create a `.env` file with your configuration (see above)
4. Run the application:
```bash
uvicorn app:app --reload --port 7860
```
5. Open your browser and navigate to [http://localhost:7860/docs](http://localhost:7860/docs) to see the API documentation
### Docker Deployment
1. Build the Docker image:
```bash
docker build -t pix-project-backend .
```
2. Run the Docker container:
```bash
docker run -p 7860:7860 --env-file .env pix-project-backend
```
## Deployment to HuggingFace Spaces
1. Create a new Space on HuggingFace (Dockerfile type)
2. Link your GitHub repository or push directly to the HuggingFace repo
3. Add your environment variables in the Space settings
4. The deployment will use `app.py` as the entry point, which is the standard for HuggingFace Spaces
### Important Notes for HuggingFace Deployment
- The application uses `app.py` with the FastAPI instance named `app` to avoid the "Error loading ASGI app. Attribute 'app' not found in module 'app'" error
- Make sure all environment variables are set in the Space settings
- The Dockerfile is configured to expose port 7860, which is the default port for HuggingFace Spaces
## Project Structure
```
.
├── app # Main application package
│ ├── api # API endpoints
│ │ ├── mongodb_routes.py
│ │ ├── postgresql_routes.py
│ │ ├── rag_routes.py
│ │ └── websocket_routes.py
│ ├── database # Database connections
│ │ ├── mongodb.py
│ │ ├── pinecone.py
│ │ └── postgresql.py
│ ├── models # Pydantic models
│ │ ├── mongodb_models.py
│ │ ├── postgresql_models.py
│ │ └── rag_models.py
│ └── utils # Utility functions
│ ├── debug_utils.py
│ └── middleware.py
├── tests # Test directory
│ └── test_api_endpoints.py
├── .dockerignore # Docker ignore file
├── .env.example # Example environment file
├── .gitattributes # Git attributes
├── .gitignore # Git ignore file
├── app.py # Application entry point
├── docker-compose.yml # Docker compose configuration
├── Dockerfile # Docker configuration
├── pytest.ini # Pytest configuration
├── README.md # Project documentation
├── requirements.txt # Project dependencies
└── api_documentation.txt # API documentation for frontend engineers
```
## License
This project is licensed under the MIT License - see the LICENSE file for details.
# Advanced Retrieval System
This project now features an enhanced vector retrieval system that improves the quality and relevance of information retrieved from Pinecone using threshold-based filtering and multiple similarity metrics.
## Features
### 1. Threshold-Based Retrieval
The system implements a threshold-based approach to vector retrieval, which:
- Retrieves a larger candidate set from the vector database
- Applies a similarity threshold to filter out less relevant results
- Returns only the most relevant documents that exceed the threshold
### 2. Multiple Similarity Metrics
The system supports multiple similarity metrics:
- **Cosine Similarity** (default): Measures the cosine of the angle between vectors
- **Dot Product**: Calculates the dot product between vectors
- **Euclidean Distance**: Measures the straight-line distance between vectors
Each metric has different characteristics and may perform better for different types of data and queries.
### 3. Score Normalization
For metrics like Euclidean distance where lower values indicate higher similarity, the system automatically normalizes scores to a 0-1 scale where higher values always indicate higher similarity. This makes it easier to compare results across different metrics.
## Configuration
The retrieval system can be configured through environment variables:
```
# Pinecone retrieval configuration
PINECONE_DEFAULT_LIMIT_K=10 # Maximum number of candidates to retrieve
PINECONE_DEFAULT_TOP_K=6 # Number of results to return after filtering
PINECONE_DEFAULT_SIMILARITY_METRIC=cosine # Default similarity metric
PINECONE_DEFAULT_SIMILARITY_THRESHOLD=0.75 # Similarity threshold (0-1)
PINECONE_ALLOWED_METRICS=cosine,dotproduct,euclidean # Available metrics
```
## API Usage
You can customize the retrieval parameters when making API requests:
```json
{
"user_id": "user123",
"question": "What are the best restaurants in Da Nang?",
"similarity_top_k": 5,
"limit_k": 15,
"similarity_metric": "cosine",
"similarity_threshold": 0.8
}
```
## Benefits
1. **Quality Improvement**: Retrieves only the most relevant documents above a certain quality threshold
2. **Flexibility**: Different similarity metrics can be used for different types of queries
3. **Efficiency**: Avoids processing irrelevant documents, improving response time
4. **Configurability**: All parameters can be adjusted via environment variables or at request time
## Implementation Details
The system is implemented as a custom retriever class `ThresholdRetriever` that integrates with LangChain's retrieval infrastructure while providing enhanced functionality.
## In-Memory Cache
Dự án bao gồm một hệ thống cache trong bộ nhớ để giảm thiểu truy cập đến cơ sở dữ liệu PostgreSQL và MongoDB.
### Cấu hình Cache
Cache được cấu hình thông qua các biến môi trường:
```
# Cache Configuration
CACHE_TTL_SECONDS=300 # Thời gian tồn tại của cache item (giây)
CACHE_CLEANUP_INTERVAL=60 # Chu kỳ xóa cache hết hạn (giây)
CACHE_MAX_SIZE=1000 # Số lượng item tối đa trong cache
HISTORY_QUEUE_SIZE=10 # Số lượng item tối đa trong queue lịch sử người dùng
HISTORY_CACHE_TTL=3600 # Thời gian tồn tại của lịch sử người dùng (giây)
```
### Cơ chế Cache
Hệ thống cache kết hợp hai cơ chế hết hạn:
1. **Lazy Expiration**: Kiểm tra thời hạn khi truy cập cache item. Nếu item đã hết hạn, nó sẽ bị xóa và trả về kết quả là không tìm thấy.
2. **Active Expiration**: Một background thread định kỳ quét và xóa các item đã hết hạn. Điều này giúp tránh tình trạng cache quá lớn với các item không còn được sử dụng.
### Các loại dữ liệu được cache
- **Dữ liệu PostgreSQL**: Thông tin từ các bảng FAQ, Emergency Contacts, và Events.
- **Lịch sử người dùng từ MongoDB**: Lịch sử hội thoại người dùng được lưu trong queue với thời gian sống tính theo lần truy cập cuối cùng.
### API Cache
Dự án cung cấp các API endpoints để quản lý cache:
- `GET /cache/stats`: Xem thống kê về cache (tổng số item, bộ nhớ sử dụng, v.v.)
- `DELETE /cache/clear`: Xóa toàn bộ cache
- `GET /debug/cache`: (Chỉ trong chế độ debug) Xem thông tin chi tiết về cache, bao gồm các keys và cấu hình
### Cách hoạt động
1. Khi một request đến, hệ thống sẽ kiểm tra dữ liệu trong cache trước.
2. Nếu dữ liệu tồn tại và còn hạn, trả về từ cache.
3. Nếu dữ liệu không tồn tại hoặc đã hết hạn, truy vấn từ database và lưu kết quả vào cache.
4. Khi dữ liệu được cập nhật hoặc xóa, cache liên quan sẽ tự động được xóa.
### Lịch sử người dùng
Lịch sử hội thoại người dùng được lưu trong queue riêng với cơ chế đặc biệt:
- Mỗi người dùng có một queue riêng với kích thước giới hạn (`HISTORY_QUEUE_SIZE`).
- Thời gian sống của queue được làm mới mỗi khi có tương tác mới.
- Khi queue đầy, các item cũ nhất sẽ bị loại bỏ.
- Queue tự động bị xóa sau một thời gian không hoạt động.
## Tác giả
- **PIX Project Team** |