Name: Towards AI Legal Name: Towards AI, Inc. Description: Towards AI is the world's leading artificial intelligence (AI) and technology publication. Read by thought-leaders and decision-makers around the world. Phone Number: +1-650-246-9381 Email: [email protected]
228 Park Avenue South New York, NY 10003 United States
Website: Publisher: https://towardsai.net/#publisher Diversity Policy: https://towardsai.net/about Ethics Policy: https://towardsai.net/about Masthead: https://towardsai.net/about
Name: Towards AI Legal Name: Towards AI, Inc. Description: Towards AI is the world's leading artificial intelligence (AI) and technology publication. Founders: Roberto Iriondo, , Job Title: Co-founder and Advisor Works for: Towards AI, Inc. Follow Roberto: X, LinkedIn, GitHub, Google Scholar, Towards AI Profile, Medium, ML@CMU, FreeCodeCamp, Crunchbase, Bloomberg, Roberto Iriondo, Generative AI Lab, Generative AI Lab Denis Piffaretti, Job Title: Co-founder Works for: Towards AI, Inc. Louie Peters, Job Title: Co-founder Works for: Towards AI, Inc. Louis-François Bouchard, Job Title: Co-founder Works for: Towards AI, Inc. Cover:
Towards AI Cover
Logo:
Towards AI Logo
Areas Served: Worldwide Alternate Name: Towards AI, Inc. Alternate Name: Towards AI Co. Alternate Name: towards ai Alternate Name: towardsai Alternate Name: towards.ai Alternate Name: tai Alternate Name: toward ai Alternate Name: toward.ai Alternate Name: Towards AI, Inc. Alternate Name: towardsai.net Alternate Name: pub.towardsai.net
5 stars – based on 497 reviews

Frequently Used, Contextual References

TODO: Remember to copy unique IDs whenever it needs used. i.e., URL: 304b2e42315e

Resources

Take the GenAI Test: 25 Questions, 6 Topics. Free from Activeloop & Towards AI

Publication

GraphRAG Analysis, Part 2: Graph Creation and Retrieval vs Vector Database Retrieval
Latest   Machine Learning

GraphRAG Analysis, Part 2: Graph Creation and Retrieval vs Vector Database Retrieval

Last Updated on September 2, 2024 by Editorial Team

Author(s): Jonathan Bennion

Originally published on Towards AI.

Surprising similarities in most metrics, after Microsoft’s GraphRAG paper found questionable metrics with vaguely defined lift β€” the ROI of knowledge graphs may not always justify the hype.

TLDR:

GraphRAG enhances faithfulness over vector-based RAG but may not offer enough ROI to justify the hype of the accuracy benefits given the performance overhead.

Implications (see list of potential biases in this analysis at bottom of post):

  1. Improved accuracy: GraphRAG could be beneficial in domains requiring high precision, such as medical or legal applications.
  2. Complex relationships: It may excel in scenarios involving intricate entity relationships, like analyzing social networks or supply chains.
  3. Trade-offs: The improved faithfulness comes at the cost of increased complexity in setup and maintenance of the knowledge graph, so the hype may not be justified.

Introduction

This post is a follow up to GraphRAG Analysis Part 1, which compared vector databases of GraphRAG and FAISS for a clean compare, and now incorporates knowledge graph creation and retrieval using cypher against the FAISS baseline to evaluate how these two approaches perform on RAGAS metrics for the same document. Code runthrough is below and is available here as a notebook on my Github.

Setting Up the Environment

First, let’s set up our environment and import the necessary libraries:

import warnings
warnings.filterwarnings('ignore')

import os
import asyncio
import nest_asyncio
import pandas as pd
import numpy as np
import matplotlib.pyplot as plt
from dotenv import load_dotenv
from typing import List, Dict, Union
from langchain_openai import OpenAIEmbeddings
from langchain_community.document_loaders import PyPDFLoader
from langchain_text_splitters import RecursiveCharacterTextSplitter
from langchain_community.vectorstores import Neo4jVector, FAISS
from langchain_core.retrievers import BaseRetriever
from langchain_core.runnables import RunnablePassthrough
from langchain_core.output_parsers import StrOutputParser
from langchain_core.prompts import PromptTemplate, ChatPromptTemplate
from langchain.chat_models import ChatOpenAI
from langchain.schema import Document
from neo4j import GraphDatabase
from ragas import evaluate
from ragas.metrics import faithfulness, answer_relevancy, context_relevancy, context_recall
from datasets import Dataset
import random
import re
from tqdm.asyncio import tqdm
from concurrent.futures import ThreadPoolExecutor

