Spaces:
Runtime error
Runtime error
File size: 8,772 Bytes
c0a093e | 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 | """
Enhanced Vector Database Builder
This script:
1. Uses the enhanced collected data (filtered content)
2. Incorporates training Q&A pairs for better retrieval
3. Creates a high-quality vector database
4. Adds metadata for better context
"""
import json
import chromadb
from chromadb.config import Settings
from sentence_transformers import SentenceTransformer
from typing import List, Dict
import re
from config import (
DATA_DIR, VECTOR_DB_DIR, EMBEDDING_MODEL,
CHUNK_SIZE, CHUNK_OVERLAP
)
class EnhancedVectorDBManager:
"""Enhanced vector database with training data integration"""
def __init__(self):
print("π§ Initializing Enhanced Vector Database Manager...")
# Initialize ChromaDB
self.client = chromadb.PersistentClient(
path=str(VECTOR_DB_DIR),
settings=Settings(anonymized_telemetry=False)
)
# Initialize embedding model
print(f"π¦ Loading embedding model: {EMBEDDING_MODEL}")
self.embedding_model = SentenceTransformer(EMBEDDING_MODEL)
# Get or create collection
try:
self.client.delete_collection("rackspace_knowledge")
print("ποΈ Deleted old collection")
except:
pass
self.collection = self.client.create_collection(
name="rackspace_knowledge",
metadata={"description": "Enhanced Rackspace knowledge base with training data"}
)
print("β
Vector database initialized")
def clean_text(self, text: str) -> str:
"""Clean and normalize text"""
# Remove excessive whitespace
text = re.sub(r'\s+', ' ', text)
# Remove special characters but keep punctuation
text = re.sub(r'[^\w\s\.\,\!\?\-\:\;\(\)]', '', text)
return text.strip()
def chunk_text(self, text: str, chunk_size: int = CHUNK_SIZE, overlap: int = CHUNK_OVERLAP) -> List[str]:
"""Split text into overlapping chunks"""
words = text.split()
chunks = []
for i in range(0, len(words), chunk_size - overlap):
chunk = ' '.join(words[i:i + chunk_size])
if len(chunk) > 100: # Only keep substantial chunks
chunks.append(chunk)
return chunks
def load_documents(self) -> List[Dict]:
"""Load enhanced crawled documents"""
# Try enhanced file first, then fall back to original
doc_file = DATA_DIR / 'rackspace_knowledge_enhanced.json'
if not doc_file.exists():
doc_file = DATA_DIR / 'rackspace_knowledge_clean.json'
if not doc_file.exists():
doc_file = DATA_DIR / 'rackspace_knowledge.json'
if not doc_file.exists():
print(f"β Document file not found: {doc_file}")
print("β οΈ Please run the data integration script first!")
return []
with open(doc_file, 'r', encoding='utf-8') as f:
documents = json.load(f)
print(f"π Loaded {len(documents)} documents from {doc_file.name}")
return documents
def load_training_data(self) -> List[Dict]:
"""Load training Q&A pairs"""
# Try enhanced file first, then fall back to original
qa_file = DATA_DIR / 'training_qa_pairs_enhanced.json'
if not qa_file.exists():
qa_file = DATA_DIR / 'training_qa_pairs.json'
if not qa_file.exists():
print(f"β οΈ Training Q&A file not found: {qa_file}")
return []
with open(qa_file, 'r', encoding='utf-8') as f:
qa_pairs = json.load(f)
print(f"π Loaded {len(qa_pairs)} training Q&A pairs from {qa_file.name}")
return qa_pairs
def build_database(self):
"""Build vector database with ONLY real documents (NO Q&A pairs!)"""
print("\n" + "="*80)
print("π BUILDING VECTOR DATABASE (RAG - Real Documents Only)")
print("="*80)
print("\nβ οΈ NOTE: Training Q&A pairs are for fine-tuning ONLY!")
print("β οΈ Vector DB should contain ONLY actual web content with URLs\n")
# Load data
documents = self.load_documents()
if not documents:
print("β No documents to index!")
return
all_chunks = []
all_metadatas = []
all_ids = []
chunk_id = 0
# Index ONLY document chunks (no Q&A pairs!)
print("\nπ Indexing real document chunks from web crawl...")
for doc_idx, doc in enumerate(documents):
content = doc.get('content', '')
url = doc.get('url', 'unknown')
title = doc.get('title', 'Untitled')
if not content or len(content) < 100:
continue
# Clean and chunk
cleaned_content = self.clean_text(content)
chunks = self.chunk_text(cleaned_content)
for chunk in chunks:
all_chunks.append(chunk)
all_metadatas.append({
'source': url, # ACTUAL URL!
'url': url,
'title': title,
'type': 'document'
})
all_ids.append(f"doc_{chunk_id}")
chunk_id += 1
if (doc_idx + 1) % 50 == 0:
print(f" Processed {doc_idx + 1}/{len(documents)} documents...")
print(f"β
Created {len(all_chunks)} chunks from {len(documents)} real documents")
# Phase 2: Generate embeddings and add to ChromaDB
print(f"\nπ Generating embeddings for {len(all_chunks)} chunks...")
# Add in batches to avoid memory issues
batch_size = 100
total_added = 0
for i in range(0, len(all_chunks), batch_size):
batch_chunks = all_chunks[i:i + batch_size]
batch_metadatas = all_metadatas[i:i + batch_size]
batch_ids = all_ids[i:i + batch_size]
# Generate embeddings
embeddings = self.embedding_model.encode(
batch_chunks,
show_progress_bar=False,
convert_to_numpy=True
)
# Add to collection
self.collection.add(
embeddings=embeddings.tolist(),
documents=batch_chunks,
metadatas=batch_metadatas,
ids=batch_ids
)
total_added += len(batch_chunks)
print(f" Added {total_added}/{len(all_chunks)} chunks...")
# Final statistics
print("\n" + "="*80)
print("β
VECTOR DATABASE BUILD COMPLETE!")
print("="*80)
print(f"π Total chunks indexed: {len(all_chunks)}")
print(f" - Document chunks: {len([m for m in all_metadatas if m['source'] == 'document'])}")
print(f" - Q&A pairs: {len([m for m in all_metadatas if m['source'] == 'training_qa'])}")
print(f" - Training contexts: {len([m for m in all_metadatas if m['source'] == 'training_context'])}")
print(f"πΎ Database location: {VECTOR_DB_DIR}")
print("="*80)
def test_search(self, query: str, top_k: int = 5):
"""Test the vector database with a query"""
print(f"\nπ Testing search: '{query}'")
# Generate query embedding
query_embedding = self.embedding_model.encode([query])[0]
# Search
results = self.collection.query(
query_embeddings=[query_embedding.tolist()],
n_results=top_k
)
print(f"\nπ Top {top_k} results:")
for i, (doc, metadata) in enumerate(zip(results['documents'][0], results['metadatas'][0])):
print(f"\n{i+1}. Source: {metadata.get('source', 'unknown')}")
print(f" Type: {metadata.get('type', 'unknown')}")
if 'url' in metadata:
print(f" URL: {metadata['url']}")
if 'question' in metadata:
print(f" Question: {metadata['question']}")
print(f" Content: {doc[:200]}...")
def main():
"""Main execution"""
manager = EnhancedVectorDBManager()
manager.build_database()
# Test with sample query
print("\n" + "="*80)
print("π§ͺ TESTING DATABASE")
print("="*80)
manager.test_search("What are Rackspace's cloud adoption and migration services?")
manager.test_search("How do I deploy applications on AWS with Rackspace?")
if __name__ == "__main__":
main()
|