https://github.com/kenosis01/tinyrag
TinyRag is a minimal Python library for retrieval-augmented generation. It offers easy document ingestion, automatic text extraction, embedding generation, and retrieval with vector stores. Designed for quick setup and flexible provider configuration, TinyRag enables fast, contextual responses from language models.
https://github.com/kenosis01/tinyrag
aichatbot chatbot chatgpt llm localllm python rag rag-chatbot
Last synced: about 2 months ago
JSON representation
TinyRag is a minimal Python library for retrieval-augmented generation. It offers easy document ingestion, automatic text extraction, embedding generation, and retrieval with vector stores. Designed for quick setup and flexible provider configuration, TinyRag enables fast, contextual responses from language models.
- Host: GitHub
- URL: https://github.com/kenosis01/tinyrag
- Owner: Kenosis01
- License: mit
- Created: 2025-08-21T16:34:58.000Z (about 2 months ago)
- Default Branch: main
- Last Pushed: 2025-08-23T16:53:14.000Z (about 2 months ago)
- Last Synced: 2025-08-24T11:29:32.388Z (about 2 months ago)
- Topics: aichatbot, chatbot, chatgpt, llm, localllm, python, rag, rag-chatbot
- Language: Python
- Homepage: https://tinyrag.netlify.app
- Size: 159 KB
- Stars: 6
- Watchers: 0
- Forks: 0
- Open Issues: 0
-
Metadata Files:
- Readme: README.md
- Changelog: CHANGELOG.md
- License: LICENSE
Awesome Lists containing this project
README
![]()
# TinyRag ๐
[](https://badge.fury.io/py/tinyrag)
[](https://www.python.org/downloads/)
[](https://opensource.org/licenses/MIT)
[](https://tinyrag-docs.netlify.app/docs)
[](https://pepy.tech/projects/tinyrag)A **lightweight, powerful Python library** for **Retrieval-Augmented Generation (RAG)** that works locally without API keys. Features advanced codebase indexing, multiple document formats, and flexible vector storage backends.
> **๐ฏ Perfect for developers who need RAG capabilities without complexity or mandatory cloud dependencies.**
## ๐ Key Features
### ๐ **Works Locally - No API Keys Required**
- **๐ง Local Embeddings**: Uses all-MiniLM-L6-v2 by default
- **๐ Direct Search**: Query documents without LLM costs
- **โก Zero Setup**: Works immediately after installation### ๐ **Advanced Document Processing**
- **๐ Multi-Format**: PDF, DOCX, CSV, TXT, and raw text
- **๐ป Code Intelligence**: Function-level indexing for 7+ programming languages
- **๐งต Multithreading**: Parallel processing for faster indexing
- **๐ Chunking Strategies**: Smart text segmentation### ๐๏ธ **Flexible Storage Options**
- **๐ Multiple Backends**: Memory, Pickle, Faiss, ChromaDB
- **๐พ Persistence**: Automatic or manual data saving
- **โก Performance**: Choose speed vs. memory trade-offs
- **๐ง Configuration**: Customizable for any use case### ๐ฌ **Optional AI Integration**
- **๐ค Custom System Prompts**: Tailor AI behavior for your domain
- **๐ Provider Support**: OpenAI, Azure, Anthropic, local models
- **๐ฐ Cost Control**: Use only when needed
- **๐ฏ RAG-Powered Chat**: Contextual AI responses## ๐ Quick Start
> **๐ก New to TinyRag?** Check out our comprehensive [๐ Documentation](https://tinyrag-docs.netlify.app/docs) with step-by-step guides!
### Installation
```bash
# Basic installation
pip install tinyrag# With all optional dependencies
pip install tinyrag[all]# Specific vector stores
pip install tinyrag[faiss] # High performance
pip install tinyrag[chroma] # Persistent storage
pip install tinyrag[docs] # Document processing
```### Usage Examples
### ๐โโ๏ธ 30-Second Example (No API Key Required)
```python
from tinyrag import TinyRag# 1. Create TinyRag instance
rag = TinyRag()# 2. Add your content
rag.add_documents([
"TinyRag makes RAG simple and powerful.",
"docs/user_guide.pdf",
"research_papers/"
])# 3. Search your content
results = rag.query("How does TinyRag work?", k=3)
for text, score in results:
print(f"Score: {score:.2f} - {text[:100]}...")
```**Output:**
```
Score: 0.89 - TinyRag makes RAG simple and powerful.
Score: 0.76 - TinyRag is a lightweight Python library for...
Score: 0.72 - The system processes documents using semantic...
```### ๐ค AI-Powered Chat (Optional)
```python
from tinyrag import Provider, TinyRag# Set up AI provider
provider = Provider(
api_key="sk-your-openai-key",
model="gpt-4"
)# Create smart assistant
rag = TinyRag(
provider=provider,
system_prompt="You are a helpful technical assistant."
)# Add knowledge base
rag.add_documents(["technical_docs/", "api_guides/"])
rag.add_codebase("src/") # Index your codebase# Get intelligent answers
response = rag.chat("How do I implement user authentication?")
print(response)
# AI response based on your specific docs and code!
```## ๐ Complete Documentation
**๐ [Full Documentation](docs/README.md)** - Comprehensive guides from beginner to expert
### ๐ **Getting Started**
- [**Quick Start**](docs/01-quick-start.md) - 5-minute introduction
- [**Installation**](docs/02-installation.md) - Complete setup guide
- [**Basic Usage**](docs/03-basic-usage.md) - Core features without AI### ๐ง **Core Features**
- [**Document Processing**](docs/04-document-processing.md) - PDF, DOCX, CSV, TXT
- [**Codebase Indexing**](docs/05-codebase-indexing.md) - Function-level code search
- [**Vector Stores**](docs/06-vector-stores.md) - Choose the right storage
- [**Search & Query**](docs/07-search-query.md) - Similarity search techniques### ๐ค **AI Integration**
- [**System Prompts**](docs/08-system-prompts.md) - Customize AI behavior
- [**Chat Functionality**](docs/09-chat-functionality.md) - Build conversations
- [**Provider Configuration**](docs/10-provider-config.md) - AI model setup---
## ๐ง Core API Reference
### Provider Class
```python
from tinyrag import Provider# ๐ No API key needed - works locally
provider = Provider(embedding_model="default")# ๐ค With AI capabilities
provider = Provider(
api_key="sk-your-key",
model="gpt-4", # GPT-4, GPT-3.5, local models
embedding_model="text-embedding-ada-002", # or "default" for local
base_url="https://api.openai.com/v1" # OpenAI, Azure, custom
)
```### TinyRag Class
```python
from tinyrag import TinyRag# ๐๏ธ Choose your vector store
rag = TinyRag(
provider=provider, # Optional: for AI chat
vector_store="faiss", # memory, pickle, faiss, chromadb
chunk_size=500, # Text chunk size
max_workers=4, # Parallel processing
system_prompt="Custom prompt" # AI behavior
)
```### ๐๏ธ Vector Store Comparison
| Store | Performance | Persistence | Memory | Dependencies | Best For |
|-------|-------------|-------------|---------|--------------|----------|
| **Memory** | โก Fast | โ None | ๐ High | โ None | Development, testing |
| **Pickle** | ๐ Fair | ๐พ Manual | ๐ Medium | โ Minimal | Simple projects |
| **Faiss** | ๐ Excellent | ๐พ Manual | ๐ Low | ๐ฆ faiss-cpu | Large datasets, speed |
| **ChromaDB** | โก Good | ๐ Auto | ๐ Medium | ๐ฆ chromadb | Production, features |> **๐ก Recommendation:** Start with `memory` for development, use `faiss` for production performance.
## ๐ง Essential Methods
```python
# ๐ Document Management
rag.add_documents(["file.pdf", "text"]) # Add any documents
rag.add_codebase("src/") # Index code functions
rag.clear_documents() # Reset everything# ๐ Search & Query (No AI needed)
results = rag.query("search term", k=5) # Find similar content
code = rag.query("auth function") # Search code too# ๐ค AI Chat (Optional)
response = rag.chat("Explain this code") # Get AI answers
rag.set_system_prompt("Be helpful") # Customize AI# ๐พ Persistence
rag.save_vector_store("my_data.pkl") # Save your work
rag.load_vector_store("my_data.pkl") # Load it back
```> **๐ [Complete API Reference](docs/18-api-reference.md)** - Full method documentation
## ๐ป Code Intelligence
TinyRag indexes your codebase at the **function level** for intelligent code search:
### ๐ Supported Languages
| Language | Extensions | Detection |
|----------|------------|----------|
| **Python** | `.py` | `def function_name` |
| **JavaScript** | `.js`, `.ts` | `function name()`, `const name =` |
| **Java** | `.java` | `public/private type name()` |
| **C/C++** | `.c`, `.cpp`, `.h` | `return_type function_name()` |
| **Go** | `.go` | `func functionName()` |
| **Rust** | `.rs` | `fn function_name()` |
| **PHP** | `.php` | `function functionName()` |### ๐ Code Search Examples
```python
# Index your entire project
rag.add_codebase("my_app/")# Find authentication code
auth_code = rag.query("user authentication login")# Database functions
db_code = rag.query("database query SELECT")# API endpoints
api_code = rag.query("REST API endpoint")# Get AI explanations (with API key)
response = rag.chat("How does user authentication work?")
# AI analyzes your actual code and explains it!
```> **๐ก [Learn More](docs/05-codebase-indexing.md)** - Advanced code search techniques
## โ๏ธ Configuration Examples
### ๐ Performance Optimized
```python
# Large datasets, maximum speed
rag = TinyRag(
vector_store="faiss",
chunk_size=800,
max_workers=8 # Parallel processing
)
```### ๐พ Production Setup
```python
# Persistent, multi-user ready
rag = TinyRag(
provider=provider,
vector_store="chromadb",
vector_store_config={
"collection_name": "company_docs",
"persist_directory": "/data/vectors/"
}
)
```### ๐ค Custom AI Assistant
```python
# Domain-specific AI behavior
rag = TinyRag(
provider=provider,
system_prompt="""You are a senior software engineer.
Provide detailed technical explanations with code examples."""
)
```> **๐ง [Full Configuration Guide](docs/12-configuration.md)** - All options explained
## ๐ฆ Installation
### ๐ฏ Choose Your Setup
```bash
# ๐ Quick start (works immediately)
pip install tinyrag# โก High performance (recommended)
pip install tinyrag[faiss]# ๐ Document processing (PDF, DOCX)
pip install tinyrag[docs]# ๐๏ธ Production database
pip install tinyrag[chroma]# ๐ Everything included
pip install tinyrag[all]
```### ๐ง What Each Option Includes
| Option | Includes | Use Case |
|--------|----------|----------|
| **Base** | Memory store, local embeddings | Development, testing |
| **[faiss]** | + High-performance search | Large datasets |
| **[docs]** | + PDF/DOCX processing | Document analysis |
| **[chroma]** | + Persistent database | Production apps |
| **[all]** | + Everything | Full features |> **๐ก [Installation Guide](docs/02-installation.md)** - Detailed setup instructions
## ๐ฏ Real-World Use Cases
### ๐ข **Business Applications**
- **๐ Customer Support**: Query company docs and policies
- **๐ Knowledge Management**: Searchable internal documentation
- **๐ Research Tools**: Semantic search through research papers
- **๐ Report Analysis**: Find insights across business reports### ๐จโ๐ป **Developer Tools**
- **๐ง Code Documentation**: Auto-generate code explanations
- **๐ Legacy Code Explorer**: Understand large codebases
- **๐ API Assistant**: Query technical documentation
- **๐งช Testing Helper**: Find relevant test patterns### ๐ **Educational & Research**
- **๐ Study Assistant**: Query textbooks and notes
- **๐ Writing Helper**: Research paper analysis
- **๐ง Learning Companion**: Personalized explanations
- **๐ Data Analysis**: Explore datasets semantically> **๐ก [See Complete Examples](docs/15-examples.md)** - Production-ready applications
---
## ๐ ๏ธ Contributing
We welcome contributions! Here's how to get started:
```bash
# 1. Fork and clone
git clone https://github.com/Kenosis01/TinyRag.git
cd TinyRag# 2. Install development dependencies
pip install -e ".[all,dev]"# 3. Run tests
python -m pytest# 4. Make your changes and submit a PR!
```### ๐ **Development Setup**
- **Python 3.7+** required
- **Core dependencies**: sentence-transformers, requests, numpy
- **Optional**: faiss-cpu, chromadb, PyPDF2, python-docx> **๐ง [Development Guide](CONTRIBUTING.md)** - Detailed contributor guidelines
## ๐ค Community & Support
### ๐ **Get Help**
- **๐ [Complete Documentation](docs/README.md)** - Comprehensive guides
- **๐ [GitHub Issues](https://github.com/Kenosis01/TinyRag/issues)** - Bug reports & feature requests
- **๐ฌ [Discussions](https://github.com/Kenosis01/TinyRag/discussions)** - Community Q&A
- **๐ [FAQ](docs/19-faq.md)** - Common questions answered### ๐ **Show Your Support**
- โญ **Star this repo** if TinyRag helps you!
- ๐ฆ **Share on Twitter** - spread the word
- โ **[Buy me a coffee](https://buymeacoffee.com/kenosis)** - support development
- ๐ค **Contribute** - help make TinyRag better---
## ๐ License
MIT License - see [LICENSE](LICENSE) for details.
---
**๐ TinyRag - Making RAG Simple, Powerful, and Accessible! ๐**
*Build intelligent search and Q&A systems in minutes, not hours*
[](https://github.com/Kenosis01/TinyRag)
[](https://pypi.org/project/tinyrag/)
[](https://github.com/Kenosis01/TinyRag)