PRISMA 2020 systematic literature review agent powered by Pydantic AI
Project description
PRISMA Agent — Pydantic AI Systematic Review
A standalone, agent-based systematic literature review tool following PRISMA 2020 guidelines. Built with pydantic-ai for structured LLM interactions and typed outputs via OpenRouter.
Architecture
prisma-review-agent/
├── models.py # Pydantic v2 models (Article, Protocol, Evidence, GRADE, etc.)
├── clients.py # HTTP clients: PubMed (NCBI E-utilities), bioRxiv, SQLite cache
├── agents.py # 12 pydantic-ai agents with typed outputs + runner functions
├── evidence.py # Evidence extraction + source grounding validation gate
├── validation.py # Source grounding validator — rapidfuzz fuzzy matching
├── pipeline.py # Async orchestrator — 16-step PRISMA pipeline with cache
├── export.py # Export: Markdown, JSON, BibTeX, CSV formats
├── main.py # Standalone CLI with argparse + interactive mode
└── prisma_review_agent/
└── cache/ # PostgreSQL cache sub-package
├── models.py # CacheEntry, SimilarityConfig, StoredArticle
├── similarity.py # SHA-256 fingerprinting + weighted fuzzy scoring
├── store.py # CacheStore — async PostgreSQL CRUD
├── article_store.py # ArticleStore — article persistence + full-text search
├── skill.py # pydantic-ai CacheAgent with @agent.tool tools
├── admin.py # list/inspect/clear cache entries
└── migrations/001_initial.sql
Design Principles
- Agent-per-task: Each PRISMA step that requires LLM reasoning has a dedicated pydantic-ai
Agentwith a typedoutput_type. No raw string parsing — the LLM returns validated Pydantic models. - No hardcoded heuristics: Evidence extraction, screening, bias assessment, and synthesis are all handled by specialized LLM agents. No keyword lists or regex scoring.
- Source grounding: Every extracted evidence span is verified against its source article using rapidfuzz fuzzy matching before being included. Ungrounded spans are silently dropped.
- Typed throughout: Every data structure is a Pydantic
BaseModelwith validation. Structured outputs from agents are parsed and validated automatically by pydantic-ai. - PostgreSQL result cache: Reviews with ≥ 95% similar criteria are served from cache in seconds instead of minutes. All fetched articles are indexed for future source reuse.
- Async pipeline: The orchestrator uses
asynciofor concurrent LLM calls (bias + GRADE + limitations run in parallel). - Standalone: No web framework dependency. PostgreSQL is optional — the pipeline degrades gracefully without it.
Installation
From PyPI (recommended)
pip install prisma-review-agent
From source
git clone https://github.com/tekrajchhetri/prisma-review-agent.git
cd prisma-review-agent
python -m pip install uv
uv install
Quick Start
Set API Key
export OPENROUTER_API_KEY="sk-or-v1-..."
# Optional: higher PubMed rate limits (10 req/s vs 3 req/s)
export NCBI_API_KEY="your-ncbi-key"
CLI — installed package
After pip install prisma-review-agent the prisma-review command is available globally:
# Simple review
prisma-review \
--title "CRISPR gene therapy efficacy" \
--inclusion "Clinical trials, human subjects, English" \
--exclusion "Animal-only studies, reviews, commentaries"
# Full PICO specification
prisma-review \
--title "GLP-1 agonists for type 2 diabetes: a systematic review" \
--objective "Evaluate efficacy of GLP-1 RAs vs placebo for glycemic control" \
--population "Adults with type 2 diabetes mellitus" \
--intervention "GLP-1 receptor agonists" \
--comparison "Placebo or standard care" \
--outcome "HbA1c reduction, weight change, adverse events" \
--inclusion "RCTs, English, 2019-2024, peer-reviewed" \
--exclusion "Case reports, editorials, conference abstracts" \
--model "anthropic/claude-sonnet-4" \
--max-results 30 \
--hops 2 \
--rob-tool "RoB 2" \
--extract-data \
--export md json bib
# Interactive mode
prisma-review --interactive
CLI — from source (without installing)
python main.py --title "..." --interactive
Python API
import asyncio
from pathlib import Path
from prisma_review_agent import (
PRISMAReviewPipeline,
ReviewProtocol,
RoBTool,
to_markdown,
to_json,
)
protocol = ReviewProtocol(
title="Gut microbiome and depression",
objective="Examine the relationship between gut microbiota composition and depressive disorders",
pico_population="Adults with major depressive disorder",
pico_intervention="Gut microbiome profiling",
pico_comparison="Healthy controls",
pico_outcome="Microbiome diversity, specific taxa abundance",
inclusion_criteria="Human studies, English, 2018-2024",
exclusion_criteria="Animal studies, reviews, case reports",
max_hops=10,
rob_tool=RoBTool.NEWCASTLE_OTTAWA,
# Domain-specific charting questions — answered per included article and stored
# in DataChartingRubric.custom_fields (question text → extracted answer).
# Leave out entirely to use only the built-in sections A–G.
charting_questions=[
"What sequencing method was used (16S rRNA, shotgun metagenomics, or other)?",
"Which taxonomic level was the primary analysis performed at?",
"What alpha-diversity indices were reported (Shannon, Simpson, Chao1, …)?",
"Was the gut-brain axis or HPA axis explicitly discussed?",
"Were dietary intake data collected and reported?",
],
# Override the four default appraisal domain names for this review type.
# Unspecified positions (here: 3 and 4) keep their defaults.
appraisal_domains=[
"Participant Recruitment and Microbiome Sampling Quality",
"Sequencing and Bioinformatic Pipeline Quality",
],
)
async def run():
pipeline = PRISMAReviewPipeline(
api_key="sk-or-v1-...",
model_name="anthropic/claude-sonnet-4",
protocol=protocol,
max_per_query=25,
related_depth=1,
)
result = await pipeline.run()
# Export
Path("review.md").write_text(to_markdown(result))
Path("review.json").write_text(to_json(result))
# Access structured data
print(f"Included: {result.flow.included_synthesis} studies")
for article in result.included_articles:
rob = article.risk_of_bias.overall.value if article.risk_of_bias else "?"
print(f" [{article.pmid}] {article.authors} ({article.year}) — RoB: {rob}")
for span in result.evidence_spans[:5]:
print(f" Evidence [{span.paper_pmid}]: {span.text[:100]}...")
asyncio.run(run())
Enhanced Output Formats
The PRISMA Agent now includes comprehensive structured outputs for systematic review documentation:
Data Charting Rubric (CSV)
Structured extraction of study characteristics across 7 sections (A-G):
- Section A: Publication Information (title, authors, year, journal, DOI, database)
- Section B: Study Design (goals, design type, sample size, tasks, settings)
- Section C: Disordered Group Participants (diagnosis, assessment, demographics)
- Section D: Healthy Controls (inclusion, matching criteria)
- Section E: Data Collection (data types, tasks, equipment, datasets)
- Section F: Features & Models (feature types, algorithms, performance metrics)
- Section G: Synthesis (key findings, limitations, future directions)
PRISMA Narrative Rows (CSV)
Condensed 6-cell summary format derived from charting data:
- Study design/sample/dataset
- Methods (feature extraction, modeling, validation)
- Outcomes (key performance results + findings)
- Key limitations
- Relevance notes
- Review-specific questions
Critical Appraisal Rubric (CSV)
Quality assessment across 4 domains:
- Domain 1: Participant & Sample Quality (5 items)
- Domain 2: Data Collection Quality (3 items)
- Domain 3: Feature & Model Quality (5 items)
- Domain 4: Bias & Transparency (4 items)
Each domain includes item-level ratings (Yes/Partial/No/Not Reported/N/A) and overall concern (Low/Some/High).
Enhanced Markdown
Professional systematic literature review brief with HTML styling, figures, and comprehensive documentation including:
- Executive Summary with key findings and statistics
- Background & Rationale with PICO framework
- Detailed Methods with eligibility criteria tables and search strategies
- Comprehensive Results with PRISMA flow diagrams, study characteristics, and visual data representations
- Discussion with implications for practice and research
- Conclusions with key takeaways
- References in academic format
- Detailed Appendices with data charting rubrics, critical appraisal results, and evidence spans
The enhanced format produces publication-ready SLR briefs with professional styling, color-coded sections, and visual elements suitable for stakeholder presentations and academic publications.
Export Options
# Default enhanced format
prisma-review --title "..." --export enhanced_md
# All structured formats
prisma-review --title "..." --export enhanced_md charting_csv narrative_csv appraisal_csv
# Individual formats
prisma-review --title "..." --export charting narrative appraisal json
# RDF / Linked Data formats
prisma-review --title "..." --export ttl # Turtle RDF
prisma-review --title "..." --export jsonld # JSON-LD
prisma-review --title "..." --export ttl jsonld md # all three together
# Persist a queryable pyoxigraph store
prisma-review --title "..." --export ttl --rdf-store-path review.ttl
RDF / Linked Data Export
Export results as RDF using the SLR Ontology (v0.2.0). The Turtle and JSON-LD files are self-contained linked-data documents that can be loaded into any SPARQL endpoint (Apache Jena, Oxigraph, Blazegraph, etc.) or processed with standard RDF tools.
Namespace prefixes used:
| Prefix | URI |
|---|---|
slr: |
https://w3id.org/slr-ontology/ |
prov: |
http://www.w3.org/ns/prov# |
dcterms: |
http://purl.org/dc/terms/ |
fabio: |
http://purl.org/spar/fabio/ |
bibo: |
http://purl.org/ontology/bibo/ |
oa: |
http://www.w3.org/ns/oa# |
xsd: |
http://www.w3.org/2001/XMLSchema# |
Python API:
from prisma_review_agent.export import to_turtle, to_jsonld
turtle_str = to_turtle(result)
jsonld_str = to_jsonld(result)
Pyoxigraph SPARQL Store
For in-process SPARQL queries, load the result directly into a pyoxigraph store:
from prisma_review_agent.export import to_oxigraph_store
store = to_oxigraph_store(result)
# Find all included sources
rows = store.query("""
PREFIX slr: <https://w3id.org/slr-ontology/>
PREFIX dcterms: <http://purl.org/dc/terms/>
SELECT ?src ?title WHERE {
?src a slr:IncludedSource ;
dcterms:title ?title .
}
""")
# Check provenance timestamp
rows = store.query("""
PREFIX prov: <http://www.w3.org/ns/prov#>
SELECT ?review ?t WHERE { ?review prov:generatedAtTime ?t }
""")
# Save store to disk for later re-use
store.save("review_store.ttl")
Or from the CLI — pass --rdf-store-path to write the store after export:
prisma-review --title "..." --export ttl --rdf-store-path review_store.ttl
Note: The system processes ALL studies that pass screening criteria through complete data charting and critical appraisal. There are no artificial limits on corpus size — from small pilot reviews (5-10 studies) to comprehensive systematic reviews (50+ studies).
Pipeline Steps (17-step Enhanced PRISMA)
| Step | Agent | Output Type | Description |
|---|---|---|---|
| 1. Search Strategy | search_strategy_agent |
SearchStrategy |
Generates PubMed + bioRxiv queries from protocol |
| 2. PubMed Search | — (HTTP) | list[Article] |
E-utilities esearch + efetch |
| 3. bioRxiv Search | — (HTTP) | list[Article] |
bioRxiv API keyword matching |
| 4. Related Articles | — (HTTP) | list[str] |
elink neighbor_score |
| 5. Citation Hops | — (HTTP) | list[Article] |
Forward (cited-by) + backward navigation |
| 6. Deduplication | — (logic) | list[Article] |
DOI/PMID dedup |
| 7. Title/Abstract Screening | screening_agent |
ScreeningBatchResult |
LLM batch screening (inclusive) |
| 8. Full-text Retrieval | — (HTTP) | dict[str, str] |
PMC efetch |
| 9. Full-text Screening | screening_agent |
ScreeningBatchResult |
LLM batch screening (strict) |
| 10. Evidence Extraction | evidence_extraction_agent |
BatchEvidenceExtraction |
LLM identifies claims + evidence spans |
| 11. Data Extraction | data_extraction_agent |
StudyDataExtraction |
Per-study structured data |
| 12. Risk of Bias | rob_agent |
RiskOfBiasResult |
Per-study RoB 2 / ROBINS-I / NOS |
| 13. Data Charting | data_charting_agent |
DataChartingRubric |
Structured charting across 7 sections (A-G) |
| 14. Critical Appraisal | critical_appraisal_agent |
CriticalAppraisalRubric |
Quality assessment across 4 domains |
| 15. Narrative Rows | narrative_row_agent |
PRISMANarrativeRow |
Condensed 6-cell summary format |
| 16. Synthesis | synthesis_agent |
str |
Grounded narrative with PMID citations |
| 17. Bias + GRADE | bias_summary_agent + grade_agent |
str + GRADEAssessment |
Parallel assessment |
| 18. Limitations | limitations_agent |
str |
Review limitations section |
Agents Reference
Agent Architecture
Each agent is defined as a module-level pydantic_ai.Agent with:
- Typed output: Pydantic model that the LLM must conform to
- System prompt: Static instructions + dynamic context from
RunContext[AgentDeps] - Deferred model:
defer_model_check=True— model is provided at runtime viabuild_model() - Dependencies:
AgentDepsdataclass carrying protocol + API credentials
from agents import AgentDeps, build_model, rob_agent
from models import ReviewProtocol
deps = AgentDeps(
protocol=ReviewProtocol(title="..."),
api_key="sk-or-v1-...",
model_name="anthropic/claude-sonnet-4",
)
model = build_model(deps.api_key, deps.model_name)
# Run directly
result = await rob_agent.run(
"Title: ...\nAbstract: ...",
deps=deps,
model=model,
)
rob: RiskOfBiasResult = result.output
print(rob.overall) # RoBJudgment.LOW
Selecting a Model
Pass any OpenRouter model ID via --model on the CLI or the model_name argument in Python.
CLI
# Claude Sonnet 4 (default)
prisma-review --title "..." --model anthropic/claude-sonnet-4
# Gemini 2.5 Pro
prisma-review --title "..." --model google/gemini-2.5-pro
# GPT-4o
prisma-review --title "..." --model openai/gpt-4o
# DeepSeek (cost-effective)
prisma-review --title "..." --model deepseek/deepseek-chat
Python API
pipeline = PRISMAReviewPipeline(
api_key="sk-or-v1-...",
model_name="google/gemini-2.5-pro", # ← change here
protocol=protocol,
)
Interactive mode — prompts you to type a model name at startup:
prisma-review --interactive
# Enter model ID when prompted, or press Enter for the default
Supported Models (via OpenRouter)
Any model available on OpenRouter works. Tested with:
| Model | ID | Notes |
|---|---|---|
| Claude Sonnet 4 | anthropic/claude-sonnet-4 |
Best balance of quality/speed |
| Claude Haiku 4 | anthropic/claude-haiku-4 |
Faster, good for screening |
| Gemini 2.5 Pro | google/gemini-2.5-pro |
Good structured output |
| GPT-4o | openai/gpt-4o |
Strong general performance |
| DeepSeek Chat | deepseek/deepseek-chat |
Cost-effective |
| Llama 3.1 70B | meta-llama/llama-3.1-70b-instruct |
Open-source option |
Data Models
Core Models
| Model | Purpose |
|---|---|
Article |
Research article with metadata, full text, RoB, extracted data |
EvidenceSpan |
Single evidence sentence with source, claim label, relevance score |
ReviewProtocol |
Full PRISMA protocol: PICO, criteria, databases, registration |
PRISMAFlowCounts |
PRISMA flow diagram counts for all stages |
PRISMAReviewResult |
Complete review result with all outputs |
LLM Output Models
| Model | Used By | Description |
|---|---|---|
SearchStrategy |
search_strategy_agent | PubMed/bioRxiv queries, MeSH terms |
ScreeningBatchResult |
screening_agent | Batch of include/exclude decisions |
RiskOfBiasResult |
rob_agent | Per-domain RoB with overall judgment |
StudyDataExtraction |
data_extraction_agent | Study design, findings, effect measures |
GRADEAssessment |
grade_agent | GRADE domains + overall certainty |
BatchEvidenceExtraction |
evidence_extraction_agent | Evidence spans per article |
Export Formats
Markdown
Full PRISMA 2020 structured report with:
- Abstract, Introduction (rationale + PICO), Methods (criteria, search strategy, selection, RoB)
- Results (flow table, study characteristics, synthesis, RoB, GRADE)
- Discussion (limitations), Other Information (registration, funding)
- References, Appendix (evidence spans)
JSON
Complete PRISMAReviewResult serialized via model_dump_json().
BibTeX
Standard @article{} entries for all included studies.
Caching
HTTP Cache (SQLite)
SQLite cache (prisma_agent_cache.db) stores raw HTTP responses with a 72-hour TTL:
- PubMed search results
- Article metadata and full text
- Related article links
- bioRxiv search results
Disable with --no-cache or enable_cache=False.
Review Result Cache (PostgreSQL)
When --pg-dsn is provided, completed review results are cached in PostgreSQL. On subsequent runs with ≥ 95% similar criteria (configurable), the full result is served from cache in seconds rather than minutes.
# Run with PostgreSQL cache
prisma-review \
--title "GLP-1 agonists for type 2 diabetes" \
--inclusion "RCTs, English, 2019-2024" \
--pg-dsn "postgresql://user:pass@localhost/prisma_db" \
--cache-threshold 0.95 \
--export md
# Force a fresh run (bypass cache)
prisma-review --title "..." --pg-dsn "..." --force-refresh
Setup — run the migration once before first use:
psql "$PRISMA_PG_DSN" -f prisma_review_agent/cache/migrations/001_initial.sql
Or set the DSN via environment variable:
export PRISMA_PG_DSN="postgresql://user:pass@localhost/prisma_db"
prisma-review --title "..."
The Markdown export includes a cache banner when a result is served from cache:
⚡ Served from cache (similarity 97.3%) — matched: *GLP-1 agonists for type 2 diabetes*
Article Store (PostgreSQL)
All fetched articles are persisted to the article_store table (same PostgreSQL connection). Full-text content is indexed with a GIN/tsvector index for fast retrieval. On subsequent runs, stored full text is used as the primary source before falling back to live PubMed fetch — reducing API calls and improving reproducibility.
CLI Reference
prisma-review [OPTIONS]
Protocol:
--title, -t Review title / research question
--objective Detailed objective
--population PICO: Population
--intervention PICO: Intervention
--comparison PICO: Comparison
--outcome PICO: Outcome
--inclusion Inclusion criteria
--exclusion Exclusion criteria
--registration PROSPERO registration number
Search:
--model, -m OpenRouter model (default: anthropic/claude-sonnet-4)
--databases Databases to search (default: PubMed bioRxiv)
--max-results Max results per query (default: 20)
--related-depth Related article depth (default: 1)
--hops Citation hop depth 0-4 (default: 1)
--biorxiv-days bioRxiv lookback days (default: 180)
--date-start Start date YYYY-MM-DD
--date-end End date YYYY-MM-DD
--rob-tool RoB 2 | ROBINS-I | Newcastle-Ottawa Scale
Pipeline:
--no-cache Disable SQLite cache
--extract-data Enable per-study data extraction
Cache (PostgreSQL):
--pg-dsn PostgreSQL DSN (or set PRISMA_PG_DSN env var)
--force-refresh Bypass cache and run fresh pipeline
--cache-threshold Similarity threshold for cache hit (default: 0.95)
--cache-ttl-days Cache entry TTL in days; 0=never expire (default: 30)
Output:
--export, -e Export formats: md json bib ttl jsonld (default: md)
--rdf-store-path Save pyoxigraph RDF store to this Turtle file path
--interactive, -i Interactive protocol setup
Extending
Add a New Agent
- Define the output model in
models.py:
class MyOutput(BaseModel):
field: str
score: float
- Create the agent in
agents.py:
my_agent = Agent(
output_type=MyOutput,
deps_type=AgentDeps,
system_prompt="...",
defer_model_check=True,
name="my_agent",
)
async def run_my_agent(data: str, deps: AgentDeps) -> MyOutput:
model = build_model(deps.api_key, deps.model_name)
result = await my_agent.run(data, deps=deps, model=model)
return result.output
- Integrate into
pipeline.py.
Add a New Data Source
- Create a client class in
clients.pyfollowing thePubMedClientpattern. - Add it to
PRISMAReviewPipeline.__init__(). - Add a search step in
pipeline.py.
Dependencies
| Package | Version | Purpose |
|---|---|---|
pydantic-ai |
>=1.0 | Agent framework with typed outputs |
pydantic |
>=2.0 | Data validation and serialization |
httpx |
>=0.25 | Async-capable HTTP client |
psycopg[async] |
>=3.1 | Async PostgreSQL driver (optional) |
psycopg-pool |
>=3.1 | Async connection pooling (optional) |
rapidfuzz |
>=3.0 | Fuzzy string matching for cache similarity + source grounding |
rdflib |
>=6.0 | RDF graph construction and Turtle / JSON-LD serialization |
pyoxigraph |
>=0.3 | Fast in-process SPARQL store for queryable RDF output |
License
Apache 2.0 — see LICENSE.
Project details
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file prisma_review_agent-0.2.2.tar.gz.
File metadata
- Download URL: prisma_review_agent-0.2.2.tar.gz
- Upload date:
- Size: 2.6 MB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: uv/0.9.30 {"installer":{"name":"uv","version":"0.9.30","subcommand":["publish"]},"python":null,"implementation":{"name":null,"version":null},"distro":{"name":"macOS","version":null,"id":null,"libc":null},"system":{"name":null,"release":null},"cpu":null,"openssl_version":null,"setuptools_version":null,"rustc_version":null,"ci":null}
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
8ed174ed88796d7f7e8c709bdcd2f2d0d2ccbc366361eb7687cd3c58dbac876e
|
|
| MD5 |
dfc170ecb18461eb836f4987c4f90d42
|
|
| BLAKE2b-256 |
b40457931d1d69fcc6868d3e56c9ab081161d8919c1c03ab7c7d3a60a13c065f
|
File details
Details for the file prisma_review_agent-0.2.2-py3-none-any.whl.
File metadata
- Download URL: prisma_review_agent-0.2.2-py3-none-any.whl
- Upload date:
- Size: 121.2 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: uv/0.9.30 {"installer":{"name":"uv","version":"0.9.30","subcommand":["publish"]},"python":null,"implementation":{"name":null,"version":null},"distro":{"name":"macOS","version":null,"id":null,"libc":null},"system":{"name":null,"release":null},"cpu":null,"openssl_version":null,"setuptools_version":null,"rustc_version":null,"ci":null}
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
addcdf85e6742418ee87c137925d6a688e7172aa88aeeb92f57dbdb3f454a836
|
|
| MD5 |
5b05f4c6ec1e60b6aedda7d07fdb7523
|
|
| BLAKE2b-256 |
a6eeb7be0bf9192f25f42b0f6e4b59951ebee1ecf0dcca358c29f67785f24571
|