Spaces:
Sleeping
Sleeping
File size: 9,077 Bytes
108d8af | 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 | # LlamaIndex Integration Guide - MCP Server & Gradio UI
Complete integration of LlamaIndex knowledge base into EcoMCP MCP server and Gradio UI.
## What's Integrated
### 1. MCP Server (src/server/mcp_server.py)
- **Knowledge base initialization** on server startup
- **New tools**: `knowledge_search`, `product_query`
- **Semantic search** across indexed documents
- **Natural language Q&A** with query engine
- **Fallback support** if LlamaIndex unavailable
### 2. Gradio UI (src/ui/app.py)
- **Knowledge Search tab** for semantic search
- **Search type options**: All, Products, Documentation
- **Result display** with similarity scores
- **Dynamic tab** (only appears if KB initialized)
- **Consistent styling** with existing UI
### 3. Core Knowledge Base (src/core/)
- Pre-indexed documentation (./docs)
- Product data ready for indexing
- Metadata extraction (titles, keywords)
- Multiple search strategies
## New MCP Tools
### knowledge_search
Semantic search across knowledge base.
**Parameters:**
- `query` (string, required): Search query
- `search_type` (string): "all", "products", or "documentation"
- `top_k` (integer): Number of results (1-20, default: 5)
**Example:**
```json
{
"name": "knowledge_search",
"arguments": {
"query": "wireless headphones features",
"search_type": "products",
"top_k": 5
}
}
```
**Response:**
```json
{
"status": "success",
"query": "wireless headphones features",
"search_type": "products",
"result_count": 3,
"results": [
{
"rank": 1,
"score": 0.95,
"content": "Premium wireless headphones with noise cancellation...",
"source": "products.json"
},
...
],
"timestamp": "2025-11-27T..."
}
```
### product_query
Natural language Q&A with automatic context retrieval.
**Parameters:**
- `question` (string, required): Natural language question
**Example:**
```json
{
"name": "product_query",
"arguments": {
"question": "What are the main features of our flagship product?"
}
}
```
**Response:**
```json
{
"status": "success",
"question": "What are the main features of our flagship product?",
"answer": "Based on the documentation, the flagship product offers...",
"timestamp": "2025-11-27T..."
}
```
## Gradio UI Features
### Knowledge Search Tab
1. **Search query input** - Natural language or keyword search
2. **Search type selector** - Filter by document type
3. **Search button** - Trigger semantic search
4. **Results display** - Ranked results with scores
**Usage:**
- Enter query: "How to deploy this?"
- Select type: "Documentation"
- Results show matching docs with relevance scores
## Implementation Details
### MCP Server Integration
**Initialization:**
```python
class EcoMCPServer:
def __init__(self):
# ... existing code ...
self.kb = None
self._init_knowledge_base()
def _init_knowledge_base(self):
"""Initialize LlamaIndex knowledge base"""
if LLAMAINDEX_AVAILABLE:
self.kb = EcoMCPKnowledgeBase()
self.kb.initialize("./docs")
```
**Tool Handlers:**
```python
async def call_tool(self, name: str, arguments: Dict) -> Any:
if name == "knowledge_search":
return await self._knowledge_search(arguments)
elif name == "product_query":
return await self._product_query(arguments)
```
**Search Implementation:**
```python
async def _knowledge_search(self, args: Dict) -> Dict:
if search_type == "products":
results = self.kb.search_products(query, top_k=top_k)
elif search_type == "documentation":
results = self.kb.search_documentation(query, top_k=top_k)
else:
results = self.kb.search(query, top_k=top_k)
```
### Gradio UI Integration
**Knowledge Base Initialization:**
```python
kb = None
if LLAMAINDEX_AVAILABLE:
try:
kb = EcoMCPKnowledgeBase()
if os.path.exists("./docs"):
kb.initialize("./docs")
except Exception as e:
print(f"Warning: {e}")
kb = None
```
**Search Tab Creation:**
```python
if kb and LLAMAINDEX_AVAILABLE:
with gr.Tab("π Knowledge Search"):
# Search UI components
search_btn.click(
fn=perform_search,
inputs=[search_query, search_type],
outputs=output_search
)
```
## Running the Integration
### Prerequisites
```bash
pip install -r requirements.txt
export OPENAI_API_KEY=sk-...
```
### Start MCP Server
```bash
python src/server/mcp_server.py
```
### Start Gradio UI
```bash
python src/ui/app.py
# Opens at http://localhost:7860
```
### Verify Integration
1. Check MCP server logs for "Knowledge base initialized successfully"
2. In Gradio UI, verify "Knowledge Search" tab appears
3. Try a search query to test functionality
## Integration Flow
```
User Input (Gradio UI)
β
Gradio Handler (perform_search)
β
EcoMCPKnowledgeBase.search()
β
VectorSearchEngine.search()
β
VectorStoreIndex.retrieve()
β
Display Results (Gradio Markdown)
OR (via MCP)
Client β MCP JSON-RPC
β
EcoMCPServer.call_tool("knowledge_search")
β
Server._knowledge_search()
β
Knowledge Base Search
β
Return Results (JSON)
```
## Search Behavior
### Semantic Search
- Uses OpenAI embeddings (text-embedding-3-small)
- Finds semantically similar content
- Works with natural language queries
- Returns similarity scores (0-1)
### Search Types
- **All**: Searches products and documentation
- **Products**: Only product-related documents
- **Documentation**: Only documentation files
### Result Scoring
- Score 0.95+ : Highly relevant
- Score 0.80-0.95 : Very relevant
- Score 0.70-0.80 : Relevant
- Score < 0.70 : Loosely related
## Data Sources
### Indexed Documents
1. **Documentation** (./docs/*.md)
- Guides, tutorials, references
- Implementation details
- Deployment instructions
2. **Products** (optional)
- Product catalog data
- Features and specifications
- Pricing information
### Adding More Data
**Index new documents:**
```python
kb = EcoMCPKnowledgeBase()
kb.initialize("./docs")
kb.add_products(product_list)
kb.add_urls(["https://example.com/page"])
```
**Save indexed data:**
```python
kb.save("./kb_backup")
```
**Load from backup:**
```python
kb2 = EcoMCPKnowledgeBase()
kb2.load("./kb_backup")
```
## Configuration
### Server-Side (mcp_server.py)
```python
# Knowledge base path
docs_path = "./docs"
# Automatic initialization on startup
self.kb = EcoMCPKnowledgeBase()
self.kb.initialize(docs_path)
```
### Gradio UI (app.py)
```python
# Knowledge base initialization
kb = EcoMCPKnowledgeBase()
kb.initialize("./docs")
# Search parameters
top_k = 5 # Number of results
```
## Error Handling
### KB Not Initialized
```json
{
"status": "error",
"error": "Knowledge base not initialized"
}
```
### Query Empty
```json
{
"status": "error",
"error": "Query is required"
}
```
### No Results Found
```
No results found for your query.
```
## Performance
### Search Speed
- First search: 1-2 seconds (loading model)
- Subsequent searches: 0.1-0.5 seconds
- With Pinecone: < 100ms
### Index Size
- Small (100 docs): < 100 MB
- Medium (1000 docs): < 500 MB
- Large (10000 docs): < 5 GB
### Optimization Tips
1. Use `similarity_top_k=3` for speed
2. Use `similarity_top_k=10` for quality
3. Use Pinecone for production (millions of docs)
4. Cache results when possible
## Troubleshooting
### Knowledge base not initializing
```
Check that ./docs directory exists and contains files
```
### Search tab not appearing
```
Verify LlamaIndex is installed: pip install -r requirements.txt
Check for errors in server logs
```
### Slow searches
```
Reduce top_k parameter
Use smaller embedding model (text-embedding-3-small)
Enable Pinecone backend for production
```
### API errors
```
Verify OPENAI_API_KEY is set
Check OpenAI account has credits
Monitor API usage and rate limits
```
## Testing the Integration
### Test MCP Tool
```python
# Test knowledge_search
tool_args = {
"query": "product features",
"search_type": "all",
"top_k": 5
}
result = await server.call_tool("knowledge_search", tool_args)
# Test product_query
tool_args = {
"question": "What is the main product?"
}
result = await server.call_tool("product_query", tool_args)
```
### Test Gradio UI
1. Navigate to http://localhost:7860
2. Click "Knowledge Search" tab
3. Enter test query: "documentation"
4. Select search type: "Documentation"
5. Click "Search"
6. Verify results appear
## Next Steps
1. **Index Product Data**: Add your product catalog
2. **Deploy Server**: Use Modal or Docker
3. **Customize Search**: Adjust chunk size and embedding model
4. **Add Analytics**: Track search queries and results
5. **Optimize Performance**: Profile and benchmark
## Reference
- [MCP Server Implementation](./src/server/mcp_server.py)
- [Gradio UI Implementation](./src/ui/app.py)
- [Knowledge Base Module](./src/core/knowledge_base.py)
- [LlamaIndex Framework Guide](./LLAMA_FRAMEWORK_REFINED.md)
- [Quick Integration Guide](./QUICK_INTEGRATION.md)
|