File size: 8,837 Bytes
7dfe46c |
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 |
#!/usr/bin/env python3
"""
Quick start script for Manufacturing RAG Agent.
This script provides a simple way to test the RAG system without the full Streamlit interface.
"""
import os
import sys
from pathlib import Path
from dotenv import load_dotenv
# Load environment variables
load_dotenv()
def check_setup():
"""Check if the system is properly set up."""
required_keys = ['GROQ_API_KEY', 'SILICONFLOW_API_KEY']
missing_keys = []
for key in required_keys:
if not os.getenv(key):
missing_keys.append(key)
if missing_keys:
print(f"β Missing required environment variables: {', '.join(missing_keys)}")
print("π Please set them in your .env file")
return False
return True
def test_document_processing():
"""Test document processing with a simple example."""
print("π§ͺ Testing document processing...")
try:
from src.document_processor import DocumentProcessorFactory
from src.pdf_processor import PDFProcessor
from src.excel_processor import ExcelProcessor
from src.image_processor import ImageProcessor
# Test processor factory
config = {
'max_file_size_mb': 10,
'image_processing': True,
'table_extraction': True
}
# Register processors
from src.document_processor import DocumentType
DocumentProcessorFactory.register_processor(DocumentType.PDF, PDFProcessor)
DocumentProcessorFactory.register_processor(DocumentType.EXCEL, ExcelProcessor)
DocumentProcessorFactory.register_processor(DocumentType.IMAGE, ImageProcessor)
print("β
Document processors initialized")
return True
except Exception as e:
print(f"β Document processing test failed: {e}")
return False
def test_embedding_system():
"""Test embedding system."""
print("π§ͺ Testing embedding system...")
try:
from src.embedding_system import EmbeddingSystem
config = {
'siliconflow_api_key': os.getenv('SILICONFLOW_API_KEY'),
'embedding_model': 'BAAI/bge-large-zh-v1.5',
'reranker_model': 'BAAI/bge-reranker-large',
'batch_size': 2,
'max_retries': 2,
'enable_embedding_cache': True
}
embedding_system = EmbeddingSystem(config)
print("β
Embedding system initialized")
# Test with simple text
test_texts = ["Manufacturing process efficiency", "Quality control metrics"]
print("π Generating test embeddings...")
# Note: This will make an actual API call
embeddings = embedding_system.generate_embeddings(test_texts)
if embeddings and len(embeddings) == 2:
print(f"β
Generated embeddings: {len(embeddings)} vectors of size {len(embeddings[0])}")
return True
else:
print("β Embedding generation failed")
return False
except Exception as e:
print(f"β Embedding system test failed: {e}")
return False
def test_llm_system():
"""Test LLM system."""
print("π§ͺ Testing LLM system...")
try:
from src.groq_client import LLMSystem
config = {
'groq_api_key': os.getenv('GROQ_API_KEY'),
'llm_model': 'llama-3.1-8b-instant',
'max_retries': 2
}
llm_system = LLMSystem(config)
print("β
LLM system initialized")
# Test with simple question
print("π Testing question answering...")
context = "The manufacturing yield for Q3 was 95.2% with a total production of 10,000 units."
question = "What was the manufacturing yield for Q3?"
# Note: This will make an actual API call
answer = llm_system.answer_question(question, context)
if answer and "95.2%" in answer:
print(f"β
LLM response: {answer[:100]}...")
return True
else:
print(f"β Unexpected LLM response: {answer}")
return False
except Exception as e:
print(f"β LLM system test failed: {e}")
return False
def test_qdrant_connection():
"""Test Qdrant connection."""
print("π§ͺ Testing Qdrant connection...")
try:
from src.vector_store import QdrantVectorStore
config = {
'qdrant_url': os.getenv('QDRANT_URL', 'http://localhost:6333'),
'qdrant_api_key': os.getenv('QDRANT_API_KEY'),
'qdrant_collection': 'test_collection',
'vector_size': 1024
}
vector_store = QdrantVectorStore(config)
# Test health check
if vector_store.health_check():
print("β
Qdrant connection successful")
# Get collection info
info = vector_store.get_collection_info()
if info:
print(f"β
Collection info: {info.total_points} points")
return True
else:
print("β Qdrant health check failed")
return False
except Exception as e:
print(f"β Qdrant connection test failed: {e}")
return False
def run_simple_demo():
"""Run a simple demo of the RAG system."""
print("\nπ Running Simple RAG Demo")
print("=" * 40)
try:
# Initialize components
config = {
'siliconflow_api_key': os.getenv('SILICONFLOW_API_KEY'),
'groq_api_key': os.getenv('GROQ_API_KEY'),
'qdrant_url': os.getenv('QDRANT_URL', 'http://localhost:6333'),
'qdrant_api_key': os.getenv('QDRANT_API_KEY'),
'qdrant_collection': 'demo_collection',
'embedding_model': 'BAAI/bge-large-zh-v1.5',
'reranker_model': 'BAAI/bge-reranker-large',
'llm_model': 'llama-3.1-8b-instant',
'max_context_chunks': 3,
'similarity_threshold': 0.7,
'rerank_top_k': 10,
'final_top_k': 3,
'vector_size': 1024
}
print("π Initializing RAG engine...")
from src.rag_engine import RAGEngine
rag_engine = RAGEngine(config)
print("β
RAG engine initialized successfully!")
print("\nπ‘ The system is ready. You can now:")
print(" 1. Run the full demo: python launch_rag_demo.py")
print(" 2. Upload documents and ask questions")
print(" 3. View analytics and system status")
return True
except Exception as e:
print(f"β RAG demo failed: {e}")
return False
def main():
"""Main function."""
print("π Manufacturing RAG Agent - Quick Start")
print("=" * 50)
# Check setup
if not check_setup():
print("\nπ Setup Instructions:")
print("1. Copy .env.example to .env")
print("2. Add your API keys:")
print(" - GROQ_API_KEY from https://console.groq.com/")
print(" - SILICONFLOW_API_KEY from https://siliconflow.cn/")
print("3. Set up Qdrant:")
print(" - Local: docker run -p 6333:6333 qdrant/qdrant")
print(" - Cloud: https://cloud.qdrant.io/")
return
print("β
Environment variables configured")
# Run tests
tests = [
("Document Processing", test_document_processing),
("Qdrant Connection", test_qdrant_connection),
("Embedding System", test_embedding_system),
("LLM System", test_llm_system),
]
results = {}
for test_name, test_func in tests:
print(f"\n{'='*20}")
try:
results[test_name] = test_func()
except Exception as e:
print(f"β {test_name} failed with error: {e}")
results[test_name] = False
# Summary
print(f"\n{'='*50}")
print("π Test Results Summary:")
for test_name, result in results.items():
status = "β
PASS" if result else "β FAIL"
print(f" {test_name}: {status}")
# Run demo if all critical tests pass
critical_tests = ["Qdrant Connection", "Embedding System", "LLM System"]
if all(results.get(test, False) for test in critical_tests):
run_simple_demo()
else:
print("\nβ οΈ Some critical tests failed. Please fix the issues above.")
print("π‘ Common solutions:")
print(" - Check your API keys in .env file")
print(" - Ensure Qdrant is running (local or cloud)")
print(" - Install missing dependencies: pip install -r requirements.txt")
if __name__ == "__main__":
main() |