
1. Overview
BioExplorer AI is an integrated, AI-powered portal designed to make biological knowledge discoverable, interpretable, and actionable. It combines large-scale literature, molecular databases, pathway resources, and ontologies into a single platform where users can ask natural-language questions, receive concise evidence-backed answers, explore interactive visualizations (pathways, networks, structures), and launch reproducible analysis workflows. The portal is engineered for researchers, clinicians, educators and industry users who need fast, trustworthy access to cross-referenced biological information spanning genes, proteins, pathways, variants, compounds and publications.
Key elements of the overview:
- Unified access to distributed biological data (PubMed, UniProt, NCBI, Reactome, GEO, etc.).
- Retrieval-Augmented Generation (RAG) to combine retrieval precision with language-model fluency.
- Knowledge graph to represent and traverse relationships (gene → protein → pathway → disease → compound).
- Role-based outputs: concise factual answers for clinicians, detailed evidence lists for researchers, and simplified explanations for students.
2. Problem Statement
Researchers today face three main pain points: (1) fragmentation — data and literature live in many unconnected repositories; (2) difficulty of use — valuable resources require specialized queries and domain expertise; (3) trust & reproducibility — natural-language models can hallucinate, and manual cross-checking is slow. These limitations cause lost time, missed discoveries, and barriers for interdisciplinary teams. BioExplorer AI addresses these problems by providing a single, verifiable interface that links evidence to claims, standardizes identifiers, and supports reproducible workflows so results can be validated and audited.
Concrete operational problems to solve:
- Reduce time-to-evidence for questions like “Which genes interact with X and what compounds modulate them?”
- Avoid unsupported assertions by returning source snippets and linking directly to original records.
- Enable non-expert users to navigate complex domain knowledge using conversational queries.
3. Objectives
The project’s objectives define measurable outcomes and guide implementation:
- Integrated knowledge base: Ingest and normalize metadata and textual content from core biological resources (PubMed, UniProt, NCBI, Reactome, GEO) into searchable and queryable indices.
- Conversational search: Provide a robust natural-language interface that answers domain questions with evidence and citations.
- Semantic interoperability: Map and normalize entities to common ontologies (HGNC, UniProt, Ensembl, GO, MeSH) to ensure consistent linking across sources.
- Knowledge exploration: Build an interactive knowledge graph enabling relational queries, subgraph extraction and visual exploration.
- Reproducible analytics: Allow users to run or trigger standard analysis workflows (e.g., differential expression on a GEO dataset) within secure containers and return results linked to original data.
- Explainability & trust: Surface provenance, confidence scores, and extractable evidence for every claim produced by the system.
Each objective will have KPIs (e.g., ingestion coverage %, accuracy of named-entity normalization, user satisfaction metrics) tracked during development.

4. Research Questions
The project is research-driven as well as product-driven. Principal questions include:
- Retrieval quality: Does RAG combined with ontology-aware retrieval outperform lexical search and pure-embedding methods on domain Q&A tasks (measured by precision@k and expert-rated factuality)?
- Ontology impact: How much improvement in retrieval relevance and deduplication is achieved by integrating structured ontologies (GO, MeSH, UMLS) into the retrieval pipeline?
- Explainability: Can we produce machine-explainable provenance (which documents and fragments justify each claim) that significantly reduces expert perceived hallucination?
- Usefulness: Does the system reduce time-to-insight for typical researcher workflows (e.g., literature review, target validation) compared to manual search?
- Scalability & freshness: What indexing cadence and architecture keep the knowledge base fresh while remaining cost-effective?
Answering these supports publication-level evaluation and informs architecture choices.
5. Methodology
A modular, reproducible methodology ensures scientific rigor:
Data ingestion & normalization
- Bulk and API-based ingestion from prioritized sources (PubMed abstracts and metadata; UniProt entries; NCBI Gene records; Reactome pathways; GEO accession metadata).
- Preprocessing: tokenization, text chunking, metadata extraction, date stamping, and language detection.
- Identifier normalization: map synonyms and IDs (HGNC ↔ Ensembl ↔ NCBI Gene ↔ UniProt) using mapping tables and cross-references.
Indexing
- Two complementary indices: (A) a vector index of semantic embeddings (for semantic retrieval), and (B) a lexical index (BM25) for precise phrase matches and filtering.
- Chunk-level metadata retention (source, year, PMID/ID, organism).
Retrieval & Ranking
- Hybrid retrieval: combine lexical (BM25) and semantic (embedding similarity) signals plus ontology-based filters (organism, molecule type, date).
- Reranking stage with a small ML model that learns to weight similarity scores, recency, and source reliability.
RAG + Generation
- Assemble top-N evidence chunks and feed them into an LLM prompt template that enforces a citation-first structure: brief answer, numbered evidence with direct citations, and limitations.
- Use techniques to constrain hallucination: answer only within evidence bounds; produce “no evidence found” if insufficient support.
Knowledge Graph
- Extract entities and relationships (co-occurrence, curated links, database relations).
- Store in a graph DB enabling path queries, subgraph extraction, and network metrics.
Evaluation
- Establish gold-standard datasets (200–500 annotated Q&A items) and expert review panels.
- Automate metrics: precision@k, recall, factuality score (expert-judged), and user satisfaction.
6. Proposed Technical Architecture (high-level)
A scalable, modular architecture with clear separation of concerns:
- Data Layer
- Raw data lake (object storage) for ingested files.
- Metadata & relational DB (Postgres) for system state, user data, and provenance.
 