# API keys
load_dotenv()
openai_api_key = os.getenv("OPENAI_API_KEY")
neo4j_url = os.getenv("NEO4J_URL")
neo4j_user = os.getenv("NEO4J_USER")
neo4j_password = os.getenv("NEO4J_PASSWORD")

Setting Up Neo4j Connection

To use Neo4j as the graph database, let’s set up the connection and create some utility functions:

# Set up Neo4j connection
driver = GraphDatabase.driver(neo4j_url, auth=(neo4j_user, neo4j_password))

# Function to clear the Neo4j instance
def clear_neo4j_data(tx):
tx.run("MATCH (n) DETACH DELETE n")

# Ensure vector index exists in Neo4j
def ensure_vector_index(recreate=False):
with driver.session() as session:
result = session.run("""
SHOW INDEXES
YIELD name, labelsOrTypes, properties
WHERE name = 'entity_index'
AND labelsOrTypes = ['Entity']
AND properties = ['embedding']
RETURN count(*) > 0 AS exists
"""
).single()

index_exists = result['exists'] if result else False

if index_exists and recreate:
session.run("DROP INDEX entity_index")
print("Existing vector index 'entity_index' dropped.")
index_exists = False

if not index_exists:
session.run("""
CALL db.index.vector.createNodeIndex(
'entity_index',
'Entity',
'embedding',
1536,
'cosine'
)
"""
)
print("Vector index 'entity_index' created successfully.")
else:
print("Vector index 'entity_index' already exists. Skipping creation.")

# Add embeddings to entities in Neo4j
def add_embeddings_to_entities(tx, embeddings):
query = """
MATCH (e:Entity)
WHERE e.embedding IS NULL
WITH e LIMIT 100
SET e.embedding = $embedding
"""

entities = tx.run("MATCH (e:Entity) WHERE e.embedding IS NULL RETURN e.name AS name LIMIT 100").data()
for entity in tqdm(entities, desc="Adding embeddings"):
embedding = embeddings.embed_query(entity['name'])
tx.run(query, embedding=embedding)

These functions help us manage our Neo4j database, ensuring we have a clean slate for each run and that our vector index is properly set up.

Data Processing and Graph Creation

Now, let’s load our data and create our knowledge graph (I used a debate transcript from 2024 that was not included in training data for any model as of the publication date).

# Load and process the PDF
pdf_path = "debate_transcript.pdf"
loader = PyPDFLoader(pdf_path)
documents = loader.load()
text_splitter = RecursiveCharacterTextSplitter(chunk_size=1000, chunk_overlap=200)
texts = text_splitter.split_documents(documents)

# Function to create graph structure
def create_graph_structure(tx, texts):
llm = ChatOpenAI(model_name="gpt-3.5-turbo", temperature=0)

for text in tqdm(texts, desc="Creating graph structure"):
prompt = ChatPromptTemplate.from_template(
"Given the following text, identify key entities and their relationships. "
"Format the output as a list of tuples, each on a new line: (entity1, relationship, entity2)\n\n"
"Text: {text}\n\n"
"Entities and Relationships:"
)

response = llm(prompt.format_messages(text=text.page_content))

# Process the response and create nodes and relationships
lines = response.content.strip().split('\n')
for line in lines:
if line.startswith('(') and line.endswith(')'):
parts = line[1:-1].split(',')
if len(parts) == 3:
entity1, relationship, entity2 = [part.strip() for part in parts]
# Create nodes and relationship
query = (
"MERGE (e1:Entity {name: $entity1}) "
"MERGE (e2:Entity {name: $entity2}) "
"MERGE (e1)-[:RELATED {type: $relationship}]->(e2)"
)
tx.run(query, entity1=entity1, entity2=entity2, relationship=relationship)

This approach uses GPT-3.5-Turbo to extract entities and relationships from our text, creating a dynamic knowledge graph based on the content of our document.

Setting Up Retrievers

We’ll set up two types of retrievers: one using FAISS for vector-based retrieval, and another using Neo4j for graph-based retrieval.

# Embeddings model
embeddings = OpenAIEmbeddings()

