Spaces:
Build error
Build error
File size: 8,892 Bytes
40f6dcf | 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 | """
RAG CLI - RAG-The-Game-Changer
Command-line interface for the RAG system.
"""
import asyncio
import argparse
import sys
from typing import List, Dict, Any
import json
import logging
# Configure logging
logging.basicConfig(
level=logging.INFO, format="%(asctime)s - %(name)s - %(levelname)s - %(message)s"
)
logger = logging.getLogger(__name__)
async def ingest_command(args):
"""Handle document ingestion."""
try:
from config import RAGPipeline
# Initialize pipeline
pipeline = RAGPipeline(
retrieval_strategy=args.strategy,
embedding_provider=args.embedding_provider,
vector_db=args.vector_db,
)
# Load documents
documents = []
for file_path in args.files:
try:
if file_path.endswith(".json"):
# Load from JSON file
with open(file_path, "r", encoding="utf-8") as f:
file_docs = json.load(f)
if isinstance(file_docs, list):
documents.extend(file_docs)
else:
documents.append(file_docs)
else:
# Load as text file
with open(file_path, "r", encoding="utf-8") as f:
content = f.read()
documents.append({"content": content, "metadata": {"source": file_path}})
except Exception as e:
logger.error(f"Error loading file {file_path}: {e}")
continue
if not documents:
logger.error("No documents to ingest")
return False
# Ingest documents
logger.info(f"Ingesting {len(documents)} documents...")
result = await pipeline.ingest(documents, chunk_strategy=args.chunk_strategy)
print(f"β
Ingestion completed:")
print(f" Documents processed: {result['documents_processed']}")
print(f" Processing time: {result['processing_time_seconds']:.2f}s")
return True
except Exception as e:
logger.error(f"Error during ingestion: {e}")
return False
async def query_command(args):
"""Handle querying."""
try:
from config import RAGPipeline
# Initialize pipeline
pipeline = RAGPipeline(
retrieval_strategy=args.strategy,
embedding_provider=args.embedding_provider,
vector_db=args.vector_db,
)
# Execute query
logger.info(f"Processing query: {args.query}")
response = await pipeline.query(
query=args.query,
top_k=args.top_k,
include_sources=args.sources,
include_confidence=True,
)
# Display results
print(f"\nπ Query: {response.query}")
print(f"\nπ‘ Answer: {response.answer}")
print(f"\nπ Confidence: {response.confidence:.2f}")
print(f"β±οΈ Total time: {response.total_time_ms:.2f}ms")
print(f"π Retrieval time: {response.retrieval_time_ms:.2f}ms")
print(f"π€ Generation time: {response.generation_time_ms:.2f}ms")
if response.sources and args.sources:
print(f"\nπ Sources ({len(response.sources)}):")
for i, source in enumerate(response.sources, 1):
title = source.get("title", "Unknown")
score = source.get("score", 0.0)
print(f" {i}. {title} (score: {score:.3f})")
return True
except Exception as e:
logger.error(f"Error during query: {e}")
return False
async def stats_command(args):
"""Handle stats command."""
try:
from config import RAGPipeline
# Initialize pipeline
pipeline = RAGPipeline(
retrieval_strategy=args.strategy,
embedding_provider=args.embedding_provider,
vector_db=args.vector_db,
)
# Get stats
stats = await pipeline.get_stats()
health = await pipeline.health_check()
print("π RAG Pipeline Statistics:")
print(json.dumps(stats, indent=2))
print("\nπ₯ Health Check:")
print(json.dumps(health, indent=2))
return True
except Exception as e:
logger.error(f"Error getting stats: {e}")
return False
async def interactive_command(args):
"""Handle interactive mode."""
try:
from config import RAGPipeline
# Initialize pipeline
pipeline = RAGPipeline(
retrieval_strategy=args.strategy,
embedding_provider=args.embedding_provider,
vector_db=args.vector_db,
)
print("π RAG Interactive Mode")
print("Type 'quit' or 'exit' to leave")
print("-" * 50)
while True:
try:
query = input("\nπ Enter your query: ").strip()
if query.lower() in ["quit", "exit", "q"]:
print("π Goodbye!")
break
if not query:
continue
# Process query
response = await pipeline.query(
query=query, top_k=args.top_k, include_sources=True, include_confidence=True
)
print(f"\nπ‘ Answer: {response.answer}")
print(f"π Confidence: {response.confidence:.2f}")
print(f"β±οΈ Time: {response.total_time_ms:.2f}ms")
except KeyboardInterrupt:
print("\nπ Goodbye!")
break
except Exception as e:
logger.error(f"Error in interactive mode: {e}")
return True
except Exception as e:
logger.error(f"Error starting interactive mode: {e}")
return False
def main():
"""Main CLI entry point."""
parser = argparse.ArgumentParser(
description="RAG-The-Game-Changer: Production-Ready RAG System",
formatter_class=argparse.RawDescriptionHelpFormatter,
epilog="""
Examples:
# Ingest documents
rag-cli ingest --files doc1.txt doc2.pdf --strategy hybrid
# Query the system
rag-cli query "What is RAG?" --top-k 5 --sources
# Interactive mode
rag-cli interactive --strategy hybrid --top-k 3
# Get statistics
rag-cli stats
""",
)
# Global arguments
parser.add_argument(
"--strategy",
choices=["dense", "sparse", "hybrid"],
default="hybrid",
help="Retrieval strategy",
)
parser.add_argument(
"--embedding-provider",
choices=["openai", "sentence-transformers"],
default="openai",
help="Embedding provider",
)
parser.add_argument(
"--vector-db",
choices=["faiss", "pinecone", "chroma"],
default="faiss",
help="Vector database",
)
parser.add_argument("--verbose", "-v", action="store_true", help="Enable verbose logging")
# Subcommands
subparsers = parser.add_subparsers(dest="command", help="Available commands")
# Ingest command
ingest_parser = subparsers.add_parser("ingest", help="Ingest documents")
ingest_parser.add_argument("files", nargs="+", help="Document files to ingest")
ingest_parser.add_argument(
"--chunk-strategy",
choices=["semantic", "token", "fixed"],
default="semantic",
help="Chunking strategy",
)
# Query command
query_parser = subparsers.add_parser("query", help="Query the RAG system")
query_parser.add_argument("query", help="Query string")
query_parser.add_argument(
"--top-k", "-k", type=int, default=5, help="Number of documents to retrieve"
)
query_parser.add_argument(
"--sources", "-s", action="store_true", help="Include source information"
)
# Stats command
stats_parser = subparsers.add_parser("stats", help="Show system statistics")
# Interactive command
interactive_parser = subparsers.add_parser("interactive", help="Interactive query mode")
interactive_parser.add_argument(
"--top-k", "-k", type=int, default=3, help="Number of documents to retrieve"
)
# Parse arguments
args = parser.parse_args()
# Configure logging
if args.verbose:
logging.getLogger().setLevel(logging.DEBUG)
# Handle commands
if args.command == "ingest":
success = asyncio.run(ingest_command(args))
elif args.command == "query":
success = asyncio.run(query_command(args))
elif args.command == "stats":
success = asyncio.run(stats_command(args))
elif args.command == "interactive":
success = asyncio.run(interactive_command(args))
else:
parser.print_help()
success = False
sys.exit(0 if success else 1)
if __name__ == "__main__":
main()
|