- Indexing Layer
- Embedding generation (batch & incremental) using sentence-transformer models.
- Vector DB (Qdrant / Milvus) for semantic search.
- Text search engine (Elasticsearch) for lexical search and filtering.
 
- KG Layer
- Graph DB (Neo4j or Amazon Neptune) hosting normalized entities and relationships, with schema enforcing IDs and types.
 
- Retrieval & Model Layer
- Retrieval service combining lexical + semantic + KG filters.
- Reranker service (lightweight ML model).
- LLM inference layer (hosted API or self-hosted model) performing RAG generation with controlled prompts and safety wrappers.
 
- Application Layer
- Backend APIs (FastAPI) orchestrating queries, retrieval, generation, and workflow execution.
- Frontend (React) featuring chat, advanced query builder, interactive graph, and visualizations (Cytoscape.js, D3).
 
- Orchestration & MLOps
- ETL pipelines (Airflow/Dagster) for scheduled updates.
- CI/CD for code and model deployments.
- Observability: logs, metrics, and automated alerting.
 
- Security & Governance
- Role-based access, audit logs, data access policies for private datasets.
 
This architecture supports incremental additions and scaling for global usage.
7. Indexing, Embeddings & Retrieval Strategy (detailed)
Because retrieval quality is critical, the strategy includes:
- Chunking policy: split long abstracts/entries into 250–500 token chunks preserving sentence boundaries and metadata.
- Embedding model selection: use domain-tuned sentence transformers (biomedical models like BioBERT embeddings or PubMed-trained sentence transformers) for high semantic fidelity. Fallback to OpenAI embeddings if needed for prototyping.
- Multi-index fusion: keep separate indices per content type (literature, gene/protein entries, pathways) and fuse results by weighted scoring (user-configurable).
- Temporal weighting: allow users to prioritize recent literature or classic foundational papers.
- Ontology filters: normalize query entities (e.g., “p53” → TP53 HGNC ID) to restrict retrieval to target organism or to group synonyms.
- Reranking logic: train a small supervised reranker on annotated queries to improve final ordering based on factuality and source reliability.
This yields high retrieval precision and reduces mismatched contexts.
8. RAG Prompting & Hallucination Mitigation (detailed)
Generation must be tightly controlled:
- Prompt template: Always include (a) explicit instruction to cite only provided evidence chunks, (b) a maximum token budget, (c) structured output format (summary, numbered findings, limitations, sources).
- Evidence-first constraints: the model must use exact quoted snippets when asserting facts; if a fact is not found in evidence, it must declare “no evidence” rather than invent.
- Post-generation verifier: a verification module cross-checks the generated claims against source chunks; any mismatch is flagged and the output is downgraded or the claim removed.
- Confidence scoring: compute a composite confidence from retrieval similarity scores, reranker output, and LLM self-reflection signals (e.g., likelihood metrics). Present the confidence to the user.
These measures ensure answers are grounded and traceable.