# Create FAISS retriever
faiss_vector_store = FAISS.from_documents(texts, embeddings)
faiss_retriever = faiss_vector_store.as_retriever(search_kwargs={"k": 2})

# Neo4j retriever
def create_neo4j_retriever():
# Clear existing data
with driver.session() as session:
session.run("MATCH (n) DETACH DELETE n")

# Create graph structure
with driver.session() as session:
session.execute_write(create_graph_structure, texts)

# Add embeddings to entities
with driver.session() as session:
max_attempts = 10
attempt = 0
while attempt < max_attempts:
count = session.execute_read(lambda tx: tx.run("MATCH (e:Entity) WHERE e.embedding IS NULL RETURN COUNT(e) AS count").single()['count'])
if count == 0:
break
session.execute_write(add_embeddings_to_entities, embeddings)
attempt += 1
if attempt == max_attempts:
print("Warning: Not all entities have embeddings after maximum attempts.")

# Create Neo4j retriever
neo4j_vector_store = Neo4jVector.from_existing_index(
embeddings,
url=neo4j_url,
username=neo4j_user,
password=neo4j_password,
index_name="entity_index",
node_label="Entity",
text_node_property="name",
embedding_node_property="embedding"
)
return neo4j_vector_store.as_retriever(search_kwargs={"k": 2})

