ContextGem is a free, open-source LLM framework that makes it radically easier to extract structured data and insights from documents β with minimal code.
Most popular LLM frameworks for extracting structured data from documents require extensive boilerplate code to extract even basic information. This significantly increases development time and complexity.
ContextGem addresses this challenge by providing a flexible, intuitive framework that extracts structured data and insights from documents with minimal effort. Complex, most time-consuming parts are handled with powerful abstractions, eliminating boilerplate code and reducing development overhead.
π Read more on the project motivation in the documentation.
Built-in abstractions | ContextGem | Other LLM frameworks* |
---|---|---|
Automated dynamic prompts | π’ | β― |
Automated data modelling and validators | π’ | β― |
Precise granular reference mapping (paragraphs & sentences) | π’ | β― |
Justifications (reasoning backing the extraction) | π’ | β― |
Neural segmentation (SaT) | π’ | β― |
Multilingual support (I/O without prompting) | π’ | β― |
Single, unified extraction pipeline (declarative, reusable, fully serializable) | π’ | π‘ |
Grouped LLMs with role-specific tasks | π’ | π‘ |
Nested context extraction | π’ | π‘ |
Unified, fully serializable results storage model (document) | π’ | π‘ |
Extraction task calibration with examples | π’ | π‘ |
Built-in concurrent I/O processing | π’ | π‘ |
Automated usage & costs tracking | π’ | π‘ |
Fallback and retry logic | π’ | π’ |
Multiple LLM providers | π’ | π’ |
π’ - fully supported - no additional setup required
π‘ - partially supported - requires additional setup
β― - not supported - requires custom logic
* See descriptions of ContextGem abstractions and comparisons of specific implementation examples using ContextGem and other popular open-source LLM frameworks.
With minimal code, you can:
- Extract structured data from documents (text, images)
- Identify and analyze key aspects (topics, themes, categories) within documents (learn more)
- Extract specific concepts (entities, facts, conclusions, assessments) from documents (learn more)
- Build complex extraction workflows through a simple, intuitive API
- Create multi-level extraction pipelines (aspects containing concepts, hierarchical aspects)
pip install -U contextgem
β‘ v0.5.0+: ContextGem now installs 7.5x faster with minimal dependencies (no torch/transformers required), making it easier to integrate into existing ML environments.
# Quick Start Example - Extracting anomalies from a document, with source references and justifications
import os
from contextgem import Document, DocumentLLM, StringConcept
# Sample document text (shortened for brevity)
doc = Document(
raw_text=(
"Consultancy Agreement\n"
"This agreement between Company A (Supplier) and Company B (Customer)...\n"
"The term of the agreement is 1 year from the Effective Date...\n"
"The Supplier shall provide consultancy services as described in Annex 2...\n"
"The Customer shall pay the Supplier within 30 calendar days of receiving an invoice...\n"
"The purple elephant danced gracefully on the moon while eating ice cream.\n" # π anomaly
"Time-traveling dinosaurs will review all deliverables before acceptance.\n" # π another anomaly
"This agreement is governed by the laws of Norway...\n"
),
)
# Attach a document-level concept
doc.concepts = [
StringConcept(
name="Anomalies", # in longer contexts, this concept is hard to capture with RAG
description="Anomalies in the document",
add_references=True,
reference_depth="sentences",
add_justifications=True,
justification_depth="brief",
# see the docs for more configuration options
)
# add more concepts to the document, if needed
# see the docs for available concepts: StringConcept, JsonObjectConcept, etc.
]
# Or use `doc.add_concepts([...])`
# Define an LLM for extracting information from the document
llm = DocumentLLM(
model="openai/gpt-4o-mini", # or another provider/LLM
api_key=os.environ.get(
"CONTEXTGEM_OPENAI_API_KEY"
), # your API key for the LLM provider
# see the docs for more configuration options
)
# Extract information from the document
doc = llm.extract_all(doc) # or use async version `await llm.extract_all_async(doc)`
# Access extracted information in the document object
anomalies_concept = doc.concepts[0]
# or `doc.get_concept_by_name("Anomalies")`
for item in anomalies_concept.extracted_items:
print(f"Anomaly:")
print(f" {item.value}")
print(f"Justification:")
print(f" {item.justification}")
print("Reference paragraphs:")
for p in item.reference_paragraphs:
print(f" - {p.raw_text}")
print("Reference sentences:")
for s in item.reference_sentences:
print(f" - {s.raw_text}")
print()
Basic usage:
- Aspect Extraction from Document
- Extracting Aspect with Sub-Aspects
- Concept Extraction from Aspect
- Concept Extraction from Document (text)
- Concept Extraction from Document (vision)
- LLM chat interface
Advanced usage:
- Extracting Aspects Containing Concepts
- Extracting Aspects and Concepts from a Document
- Using a Multi-LLM Pipeline to Extract Data from Several Documents
To create a ContextGem document for LLM analysis, you can either pass raw text directly, or use built-in converters that handle various file formats.
ContextGem provides built-in converter to easily transform DOCX files into LLM-ready data.
- Extracts information that other open-source tools often do not capture: misaligned tables, comments, footnotes, textboxes, headers/footers, and embedded images
- Preserves document structure with rich metadata for improved LLM analysis
# Using ContextGem's DocxConverter
from contextgem import DocxConverter
converter = DocxConverter()
# Convert a DOCX file to an LLM-ready ContextGem Document
# from path
document = converter.convert("path/to/document.docx")
# or from file object
with open("path/to/document.docx", "rb") as docx_file_object:
document = converter.convert(docx_file_object)
# You can also use it as a standalone text extractor
docx_text = converter.convert_to_text_format(
"path/to/document.docx",
output_format="markdown", # or "raw"
)
π Learn more about DOCX converter features in the documentation.
ContextGem leverages LLMs' long context windows to deliver superior extraction accuracy from individual documents. Unlike RAG approaches that often struggle with complex concepts and nuanced insights, ContextGem capitalizes on continuously expanding context capacity, evolving LLM capabilities, and decreasing costs. This focused approach enables direct information extraction from complete documents, eliminating retrieval inconsistencies while optimizing for in-depth single-document analysis. While this delivers higher accuracy for individual documents, ContextGem does not currently support cross-document querying or corpus-wide retrieval - for these use cases, modern RAG systems (e.g., LlamaIndex, Haystack) remain more appropriate.
π Read more on how ContextGem works in the documentation.
ContextGem supports both cloud-based and local LLMs through LiteLLM integration:
- Cloud LLMs: OpenAI, Anthropic, Google, Azure OpenAI, and more
- Local LLMs: Run models locally using providers like Ollama, LM Studio, etc.
- Model Architectures: Works with both reasoning/CoT-capable (e.g. o4-mini) and non-reasoning models (e.g. gpt-4.1)
- Simple API: Unified interface for all LLMs with easy provider switching
π Learn more about supported LLM providers and models, how to configure LLMs, and LLM extraction methods in the documentation.
ContextGem documentation offers guidance on optimization strategies to maximize performance, minimize costs, and enhance extraction accuracy:
- Optimizing for Accuracy
- Optimizing for Speed
- Optimizing for Cost
- Dealing with Long Documents
- Choosing the Right LLM(s)
ContextGem allows you to save and load Document objects, pipelines, and LLM configurations with built-in serialization methods:
- Save processed documents to avoid repeating expensive LLM calls
- Transfer extraction results between systems
- Persist pipeline and LLM configurations for later reuse
π Learn more about serialization options in the documentation.
π Full documentation: contextgem.dev
π Raw documentation for LLMs: Available at docs/docs-raw-for-llm.txt
- automatically generated, optimized for LLM ingestion.
π€ AI-powered code exploration: DeepWiki provides visual architecture maps and natural language Q&A for the codebase.
π Change history: See the CHANGELOG for version history, improvements, and bug fixes.
π Found a bug or have a feature request? Open an issue on GitHub.
π Need help or want to discuss? Start a thread in GitHub Discussions.
We welcome contributions from the community - whether it's fixing a typo or developing a completely new feature!
π Get started: Check out our Contributor Guidelines.
This project is automatically scanned for security vulnerabilities using CodeQL. We also use Snyk as needed for supplementary dependency checks.
π‘οΈ Security policy: See SECURITY file for details.
ContextGem relies on these excellent open-source packages:
- pydantic: The gold standard for data validation
- Jinja2: Fast, expressive template engine that powers our dynamic prompt rendering
- litellm: Unified interface to multiple LLM providers with seamless provider switching
- wtpsplit-lite: Lightweight version of wtpsplit for state-of-the-art text segmentation using wtpsplit's SaT models
- loguru: Simple yet powerful logging that enhances debugging and observability
- python-ulid: Efficient ULID generation
- aiolimiter: Powerful rate limiting for async operations
ContextGem is just getting started, and your support means the world to us!
β Star the project if you find ContextGem useful
π’ Share it with others who might benefit
π§ Contribute with feedback, issues, or code improvements
Your engagement is what makes this project grow!
License: Apache 2.0 License - see the LICENSE and NOTICE files for details.
Copyright: Β© 2025 Shcherbak AI AS, an AI engineering company building tools for AI/ML/NLP developers.
Connect: LinkedIn for questions or collaboration ideas.
Built with β€οΈ in Oslo, Norway.