9. Knowledge Graph Design & Use Cases (detailed)
The Knowledge Graph (KG) is central for relational queries and discovery.
Schema and nodes
- Node types: Gene, Protein, Transcript, Variant, Pathway, Compound/Drug, Disease/Phenotype, Publication, Assay.
- Edge types: encodes (gene→protein), interacts_with (protein↔protein), associated_with (gene↔disease), targets (drug→protein), evidence_from (edge→PMID/ID).
Populating the KG
- Ingest curated relations (UniProt, Reactome), extract relations from text (NER + relation extraction), and import cross-references.
- Keep provenance on edges: source ID, confidence, extraction method, timestamp.
KG workloads
- Path discovery: find shortest paths between gene and drug (useful for repurposing hypotheses).
- Subgraph extraction: retrieve all pathways involving a gene.
- Graph embeddings: compute node embeddings for link prediction (repurposing).
- Search & explain: when the LLM proposes a relationship, present the KG path and supporting edges as explanation.
Example use: user asks, “Show me drugs that could modulate pathways downstream of KRAS.” The KG returns proteins in KRAS pathways, known inhibitors, and candidate compounds with preclinical evidence, with path-based scores.
10. UI/UX: Conversational & Exploratory Interfaces (detailed)
Design focuses on clarity, transparency, and different user personas.
Conversational chat
- Natural-language input with autocomplete for entity names.
- Responses structured: 1-sentence summary, evidence list (numbered), links (open in new tab), “confidence” badge, and “view evidence” toggles showing the exact chunks.
Advanced explorer
- Graph browser (filterable by node type) with hover tooltips showing provenance.
- Pathway viewer with annotated nodes and overlays (expression, variants).
- Document viewer that highlights the exact text supporting claims.
Workflow launch
- Ability to launch containerized analyses (e.g., differential expression on GEO dataset) with prefilled parameters, store results, and link them back to the conversation context.
User controls
- Source filters (journals, years), organism selection, output verbosity (summary vs. deep dive), and export options (PDF, CSV, JSON).
The UI emphasizes traceability: every claim links to the exact original source.
11. Evaluation, Metrics & Validation Plan (detailed)
Comprehensive evaluation across retrieval, generation, and usability:
Retrieval metrics
- Precision@k, Recall@k on annotated query sets.
- Average retrieval latency.
Generation/factuality
- Expert-annotated factuality: panel rates generated answers on correctness, completeness, and misleading content. Target: ≥85% factuality for core tasks.
- Hallucination rate: proportion of claims not verifiable from provided evidence (target <10%).
User metrics
- Task completion time reduction (compare manual search vs. portal).
- User satisfaction (Likert scale), NPS for the platform.
Scientific validation
- Reproduce published findings: feed a query with known answer (e.g., known biomarker lists) and check recall.
- Benchmark on public Q&A datasets (BioASQ, PubMedQA) where relevant.
Evaluation drives iterative improvements and can be the basis for academic publications.
12. Data Governance, Privacy & Ethics (detailed)
Strong governance is required due to potential clinical implications:
Data policy
- Public data: index and expose with provenance.
- Controlled data: support integration only with appropriate access controls and legal agreements (dbGaP, institutional datasets).
- No direct medical advice: platform must display disclaimers when content could be interpreted clinically.
Privacy & security
- Role-based access, encrypted storage for any private datasets, full audit logs for data access and model outputs.
- Anonymization/de-identification guidelines for any clinical metadata ingested.
Ethical safeguards
- Misuse prevention: restrict high-risk features (e.g., designing biological agents) and monitor queries for red flags.
- Bias mitigation: monitor representation across species, populations, and experimental conditions; ensure training/evaluation datasets include diverse populations where possible.
- Indigenous knowledge & community data: respect local ownership, access permissions, and opt-in policies.
Governance board
- Establish an ethics and review board (scientists, ethicists, legal counsel) to review sensitive outputs and policies.
13. Implementation Roadmap & Milestones (detailed)
Phased rollout with concrete deliverables:
Phase 0 (Preparation, 0–1 month)
- Team formation, finalize scope, define KPIs, secure initial cloud credits.
Phase 1 (MVP, 1–6 months)
- Ingest PubMed + UniProt + NCBI Gene; build lexical + semantic indices.
- Implement basic conversational UI and proof-of-concept RAG answers with citations.
- Deliverables: working demo, ingestion code, 100 annotated queries for evaluation.
Phase 2 (Expansion, 6–12 months)
- Add Reactome, GEO metadata ingestion, build KG of core entities, implement reranker, refine prompts.
- Deliverables: knowledge graph backend, advanced retrieval, internal user testing.
Phase 3 (Advanced features, 12–18 months)
- Add workflow execution (containerized analyses), multi-user features, authentication, and usage tracking.
- Deliverables: production-ready frontend, API docs, pilot with partner lab/institution.
Phase 4 (Scale & sustain, 18–36 months)
- Scale indexing, add more data sources, optimize cost, publish validation results, explore sustainable business model (grants, subscriptions for advanced features).
Each phase includes user testing, integration of feedback, and measurable KPIs.
14. Team & Roles (detailed)
Multidisciplinary team required:
- Project Lead / PI: sets scientific priorities, coordinates domain validation.
- Product Manager: translates research needs into product features, stakeholder liaison.
- Data Engineers (2): ingestion pipelines, data normalization, mapping tables.
- ML Engineers (2–3): embedding pipelines, retrieval models, reranker, LLM orchestration.
- Knowledge Graph Engineer: schema design, graph DB optimization, ETL into KG.
- Backend Developers (2): APIs, workflow orchestration, security.
- Frontend Developers (2): chat UI, graph visualizer, dashboards.
- Bioinformatics / Domain Experts (2 part-time): evaluate outputs, create test sets.
- DevOps / MLOps: CI/CD, deployment, monitoring.
- Ethics / Legal Advisor (consultant): data governance, compliance.
- UX / Product Designer: design intuitive interfaces for different personas.
Team sizing can be adjusted for MVP (smaller) and scaled up for production phases.
15. Infrastructure, Tools & Tech Stack (detailed)
Recommended stack for balance between cost, performance and reproducibility:
Compute & Hosting
- Cloud provider: Google Cloud Platform recommended (GCP) for BEX familiarity; alternatives: AWS or Azure.
- GPU instances for embedding generation and LLM inference (if self-hosting).
- Kubernetes for scalable microservices and containerized workflows.
Storage & Databases
- Object storage (GCS/S3) for raw ingestion.
- PostgreSQL for metadata and users.
- Vector DB: Qdrant / Milvus for embeddings.
- Search: Elasticsearch for lexical search.
- Graph DB: Neo4j or Amazon Neptune.
ML & NLP
- Hugging Face transformers, PyTorch, sentence-transformers for embeddings.
- PyTorch Geometric if integrating graph learning.
- Docker and Kubernetes for reproducible jobs.
Frontend
- React, TypeScript; Cytoscape.js / D3.js for visualizations; Charting libraries for plots.
Monitoring & CI
- GitHub Actions / GitLab CI, Prometheus/Grafana for metrics, Sentry for error monitoring.
Open-source-first approach reduces license costs and eases reproducibility.