# Cypher-based retriever
def cypher_retriever(search_term: str) -> List[Document]:
with driver.session() as session:
result = session.run(
"""
MATCH (e:Entity)
WHERE e.name CONTAINS $search_term
RETURN e.name AS name, [(e)-[r:RELATED]->(related) | related.name + ' (' + r.type + ')'] AS related
LIMIT 2
"
"",
search_term=search_term
)
documents = []
for record in result:
content = f"Entity: {record['name']}\nRelated: {', '.join(record['related'])}"
documents.append(Document(page_content=content))
return documents

The FAISS retriever uses vector similarity to find relevant information, while the Neo4j retrievers leverage the graph structure to find related entities and their relationships.

Creating RAG Chains

Now, let’s create our RAG chains:

def create_rag_chain(retriever):
llm = ChatOpenAI(model_name="gpt-3.5-turbo")
template = """Answer the question based on the following context:
{context}

Question: {question}
Answer:"""

prompt = PromptTemplate.from_template(template)

if callable(retriever):
# For Cypher retriever
retriever_func = lambda q: retriever(q)
else:
# For FAISS retriever
retriever_func = retriever

return (
{"context": retriever_func, "question": RunnablePassthrough()}
| prompt
| llm
| StrOutputParser()
)

# Create RAG chains
faiss_rag_chain = create_rag_chain(faiss_retriever)
cypher_rag_chain = create_rag_chain(cypher_retriever)

These chains associate the retrievers with a language model to generate answers based on the retrieved context.

Evaluation Setup

To evaluate our RAG systems, we’ll create a ground truth dataset and use the RAGAS framework:

def create_ground_truth(texts: List[Union[str, Document]], num_questions: int = 100) -> List[Dict]:
llm_ground_truth
= ChatOpenAI(model_name="gpt-3.5-turbo", temperature=0.2)

def get_text(item):
return item.page_content if isinstance(item, Document) else item

text_splitter
= RecursiveCharacterTextSplitter(chunk_size=1000, chunk_overlap=200)
all_splits = text_splitter.split_text(' '.join(get_text(doc) for doc in texts))

ground_truth = []

question_prompt = ChatPromptTemplate.from_template(
"Given the following text, generate {num_questions} diverse and specific questions that can be answered based on the information in the text. "
"Provide the questions as a numbered list.\n\nText: {text}\n\nQuestions:"
)

all_questions = []
for split in tqdm(all_splits, desc="Generating questions"):
response
= llm_ground_truth(question_prompt.format_messages(num_questions=3, text=split))
questions = response.content.strip().split('\n')
all_questions.extend([q.split('. ', 1)[1] if '. ' in q else q for q in questions])

random.shuffle(all_questions)
selected_questions = all_questions[:num_questions]

llm = ChatOpenAI(model_name="gpt-3.5-turbo", temperature=0)

for question in tqdm(selected_questions, desc="Generating ground truth"):
answer_prompt
= ChatPromptTemplate.from_template(
"Given the following question, provide a concise and accurate answer based on the information available. "
"If the answer is not directly available, respond with 'Information not available in the given context.'\n\nQuestion: {question}\n\nAnswer:"
)
answer_response = llm(answer_prompt.format_messages(question=question))
answer = answer_response.content.strip()

context_prompt = ChatPromptTemplate.from_template(
"Given the following question and answer, provide a brief, relevant context that supports this answer. "
"If no relevant context is available, respond with 'No relevant context available.'\n\n"
"Question: {question}\nAnswer: {answer}\n\nRelevant context:"
)
context_response = llm(context_prompt.format_messages(question=question, answer=answer))
context = context_response.content.strip()

ground_truth.append({
"question": question,
"answer": answer,
"context": context,
})

return ground_truth

async def evaluate_rag_async(rag_chain, ground_truth, name):
# ... (evaluation function implementation)

async def run_evaluations(rag_chains, ground_truth):
results
= {}
for name, chain in rag_chains.items():
result = await evaluate_rag_async(chain, ground_truth, name)
results.update(result)
return results

# Main execution function
async def main():
# Ensure vector index
ensure_vector_index(recreate=True)

# Create retrievers
neo4j_retriever
= create_neo4j_retriever()

# Create RAG chains
faiss_rag_chain = create_rag_chain(faiss_retriever)
neo4j_rag_chain = create_rag_chain(neo4j_retriever)

# Generate ground truth
ground_truth = create_ground_truth(texts)

# Run evaluations
rag_chains = {
"FAISS": faiss_rag_chain,
"Neo4j": neo4j_rag_chain
}
results = await run_evaluations(rag_chains, ground_truth)
return results

# Run the main function
if __name__ == "__main__":
nest_asyncio.apply()
try:
results = asyncio.run(asyncio.wait_for(main(), timeout=7200)) # 2 hour timeout
plot_results(results)

# Print detailed results
for name, result in results.items():
print(f"Results for {name}:")
print(result)
print()
except asyncio.TimeoutError:
print("Evaluation timed out after 2 hours.")
finally:
# Close the Neo4j driver
driver.close()

This setup creates a ground truth dataset, evaluates our RAG chains using RAGAS metrics, and visualizes the results.

Image created by the author through code above

Results and Analysis

This analysis revealed a surprising similarity in performance between GraphRAG and vector-based RAG across most metrics, with one difference:

Faithfulness: Neo4j GraphRAG significantly outperformed FAISS (0.54 vs 0.18), but did not outperform significantly in any other metrics.

The graph-based approach excels in faithfulness likely because it preserves the relational context of information. When retrieving information, it can follow the explicit relationships between entities, ensuring that the retrieved context is more closely aligned with the original structure of the information in the document.

Implications and Use Cases

While the overall performance similarity suggests that for many applications, the choice between graph-based and vector-based RAG may not significantly impact results, there are specific scenarios where GraphRAG’s advantage in faithfulness could be crucial:

  1. Faithfulness-critical applications: In domains where maintaining exact relationships and context is crucial (e.g., legal or medical fields), GraphRAG could provide significant benefits.
  2. Complex relationship queries: For scenarios involving intricate connections between entities (e.g., investigating financial networks or analyzing social relationships), GraphRAG’s ability to traverse relationships could be advantageous.
  3. Maintenance and updates: Vector-based systems like FAISS may be easier to maintain and update, especially for frequently changing datasets.
  4. Computational resources: The similar performance in most metrics suggests that the additional complexity of setting up and maintaining a graph database may not always be justified, depending on the specific use case and available resources.

Note on Potential Biases:

  1. Knowledge graph creation: The graph structure is created using GPT-3.5-Turbo, which may introduce its own biases or inconsistencies in how entities and relationships are extracted.
  2. Retrieval methods: The FAISS retriever uses vector similarity search, while the Neo4j retriever uses a Cypher query. These fundamentally different approaches may favor certain types of queries or information structures, but this is what is being evaluated.
  3. Context window limitations: Both methods use a fixed context window size, which may not capture the full complexity of the knowledge graph structure if anything different is required.
  4. Dataset specificity: Overall (and this is a given in 100% of all AI tool analysis): the analysis is performed on a single document (debate transcript), which may not be representative of all potential use cases.

Follow me for more insights on AI tools and otherwise.

Join thousands of data leaders on the AI newsletter. Join over 80,000 subscribers and keep up to date with the latest developments in AI. From research to projects and ideas. If you are building an AI startup, an AI-related product, or a service, we invite you to consider becoming aΒ sponsor.

Published via Towards AI

Feedback ↓