16. Budget Estimate & Funding Strategy (detailed)
High-level budgeted items (indicative; adjust regional salaries):
MVP (first 9 months)
- Personnel (6–8 people, partial FTEs): US$250k
- Cloud & Compute (dev & prototypes): US$15k–35k (using cloud credits)
- Misc (datasets, legal consults, UX): US$5k–10k
 Subtotal MVP: ~US$270k–295k
Scale to Production (12–24 months)
- Additional personnel & specialist hires: US$300k–500k
- Cloud (inference at scale, storage, backups): US$50k–150k
- Partnership / validation budgets (lab collaborations): US$50k–100k
 Total 24-month estimate: US$700k–1.1M depending on scale and commercial model.
Funding strategy
- Stage 1: seed grants and research funding (government, foundations).
- Stage 2: pilot partnerships with academic institutions, NGOs, or pharma.
- Stage 3: mixed model — free academic tier; paid enterprise tier for advanced APIs, private data integrations, or premium compute.
Provide cost-optimizing options: use open models, spot instances for batch jobs, and limit LLM expensive calls by caching.
17. Expected Impact & Success Criteria (detailed)
Scientific and societal impact:
Research acceleration
- Reduce literature review and target discovery times from days/weeks to hours.
Interdisciplinary collaboration
- Lower barrier for non-experts (clinicians, ecologists) to use complex datasets.
Reproducibility
- Reproducible analysis workflows and auditable provenance support better science.
Education & Training
- Serve as a learning tool for students, offering simplified explanations and direct links to primary literature.
Success criteria (first 12 months)
- Ingest core datasets (PubMed, UniProt) and achieve ≥80% retrieval precision on curated queries.
- Panel-rated factuality ≥85% on generated answers for a sample benchmark.
- At least two academic partners performing pilot evaluations.
- Demonstrated time-savings in user studies.
Long-term impact includes enabling new hypotheses, improving translational research pipelines, and supporting evidence-based decision-making.
18. References & Data Sources (detailed)
Primary public sources to be indexed and integrated (not exhaustive):
Literature & metadata
- PubMed / PubMed Central / Europe PMC / CrossRef
Molecular & sequence
- UniProt (protein sequences and annotation)
- NCBI Gene / RefSeq (gene-centric data)
- Ensembl (genome annotations)
Pathways & interactions
- Reactome, KEGG, Pathway Commons
Expression & functional genomics
- GEO (gene expression datasets), ENCODE, GTEx
Variants & clinical
- ClinVar, dbSNP, ClinGen
Chemistry & drugs
- DrugBank, PubChem, ChEMBL
Structures
- PDB, AlphaFold Protein Structure Database
Ontologies & controlled vocabularies
- Gene Ontology (GO), MeSH, UMLS, HGNC
Community datasets
- GBIF (biodiversity) if cross-discipline; iNaturalist for species.
Benchmarks & corpora
- BioASQ, PubMedQA, other biomedical QA datasets for evaluation.
All ingested records must retain original identifiers and provenance metadata (date, source, DOI/PMID).
