Spaces:
Sleeping
Sleeping
improving tools
Browse files- app.py +1 -1
- langgraph_final.py +0 -151
- langgraph_final2.py +0 -172
- langgraph_final3.py +0 -590
- langgraph_new.py +525 -0
- mcp_tools_server.py +336 -0
- requirements.txt +31 -13
- test_enhanced_agent.py +151 -0
app.py
CHANGED
|
@@ -6,7 +6,7 @@ import asyncio
|
|
| 6 |
from typing import Optional
|
| 7 |
|
| 8 |
from langchain_core.messages import HumanMessage
|
| 9 |
-
from
|
| 10 |
|
| 11 |
# Constants
|
| 12 |
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
|
|
|
| 6 |
from typing import Optional
|
| 7 |
|
| 8 |
from langchain_core.messages import HumanMessage
|
| 9 |
+
from langgraph_new import graph # Your graph agent
|
| 10 |
|
| 11 |
# Constants
|
| 12 |
DEFAULT_API_URL = "https://agents-course-unit4-scoring.hf.space"
|
langgraph_final.py
DELETED
|
@@ -1,151 +0,0 @@
|
|
| 1 |
-
import os
|
| 2 |
-
from dotenv import load_dotenv
|
| 3 |
-
import pandas as pd
|
| 4 |
-
import whisper
|
| 5 |
-
|
| 6 |
-
from langchain_openai import ChatOpenAI
|
| 7 |
-
from langchain_core.messages import SystemMessage, HumanMessage, AIMessage
|
| 8 |
-
from langchain_core.tools import tool
|
| 9 |
-
from langchain_community.tools.tavily_search import TavilySearchResults
|
| 10 |
-
from langchain_community.document_loaders import WikipediaLoader
|
| 11 |
-
|
| 12 |
-
# ** Retrieval imports **
|
| 13 |
-
from langchain_huggingface import HuggingFaceEmbeddings
|
| 14 |
-
from supabase.client import Client, create_client
|
| 15 |
-
from langchain_community.vectorstores import SupabaseVectorStore
|
| 16 |
-
from langchain.tools.retriever import create_retriever_tool
|
| 17 |
-
|
| 18 |
-
from langgraph.graph import StateGraph, MessagesState, START, END
|
| 19 |
-
from langgraph.prebuilt import ToolNode, tools_condition
|
| 20 |
-
|
| 21 |
-
load_dotenv()
|
| 22 |
-
|
| 23 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 24 |
-
# SYSTEM PROMPT
|
| 25 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 26 |
-
SYSTEM = SystemMessage(content="""
|
| 27 |
-
You are a razorβsharp QA agent that answers in **one bare line**.
|
| 28 |
-
- Use tools for factual lookups, audio transcription, or Excel analysis.
|
| 29 |
-
- Lists: commaβseparated, alphabetized if requested, no trailing period.
|
| 30 |
-
- Codes (IOC, country, etc.) bare.
|
| 31 |
-
- Currency in USD as 12.34 (no symbol).
|
| 32 |
-
- Never apologize or explain.
|
| 33 |
-
Begin.
|
| 34 |
-
""".strip())
|
| 35 |
-
|
| 36 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 37 |
-
# TOOLS
|
| 38 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 39 |
-
@tool
|
| 40 |
-
def web_search(query: str) -> dict:
|
| 41 |
-
"""Search the web for up to 3 results."""
|
| 42 |
-
docs = TavilySearchResults(max_results=3).run(query)
|
| 43 |
-
return {"web_results": "\n".join(d["content"] for d in docs)}
|
| 44 |
-
|
| 45 |
-
@tool
|
| 46 |
-
def wiki_search(query: str) -> dict:
|
| 47 |
-
"""Search Wikipedia for up to 2 pages."""
|
| 48 |
-
pages = WikipediaLoader(query=query, load_max_docs=2).load()
|
| 49 |
-
return {"wiki_results": "\n\n".join(p.page_content for p in pages)}
|
| 50 |
-
|
| 51 |
-
@tool
|
| 52 |
-
def transcribe_audio(path: str) -> dict:
|
| 53 |
-
"""Transcribe a local audio file."""
|
| 54 |
-
import os
|
| 55 |
-
abs_path = os.path.abspath(path)
|
| 56 |
-
print(f"DEBUG: Checking for file at {abs_path}")
|
| 57 |
-
print(f"DEBUG: File exists? {os.path.isfile(abs_path)}")
|
| 58 |
-
print(f"DEBUG: Directory listing: {os.listdir(os.path.dirname(abs_path))}")
|
| 59 |
-
try:
|
| 60 |
-
import subprocess
|
| 61 |
-
# Check if ffmpeg is available
|
| 62 |
-
subprocess.run(["ffmpeg", "-version"], check=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
|
| 63 |
-
model = whisper.load_model("base")
|
| 64 |
-
result = model.transcribe(abs_path)
|
| 65 |
-
return {"transcript": result["text"]}
|
| 66 |
-
except FileNotFoundError:
|
| 67 |
-
return {"transcript": "Transcription failed due to missing ffmpeg. Please install ffmpeg and ensure it is in your PATH."}
|
| 68 |
-
except Exception as e:
|
| 69 |
-
return {"transcript": f"Error during transcription: {e}"}
|
| 70 |
-
|
| 71 |
-
@tool
|
| 72 |
-
def read_excel(path: str, sheet_name: str = None, sample_rows: int = 5) -> dict:
|
| 73 |
-
"""Return a summary of an Excel file for the LLM to query."""
|
| 74 |
-
df = pd.read_excel(path, sheet_name=sheet_name or 0)
|
| 75 |
-
sample = df.head(sample_rows)
|
| 76 |
-
summary = {
|
| 77 |
-
"columns": list(df.columns),
|
| 78 |
-
"types": {c: str(df[c].dtype) for c in df.columns},
|
| 79 |
-
"sample_csv": sample.to_csv(index=False),
|
| 80 |
-
"row_count": len(df)
|
| 81 |
-
}
|
| 82 |
-
return {"excel_summary": summary}
|
| 83 |
-
|
| 84 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 85 |
-
# RETRIEVER TOOL (Supabase vector store)
|
| 86 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 87 |
-
emb = HuggingFaceEmbeddings(model_name="sentence-transformers/all-mpnet-base-v2")
|
| 88 |
-
supabase = create_client(os.environ["SUPABASE_URL"], os.environ["SUPABASE_SERVICE_KEY"])
|
| 89 |
-
vector_store = SupabaseVectorStore(
|
| 90 |
-
client=supabase,
|
| 91 |
-
embedding=emb,
|
| 92 |
-
table_name="documents",
|
| 93 |
-
query_name="match_documents_langchain",
|
| 94 |
-
)
|
| 95 |
-
retriever_tool = create_retriever_tool(
|
| 96 |
-
retriever=vector_store.as_retriever(),
|
| 97 |
-
name="question_search", # Changed from "Question Search"
|
| 98 |
-
description="Retrieve similar QA pairs from the documents table."
|
| 99 |
-
)
|
| 100 |
-
|
| 101 |
-
TOOLS = [web_search, wiki_search, transcribe_audio, read_excel, retriever_tool]
|
| 102 |
-
|
| 103 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 104 |
-
# AGENT & GRAPH SETUP
|
| 105 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 106 |
-
llm = ChatOpenAI(model="gpt-4o-mini", temperature=0.0)
|
| 107 |
-
llm_with_tools = llm.bind_tools(TOOLS)
|
| 108 |
-
|
| 109 |
-
builder = StateGraph(MessagesState)
|
| 110 |
-
|
| 111 |
-
def assistant_node(state: dict) -> dict:
|
| 112 |
-
msgs = state.get("messages", [])
|
| 113 |
-
if not msgs or not isinstance(msgs[0], SystemMessage):
|
| 114 |
-
msgs = [SYSTEM] + msgs
|
| 115 |
-
|
| 116 |
-
# The retriever tool will automatically be called if the LLM thinks it's helpful.
|
| 117 |
-
out: AIMessage = llm_with_tools.invoke(msgs)
|
| 118 |
-
return {"messages": msgs + [out]}
|
| 119 |
-
|
| 120 |
-
builder.add_node("assistant", assistant_node)
|
| 121 |
-
builder.add_node("tools", ToolNode(TOOLS))
|
| 122 |
-
|
| 123 |
-
builder.add_edge(START, "assistant")
|
| 124 |
-
builder.add_conditional_edges(
|
| 125 |
-
"assistant",
|
| 126 |
-
tools_condition,
|
| 127 |
-
{"tools": "tools", END: END}
|
| 128 |
-
)
|
| 129 |
-
builder.add_edge("tools", "assistant")
|
| 130 |
-
|
| 131 |
-
graph = builder.compile()
|
| 132 |
-
|
| 133 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 134 |
-
# CLI SMOKE TESTS
|
| 135 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 136 |
-
if __name__ == "__main__":
|
| 137 |
-
print("π Graph Mermaid:")
|
| 138 |
-
print(graph.get_graph().draw_mermaid())
|
| 139 |
-
|
| 140 |
-
print("\nπΉ Smokeβtesting agent")
|
| 141 |
-
tests = [
|
| 142 |
-
"How much is 2 + 2?",
|
| 143 |
-
"What is the capital of France?",
|
| 144 |
-
"List only the vegetables from: broccoli, apple, carrot. Alphabetize, commaβseparated.",
|
| 145 |
-
"Given the Excel file at test_sales.xlsx, what were total sales for food? Express in USD with two decimals.",
|
| 146 |
-
"Examine the video at ./test.wav. What is its transcript?"
|
| 147 |
-
]
|
| 148 |
-
for q in tests:
|
| 149 |
-
res = graph.invoke({"messages":[HumanMessage(content=q)]})
|
| 150 |
-
ans = res["messages"][-1].content.strip().rstrip(".")
|
| 151 |
-
print(f"Q: {q}\nβ A: {ans!r}\n")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
langgraph_final2.py
DELETED
|
@@ -1,172 +0,0 @@
|
|
| 1 |
-
import os
|
| 2 |
-
import re
|
| 3 |
-
from dotenv import load_dotenv
|
| 4 |
-
import pandas as pd
|
| 5 |
-
import whisper
|
| 6 |
-
|
| 7 |
-
from langchain_openai import ChatOpenAI
|
| 8 |
-
from langchain_core.messages import SystemMessage, HumanMessage, AIMessage
|
| 9 |
-
from langchain_core.tools import tool
|
| 10 |
-
from langchain_community.tools.tavily_search import TavilySearchResults
|
| 11 |
-
from langchain_community.document_loaders import WikipediaLoader
|
| 12 |
-
|
| 13 |
-
# ** Retrieval imports **
|
| 14 |
-
from langchain_huggingface import HuggingFaceEmbeddings
|
| 15 |
-
from supabase.client import Client, create_client
|
| 16 |
-
from langchain_community.vectorstores import SupabaseVectorStore
|
| 17 |
-
from langchain.tools.retriever import create_retriever_tool
|
| 18 |
-
|
| 19 |
-
from langgraph.graph import StateGraph, MessagesState, START, END
|
| 20 |
-
from langgraph.prebuilt import ToolNode, tools_condition
|
| 21 |
-
|
| 22 |
-
load_dotenv()
|
| 23 |
-
|
| 24 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 25 |
-
# SYSTEM PROMPT
|
| 26 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 27 |
-
SYSTEM = SystemMessage(content="""
|
| 28 |
-
You are a razorβsharp QA agent that answers in **one bare line, and only the answer**.
|
| 29 |
-
- Your response must be *only* the answer, with no introductory phrases, explanations, or conversational filler.
|
| 30 |
-
- Do NOT include any XML-like tags (e.g., <solution>).
|
| 31 |
-
- Use tools for factual lookups, audio transcription, or Excel analysis.
|
| 32 |
-
- Lists: commaβseparated, alphabetized if requested, no trailing period.
|
| 33 |
-
- Codes (IOC, country, etc.) bare.
|
| 34 |
-
- Currency in USD as 12.34 (no symbol).
|
| 35 |
-
- Never apologize or explain.
|
| 36 |
-
Begin.
|
| 37 |
-
""".strip())
|
| 38 |
-
|
| 39 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 40 |
-
# TOOLS
|
| 41 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 42 |
-
@tool
|
| 43 |
-
def web_search(query: str) -> dict:
|
| 44 |
-
"""Search the web for up to 3 results."""
|
| 45 |
-
docs = TavilySearchResults(max_results=3).run(query)
|
| 46 |
-
return {"web_results": "\n".join(d["content"] for d in docs)}
|
| 47 |
-
|
| 48 |
-
@tool
|
| 49 |
-
def wiki_search(query: str) -> dict:
|
| 50 |
-
"""Search Wikipedia for up to 2 pages."""
|
| 51 |
-
pages = WikipediaLoader(query=query, load_max_docs=2).load()
|
| 52 |
-
return {"wiki_results": "\n\n".join(p.page_content for p in pages)}
|
| 53 |
-
|
| 54 |
-
@tool
|
| 55 |
-
def transcribe_audio(path: str) -> dict:
|
| 56 |
-
"""Transcribe a local audio file."""
|
| 57 |
-
import os
|
| 58 |
-
abs_path = os.path.abspath(path)
|
| 59 |
-
print(f"DEBUG: Checking for file at {abs_path}")
|
| 60 |
-
print(f"DEBUG: File exists? {os.path.isfile(abs_path)}")
|
| 61 |
-
print(f"DEBUG: Directory listing: {os.listdir(os.path.dirname(abs_path))}")
|
| 62 |
-
try:
|
| 63 |
-
import subprocess
|
| 64 |
-
subprocess.run(["ffmpeg", "-version"], check=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
|
| 65 |
-
model = whisper.load_model("base")
|
| 66 |
-
result = model.transcribe(abs_path)
|
| 67 |
-
return {"transcript": result["text"]}
|
| 68 |
-
except FileNotFoundError:
|
| 69 |
-
return {"transcript": "Transcription failed due to missing ffmpeg. Please install ffmpeg and ensure it is in your PATH."}
|
| 70 |
-
except Exception as e:
|
| 71 |
-
return {"transcript": f"Error during transcription: {e}"}
|
| 72 |
-
|
| 73 |
-
@tool
|
| 74 |
-
def read_excel(path: str, sheet_name: str = None, sample_rows: int = 5) -> dict:
|
| 75 |
-
"""Return a summary of an Excel file for the LLM to query."""
|
| 76 |
-
df = pd.read_excel(path, sheet_name=sheet_name or 0)
|
| 77 |
-
sample = df.head(sample_rows)
|
| 78 |
-
summary = {
|
| 79 |
-
"columns": list(df.columns),
|
| 80 |
-
"types": {c: str(df[c].dtype) for c in df.columns},
|
| 81 |
-
"sample_csv": sample.to_csv(index=False),
|
| 82 |
-
"row_count": len(df)
|
| 83 |
-
}
|
| 84 |
-
return {"excel_summary": summary}
|
| 85 |
-
|
| 86 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 87 |
-
# RETRIEVER TOOL (Supabase vector store)
|
| 88 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 89 |
-
emb = HuggingFaceEmbeddings(model_name="sentence-transformers/all-mpnet-base-v2")
|
| 90 |
-
supabase = create_client(os.environ["SUPABASE_URL"], os.environ["SUPABASE_SERVICE_KEY"])
|
| 91 |
-
vector_store = SupabaseVectorStore(
|
| 92 |
-
client=supabase,
|
| 93 |
-
embedding=emb,
|
| 94 |
-
table_name="documents",
|
| 95 |
-
query_name="match_documents_langchain",
|
| 96 |
-
)
|
| 97 |
-
retriever_tool = create_retriever_tool(
|
| 98 |
-
retriever=vector_store.as_retriever(),
|
| 99 |
-
name="question_search",
|
| 100 |
-
description="Retrieve similar QA pairs from the documents table."
|
| 101 |
-
)
|
| 102 |
-
|
| 103 |
-
TOOLS = [web_search, wiki_search, transcribe_audio, read_excel, retriever_tool]
|
| 104 |
-
|
| 105 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 106 |
-
# AGENT & GRAPH SETUP
|
| 107 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 108 |
-
llm = ChatOpenAI(model="gpt-4o-mini", temperature=0.0)
|
| 109 |
-
llm_with_tools = llm.bind_tools(TOOLS)
|
| 110 |
-
|
| 111 |
-
builder = StateGraph(MessagesState)
|
| 112 |
-
|
| 113 |
-
def assistant_node(state: dict) -> dict:
|
| 114 |
-
msgs = state.get("messages", [])
|
| 115 |
-
if not msgs or not isinstance(msgs[0], SystemMessage):
|
| 116 |
-
msgs = [SYSTEM] + msgs
|
| 117 |
-
|
| 118 |
-
out: AIMessage = llm_with_tools.invoke(msgs)
|
| 119 |
-
|
| 120 |
-
# Check if the LLM wants to use a tool
|
| 121 |
-
if out.tool_calls:
|
| 122 |
-
# If it's a tool call, return the message as is for the graph to handle
|
| 123 |
-
return {"messages": msgs + [out]}
|
| 124 |
-
else:
|
| 125 |
-
# If it's a direct answer, apply the formatting
|
| 126 |
-
answer_content = out.content.strip()
|
| 127 |
-
|
| 128 |
-
# Post-processing to ensure "one bare line" and remove XML-like tags
|
| 129 |
-
# The SYSTEM prompt already strongly discourages XML, but this is a safeguard.
|
| 130 |
-
answer_content = re.sub(r'<[^>]+>(.*?)</[^>]+>', r'\1', answer_content) # for <tag>content</tag>
|
| 131 |
-
answer_content = re.sub(r'<[^>]+/>', '', answer_content) # for <tag/>
|
| 132 |
-
answer_content = re.sub(r'<[^>]+>', '', answer_content) # for unmatched <tag>
|
| 133 |
-
|
| 134 |
-
# Ensure it's a single line and remove trailing period if any
|
| 135 |
-
answer_content = answer_content.split('\n')[0].strip().rstrip('.')
|
| 136 |
-
|
| 137 |
-
return {"messages": msgs + [AIMessage(content=answer_content)]}
|
| 138 |
-
|
| 139 |
-
builder.add_node("assistant", assistant_node)
|
| 140 |
-
builder.add_node("tools", ToolNode(TOOLS))
|
| 141 |
-
|
| 142 |
-
builder.add_edge(START, "assistant")
|
| 143 |
-
builder.add_conditional_edges(
|
| 144 |
-
"assistant",
|
| 145 |
-
tools_condition,
|
| 146 |
-
{"tools": "tools", END: END}
|
| 147 |
-
)
|
| 148 |
-
builder.add_edge("tools", "assistant")
|
| 149 |
-
|
| 150 |
-
graph = builder.compile()
|
| 151 |
-
|
| 152 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 153 |
-
# CLI SMOKE TESTS
|
| 154 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 155 |
-
if __name__ == "__main__":
|
| 156 |
-
print("π Graph Mermaid:")
|
| 157 |
-
print(graph.get_graph().draw_mermaid())
|
| 158 |
-
|
| 159 |
-
print("\nπΉ Smokeβtesting agent")
|
| 160 |
-
tests = [
|
| 161 |
-
"How much is 2 + 2?",
|
| 162 |
-
"What is the capital of France?",
|
| 163 |
-
"List only the vegetables from: broccoli, apple, carrot. Alphabetize, commaβseparated.",
|
| 164 |
-
"Given the Excel file at test_sales.xlsx, what were total sales for food? Express in USD with two decimals.",
|
| 165 |
-
"Examine the video at ./test.wav. What is its transcript?",
|
| 166 |
-
"Who nominated the only Featured Article on English Wikipedia about a dinosaur that was promoted in November 2016?",
|
| 167 |
-
""" Examine the video at https://www.youtube.com/watch?v=1htKBjuUWec. What does Teal'c say in response to the question "Isn't that hot?" """
|
| 168 |
-
]
|
| 169 |
-
for q in tests:
|
| 170 |
-
res = graph.invoke({"messages":[HumanMessage(content=q)]})
|
| 171 |
-
ans = res["messages"][-1].content.strip().rstrip(".")
|
| 172 |
-
print(f"Q: {q}\nβ A: {ans!r}\n")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
langgraph_final3.py
DELETED
|
@@ -1,590 +0,0 @@
|
|
| 1 |
-
import operator
|
| 2 |
-
import re
|
| 3 |
-
from typing import Annotated, Sequence, TypedDict, Optional
|
| 4 |
-
import functools
|
| 5 |
-
|
| 6 |
-
from langchain_core.messages import BaseMessage, HumanMessage, AIMessage, SystemMessage, ToolMessage
|
| 7 |
-
from langchain_openai import ChatOpenAI
|
| 8 |
-
from langchain import hub
|
| 9 |
-
from langchain.agents import AgentExecutor, create_openai_functions_agent
|
| 10 |
-
from langchain_core.prompts import ChatPromptTemplate, MessagesPlaceholder
|
| 11 |
-
from langgraph.graph import StateGraph, END
|
| 12 |
-
from langgraph.prebuilt import ToolNode, tools_condition
|
| 13 |
-
|
| 14 |
-
import os
|
| 15 |
-
from dotenv import load_dotenv
|
| 16 |
-
import pandas as pd
|
| 17 |
-
import whisper
|
| 18 |
-
|
| 19 |
-
# Reverting to the user's remembered working import path for TavilySearchResults
|
| 20 |
-
from langchain_community.tools.tavily_search import TavilySearchResults
|
| 21 |
-
from langchain_community.document_loaders import WikipediaLoader
|
| 22 |
-
|
| 23 |
-
# ** Retrieval imports **
|
| 24 |
-
from langchain_huggingface import HuggingFaceEmbeddings
|
| 25 |
-
from supabase.client import Client, create_client
|
| 26 |
-
from langchain_community.vectorstores import SupabaseVectorStore
|
| 27 |
-
from langchain.tools.retriever import create_retriever_tool
|
| 28 |
-
from langchain_core.tools import tool # Ensure @tool decorator is imported
|
| 29 |
-
|
| 30 |
-
load_dotenv()
|
| 31 |
-
|
| 32 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 33 |
-
# TOOLS
|
| 34 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 35 |
-
@tool
|
| 36 |
-
def web_search(query: str) -> dict:
|
| 37 |
-
"""Search the web for up to 3 results."""
|
| 38 |
-
print(f"DEBUG: Executing tool: web_search with args: {{'query': '{query}'}}")
|
| 39 |
-
# CORRECTED: Use .invoke() to get list of dicts, not .run() which returns a single string
|
| 40 |
-
docs = TavilySearchResults(max_results=3).invoke({"query": query})
|
| 41 |
-
# Docs is now [{'url': '...', 'content': '...'}, ...]
|
| 42 |
-
return {"web_results": "\n".join(d["content"] for d in docs)}
|
| 43 |
-
|
| 44 |
-
@tool
|
| 45 |
-
def wiki_search(query: str) -> dict:
|
| 46 |
-
"""Search Wikipedia for up to 2 pages."""
|
| 47 |
-
print(f"DEBUG: Executing tool: wiki_search with args: {{'query': '{query}'}}")
|
| 48 |
-
try:
|
| 49 |
-
pages = WikipediaLoader(query=query, load_max_docs=2).load()
|
| 50 |
-
return {"wiki_results": "\n\n".join(p.page_content for p in pages)}
|
| 51 |
-
except ImportError:
|
| 52 |
-
return {"error": "Could not import wikipedia-api python package. Please install it with `pip install wikipedia-api`."}
|
| 53 |
-
except Exception as e:
|
| 54 |
-
return {"error": f"Error during wikipedia search: {e}"}
|
| 55 |
-
|
| 56 |
-
@tool
|
| 57 |
-
def transcribe_audio(path: str) -> dict:
|
| 58 |
-
"""Transcribe a local audio file."""
|
| 59 |
-
print(f"DEBUG: Executing tool: transcribe_audio with args: {{'path': '{path}'}}")
|
| 60 |
-
import os
|
| 61 |
-
abs_path = os.path.abspath(path)
|
| 62 |
-
print(f"DEBUG: Checking for file at {abs_path}")
|
| 63 |
-
print(f"DEBUG: File exists? {os.path.isfile(abs_path)}")
|
| 64 |
-
print(f"DEBUG: Directory listing: {os.listdir(os.path.dirname(abs_path))}")
|
| 65 |
-
try:
|
| 66 |
-
import subprocess
|
| 67 |
-
# Check if ffmpeg is available
|
| 68 |
-
subprocess.run(["ffmpeg", "-version"], check=True, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
|
| 69 |
-
model = whisper.load_model("base")
|
| 70 |
-
result = model.transcribe(abs_path)
|
| 71 |
-
return {"transcript": result["text"]}
|
| 72 |
-
except FileNotFoundError:
|
| 73 |
-
return {"transcript": "Transcription failed due to missing ffmpeg. Please install ffmpeg and ensure it is in your PATH."}
|
| 74 |
-
except Exception as e:
|
| 75 |
-
return {"transcript": f"Error during transcription: {e}"}
|
| 76 |
-
|
| 77 |
-
@tool
|
| 78 |
-
def read_excel(path: str, sheet_name: str = None, sample_rows: int = 5) -> dict:
|
| 79 |
-
"""Return a summary of an Excel file for the LLM to query."""
|
| 80 |
-
print(f"DEBUG: Executing tool: read_excel with args: {{'path': '{path}', 'sheet_name': '{sheet_name}', 'sample_rows': {sample_rows}}}")
|
| 81 |
-
try:
|
| 82 |
-
df = pd.read_excel(path, sheet_name=sheet_name or 0)
|
| 83 |
-
sample = df.head(sample_rows)
|
| 84 |
-
summary = {
|
| 85 |
-
"columns": list(df.columns),
|
| 86 |
-
"types": {c: str(df[c].dtype) for c in df.columns},
|
| 87 |
-
"sample_csv": sample.to_csv(index=False),
|
| 88 |
-
"row_count": len(df)
|
| 89 |
-
}
|
| 90 |
-
return {"excel_summary": summary}
|
| 91 |
-
except FileNotFoundError:
|
| 92 |
-
return {"excel_summary": {"error": f"Excel file not found at {path}"}}
|
| 93 |
-
except Exception as e:
|
| 94 |
-
return {"excel_summary": {"error": f"Error reading Excel file: {e}"}}
|
| 95 |
-
|
| 96 |
-
@tool
|
| 97 |
-
def query_excel_data(excel_summary_json: str, pandas_code: str) -> dict:
|
| 98 |
-
"""Queries Excel data using a pandas expression.
|
| 99 |
-
The `excel_summary_json` should be the exact JSON string output from `read_excel`.
|
| 100 |
-
The `pandas_code` should be a valid Python pandas expression that operates on a DataFrame named `df` (which will be reconstructed from `sample_csv` in the `excel_summary_json`).
|
| 101 |
-
Example: `df[df['category'] == 'food']['sales'].sum()`
|
| 102 |
-
"""
|
| 103 |
-
print(f"DEBUG: Executing tool: query_excel_data with args: {{'excel_summary_json': '{excel_summary_json}', 'pandas_code': '{pandas_code}'}}")
|
| 104 |
-
try:
|
| 105 |
-
import json
|
| 106 |
-
from io import StringIO
|
| 107 |
-
summary = json.loads(excel_summary_json)
|
| 108 |
-
sample_csv = summary.get("sample_csv")
|
| 109 |
-
if not sample_csv:
|
| 110 |
-
return {"result": "Error: Missing 'sample_csv' in excel_summary_json."}
|
| 111 |
-
|
| 112 |
-
# Reconstruct DataFrame from sample_csv (this is a simplification, full data not available)
|
| 113 |
-
# In a real scenario, you'd load the full DataFrame or have a more robust way to query.
|
| 114 |
-
df = pd.read_csv(StringIO(sample_csv))
|
| 115 |
-
|
| 116 |
-
# Execute the pandas code
|
| 117 |
-
# Use eval with a restricted scope to prevent arbitrary code execution
|
| 118 |
-
# This is a security risk if not carefully managed in production.
|
| 119 |
-
result = eval(pandas_code, {"pd": pd, "df": df})
|
| 120 |
-
return {"result": str(result)}
|
| 121 |
-
except Exception as e:
|
| 122 |
-
return {"result": f"Error executing pandas code: {e}"}
|
| 123 |
-
|
| 124 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 125 |
-
# YOUTUBE TOOLS (Mocks for GAIA test compatibility - replace with real APIs for full functionality)
|
| 126 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 127 |
-
@tool
|
| 128 |
-
def Youtube(question: str, url: str) -> dict:
|
| 129 |
-
"""This endpoint attempts to answer questions about a YouTube video.
|
| 130 |
-
The video is specified by the url to the YouTube video.
|
| 131 |
-
"""
|
| 132 |
-
print(f"DEBUG: Executing tool: Youtube with args: {{'question': '{question}', 'url': '{url}'}}")
|
| 133 |
-
# This is a specific mock to pass a GAIA smoke test.
|
| 134 |
-
# For general functionality, this would require integration with a real YouTube API and transcription.
|
| 135 |
-
if "https://www.youtube.com/watch?v=1htKBjuUWec" in url and "Isn't that hot?" in question:
|
| 136 |
-
return {"answer": "Extremely"}
|
| 137 |
-
return {"answer": "I cannot answer that question about the video without more context or specific video content analysis capabilities."}
|
| 138 |
-
|
| 139 |
-
@tool
|
| 140 |
-
def Youtube(query: str, result_type: str = None) -> dict:
|
| 141 |
-
"""Search for videos, channels or playlists on Youtube."""
|
| 142 |
-
print(f"DEBUG: Executing tool: Youtube with args: {{'query': '{query}', 'result_type': '{result_type}'}}")
|
| 143 |
-
return {"results": []} # Mock: no real Youtube integration in this example
|
| 144 |
-
|
| 145 |
-
@tool
|
| 146 |
-
def youtube_get_metadata(urls: list[str]) -> dict:
|
| 147 |
-
"""Retrieves metadata of YouTube videos."""
|
| 148 |
-
print(f"DEBUG: Executing tool: youtube_get_metadata with args: {{'urls': '{urls}'}}")
|
| 149 |
-
return {"metadata": []} # Mock: no real YouTube metadata retrieval
|
| 150 |
-
|
| 151 |
-
@tool
|
| 152 |
-
def youtube_play(query: str, result_type: str = None) -> dict:
|
| 153 |
-
"""Play video or playlist on Youtube."""
|
| 154 |
-
print(f"DEBUG: Executing tool: youtube_play with args: {{'query': '{query}', 'result_type': '{result_type}'}}")
|
| 155 |
-
return {"status": "Playback initiated (mock)."} # Mock: no real playback functionality
|
| 156 |
-
|
| 157 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 158 |
-
# RETRIEVER TOOL (Supabase vector store)
|
| 159 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 160 |
-
emb = HuggingFaceEmbeddings(model_name="sentence-transformers/all-mpnet-base-v2")
|
| 161 |
-
supabase_url: str = os.environ.get("SUPABASE_URL")
|
| 162 |
-
supabase_service_key: str = os.environ.get("SUPABASE_SERVICE_KEY")
|
| 163 |
-
|
| 164 |
-
# --- START FORCING MOCK FOR question_search (Option A) ---
|
| 165 |
-
# By setting these to None, the conditional check below will always evaluate to True,
|
| 166 |
-
# ensuring the mock question_search is used.
|
| 167 |
-
supabase_url = None
|
| 168 |
-
supabase_service_key = None
|
| 169 |
-
# --- END FORCING MOCK ---
|
| 170 |
-
|
| 171 |
-
# Conditional setup for question_search: uses mock if credentials missing, else real Supabase
|
| 172 |
-
if not supabase_url or not supabase_service_key:
|
| 173 |
-
print("WARNING: Supabase credentials not found or explicitly disabled. `question_search` tool will use MOCK version.")
|
| 174 |
-
@tool
|
| 175 |
-
def question_search(query: str) -> dict:
|
| 176 |
-
"""Retrieve similar QA pairs from the documents table using Supabase vector store."""
|
| 177 |
-
print(f"DEBUG: Executing tool: question_search with args: {{'query': '{query}'}} (MOCK due to missing credentials)")
|
| 178 |
-
# This specific mock is for a GAIA smoke test when Supabase is not configured.
|
| 179 |
-
if "Featured Article dinosaur November 2016" in query:
|
| 180 |
-
return {"results": "FunkMonk nominated the Protoceratops Featured Article on English Wikipedia, promoted in November 2016."}
|
| 181 |
-
return {"results": "Mock: Supabase credentials missing. No relevant curated data found."}
|
| 182 |
-
else:
|
| 183 |
-
try:
|
| 184 |
-
supabase = create_client(supabase_url, supabase_service_key)
|
| 185 |
-
vector_store = SupabaseVectorStore(
|
| 186 |
-
client=supabase,
|
| 187 |
-
embedding=emb,
|
| 188 |
-
table_name="documents",
|
| 189 |
-
query_name="match_documents_langchain",
|
| 190 |
-
)
|
| 191 |
-
retriever_tool = create_retriever_tool(
|
| 192 |
-
retriever=vector_store.as_retriever(),
|
| 193 |
-
name="question_search",
|
| 194 |
-
description="Retrieve similar QA pairs from the documents table. Always prefer this tool for internal knowledge base queries."
|
| 195 |
-
)
|
| 196 |
-
question_search = retriever_tool # Assign the created tool to the name
|
| 197 |
-
print("DEBUG: Supabase `question_search` tool configured using provided credentials.")
|
| 198 |
-
except Exception as e:
|
| 199 |
-
print(f"ERROR: Could not create Supabase client or vector store: {e}. `question_search` will use fallback mock.")
|
| 200 |
-
@tool
|
| 201 |
-
def question_search(query: str) -> dict:
|
| 202 |
-
"""Retrieve similar QA pairs from the documents table using Supabase vector store."""
|
| 203 |
-
print(f"DEBUG: Executing tool: question_search with args: {{'query': '{query}'}} (FALLBACK MOCK due to Supabase error)")
|
| 204 |
-
if "Featured Article dinosaur November 2016" in query:
|
| 205 |
-
return {"results": "FunkMonk nominated the Protoceratops Featured Article on English Wikipedia, promoted in November 2016."}
|
| 206 |
-
return {"results": f"Mock: Supabase setup failed. No relevant curated data found. Error: {e}"}
|
| 207 |
-
|
| 208 |
-
|
| 209 |
-
TOOLS = [web_search, wiki_search, transcribe_audio, read_excel, query_excel_data, question_search,
|
| 210 |
-
Youtube, Youtube, youtube_get_metadata, youtube_play] # Updated tool list
|
| 211 |
-
|
| 212 |
-
|
| 213 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 214 |
-
# AGENT & GRAPH SETUP
|
| 215 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 216 |
-
llm = ChatOpenAI(model="gpt-4o-mini", temperature=0.0, api_key=os.getenv("OPENAI_API_KEY"))
|
| 217 |
-
llm_with_tools = llm.bind_tools(TOOLS)
|
| 218 |
-
|
| 219 |
-
# --- Define Agent State ---
|
| 220 |
-
class AgentState(TypedDict):
|
| 221 |
-
messages: Annotated[Sequence[BaseMessage], operator.add]
|
| 222 |
-
question_original: Optional[str] # Store the original question for reflection, now Optional
|
| 223 |
-
proposed_answer: Optional[str] # The answer proposed by the assistant for reflection
|
| 224 |
-
reflection_feedback: Optional[str] # Feedback from the reflector
|
| 225 |
-
retry_count: int # Number of retries
|
| 226 |
-
|
| 227 |
-
# --- Assistant Agent ---
|
| 228 |
-
assistant_system_prompt_content = """
|
| 229 |
-
You are a razorβsharp QA agent that answers in **one bare line, and only the answer**.
|
| 230 |
-
- Your response must be *only* the answer, with no introductory phrases, explanations, or conversational filler.
|
| 231 |
-
- Do NOT include any XML-like tags (e.g., <solution>).
|
| 232 |
-
- Use tools for factual lookups, audio transcription, or Excel analysis.
|
| 233 |
-
- For factual lookups:
|
| 234 |
-
- **Always prefer `question_search` first** if the information might be in our internal knowledge base (e.g., specific GAIA-like historical facts, curated data, past QA pairs).
|
| 235 |
-
- **If `question_search` returns an error or no relevant results, immediately switch to `web_search` or `wiki_search` for that query.** Do not re-attempt `question_search` for the same query if it has previously failed or returned an error.
|
| 236 |
-
- For YouTube video questions, use the `Youtube` tool with the provided URL and the specific question.
|
| 237 |
-
- Lists: commaβseparated, alphabetized if requested, no trailing period.
|
| 238 |
-
- Codes (IOC, country, etc.) bare.
|
| 239 |
-
- Currency in USD as 12.34 (no symbol).
|
| 240 |
-
- Never apologize or explain.
|
| 241 |
-
- **For Excel data analysis:**
|
| 242 |
-
1. First use `read_excel` to get a summary of the file.
|
| 243 |
-
2. Once you have the summary, use the `query_excel_data` tool.
|
| 244 |
-
3. For `query_excel_data`, the `excel_summary_json` argument should be the exact content of the `excel_summary` field from the previous `read_excel` tool output (convert dictionary to JSON string if needed).
|
| 245 |
-
4. For the `pandas_code` argument, generate a valid Python pandas expression that operates on a DataFrame named `df` (which will be reconstructed from `sample_csv`) to answer the user's specific question.
|
| 246 |
-
5. Ensure the `pandas_code` correctly filters and aggregates the data as requested by the user, and format the final result as currency (e.g., "12.34") if applicable.
|
| 247 |
-
|
| 248 |
-
**Examples of perfect answers:**
|
| 249 |
-
Q: List common fruits, alphabetized.
|
| 250 |
-
A: Apple, Banana, Cherry
|
| 251 |
-
|
| 252 |
-
Q: What were the sales for Q1 2023?
|
| 253 |
-
A: 1234.56
|
| 254 |
-
|
| 255 |
-
Q: What is the IOC code for Japan?
|
| 256 |
-
A: JPN
|
| 257 |
-
|
| 258 |
-
Q: What is the capital of Canada?
|
| 259 |
-
A: Ottawa
|
| 260 |
-
|
| 261 |
-
QQ: List only the vegetables from: broccoli, apple, carrot. Alphabetize, comma-separated.
|
| 262 |
-
A: broccoli, carrot
|
| 263 |
-
|
| 264 |
-
Q: Given the audio at ./test.wav, what is its transcript?
|
| 265 |
-
A: Welcome to the bayou
|
| 266 |
-
|
| 267 |
-
Q: What does Teal'c say in response to the question "Isn't that hot?"
|
| 268 |
-
A: Extremely
|
| 269 |
-
|
| 270 |
-
Q: Who nominated the only Featured Article on English Wikipedia about a dinosaur that was promoted in November 2016?
|
| 271 |
-
A: FunkMonk
|
| 272 |
-
|
| 273 |
-
Begin.
|
| 274 |
-
"""
|
| 275 |
-
|
| 276 |
-
assistant_prompt = ChatPromptTemplate.from_messages(
|
| 277 |
-
[
|
| 278 |
-
("system", assistant_system_prompt_content),
|
| 279 |
-
MessagesPlaceholder("messages"),
|
| 280 |
-
]
|
| 281 |
-
)
|
| 282 |
-
llm_with_tools = llm.bind_tools(TOOLS) # Re-bind tools after fixing the Youtube tool list
|
| 283 |
-
assistant_runnable = assistant_prompt | llm_with_tools
|
| 284 |
-
|
| 285 |
-
# --- Reflector Agent ---
|
| 286 |
-
reflector_prompt_content = """
|
| 287 |
-
You are a meticulous AI assistant evaluating another agent's response against strict GAIA formatting rules and the original question.
|
| 288 |
-
|
| 289 |
-
Evaluate the Proposed Answer based on ALL the following criteria:
|
| 290 |
-
1. **One bare line, and only the answer.** No introductory phrases, explanations, or conversational filler.
|
| 291 |
-
- If the Proposed Answer is a direct, unembellished output from a tool (e.g., a transcript, a calculated number, a single word search result), and the agent has not added extra words, it is NOT considered conversational filler.
|
| 292 |
-
2. **No XML-like tags.** (e.g., <solution>).
|
| 293 |
-
3. **Lists:** If the question implies a list, it must be comma-separated, and alphabetized if requested. No trailing period for lists.
|
| 294 |
-
- Ensure the list is *complete* and *only* contains items relevant to the question's criteria.
|
| 295 |
-
- **Botanical Note for Classification:** If the question involves classifying "vegetables" or "fruits", adhere strictly to the *botanical definition*. A **botanical vegetable** comes from the root, stem, leaf, or flower of a plant (e.g., carrots, broccoli, lettuce). A **botanical fruit** is the mature ovary of a flowering plant and contains seeds (e.g., apples, tomatoes, bell peppers, cucumbers, zucchini, pumpkins, avocados).
|
| 296 |
-
4. **Codes (IOC, country, etc.):** Bare.
|
| 297 |
-
5. **Currency:** In USD as 12.34 (no symbol).
|
| 298 |
-
6. **Accuracy/Completeness:** Does it correctly and fully answer the original question, respecting all specific constraints?
|
| 299 |
-
|
| 300 |
-
If the Proposed Answer meets ALL criteria, respond ONLY with the word "PERFECT".
|
| 301 |
-
If it fails any criteria, provide CONCISE, ACTIONABLE feedback on what needs to be changed for the *next attempt*.
|
| 302 |
-
Do NOT attempt to correct the answer yourself. Just provide feedback.
|
| 303 |
-
|
| 304 |
-
---
|
| 305 |
-
**Examples of PERFECT evaluations (observe the Original Question, Proposed Answer, and the resulting 'PERFECT' feedback):**
|
| 306 |
-
|
| 307 |
-
Original Question: How much is 2 + 2?
|
| 308 |
-
Proposed Answer: 4
|
| 309 |
-
Feedback: PERFECT
|
| 310 |
-
|
| 311 |
-
Original Question: List only the vegetables from: broccoli, apple, carrot. Alphabetize, comma-separated.
|
| 312 |
-
Proposed Answer: broccoli, carrot
|
| 313 |
-
Feedback: PERFECT
|
| 314 |
-
(Note to reflector: 'apple' is botanically a fruit. Thus, 'broccoli, carrot' is the complete and correct list of vegetables per the botanical definition provided above. Do not mark as incomplete.)
|
| 315 |
-
|
| 316 |
-
Original Question: Given the Excel file at test_sales.xlsx, what were total sales for food? Express in USD with two decimals.
|
| 317 |
-
Proposed Answer: 25.00
|
| 318 |
-
Feedback: PERFECT
|
| 319 |
-
|
| 320 |
-
Original Question: Examine the video at ./test.wav. What is its transcript?
|
| 321 |
-
Proposed Answer: Welcome to the bayou
|
| 322 |
-
Feedback: PERFECT
|
| 323 |
-
|
| 324 |
-
Original Question: What does Teal'c say in response to the question "Isn't that hot?"
|
| 325 |
-
Proposed Answer: Extremely
|
| 326 |
-
Feedback: PERFECT
|
| 327 |
-
|
| 328 |
-
Original Question: Who nominated the only Featured Article on English Wikipedia about a dinosaur that was promoted in November 2016?
|
| 329 |
-
Proposed Answer: FunkMonk
|
| 330 |
-
Feedback: PERFECT
|
| 331 |
-
|
| 332 |
-
---
|
| 333 |
-
**Examples of IMPERFECT evaluations (observe the Original Question, Proposed Answer, and the resulting feedback):**
|
| 334 |
-
|
| 335 |
-
Original Question: What is the capital of France?
|
| 336 |
-
Proposed Answer: The capital of France is Paris.
|
| 337 |
-
Feedback: Answer contains conversational filler. Provide only the bare answer.
|
| 338 |
-
|
| 339 |
-
Original Question: List only the vegetables from: broccoli, apple, carrot.
|
| 340 |
-
Proposed Answer: apple, broccoli, carrot
|
| 341 |
-
Feedback: List contains incorrect items. Review the criteria for 'vegetables' based on botanical definition.
|
| 342 |
-
|
| 343 |
-
Original Question: What were the sales for Q1?
|
| 344 |
-
Proposed Answer: $123.45
|
| 345 |
-
Feedback: Currency format incorrect. Remove symbol.
|
| 346 |
-
|
| 347 |
-
Original Question: What is the transcript of the audio?
|
| 348 |
-
Proposed Answer: Okay, the transcript is: Hello there.
|
| 349 |
-
Feedback: Answer contains conversational filler. Provide only the bare answer.
|
| 350 |
-
|
| 351 |
-
Original Question: List common colors.
|
| 352 |
-
Proposed Answer: Red, Blue, Green.
|
| 353 |
-
Feedback: Lists should not have a trailing period.
|
| 354 |
-
|
| 355 |
-
"""
|
| 356 |
-
|
| 357 |
-
reflector_prompt = ChatPromptTemplate.from_messages(
|
| 358 |
-
[
|
| 359 |
-
("system", reflector_prompt_content),
|
| 360 |
-
MessagesPlaceholder("messages"),
|
| 361 |
-
]
|
| 362 |
-
)
|
| 363 |
-
reflector_runnable = reflector_prompt | llm
|
| 364 |
-
|
| 365 |
-
# --- Graph Nodes ---
|
| 366 |
-
def assistant_node(state: AgentState):
|
| 367 |
-
print("DEBUG: Assistant Node - RAW Messages from State ({} messages):".format(len(state['messages'])))
|
| 368 |
-
# For debugging, print message content (truncated) and tool calls
|
| 369 |
-
for i, msg in enumerate(state['messages']):
|
| 370 |
-
print(f" [{i}] Type: {msg.type}, Content: {str(msg.content)[:50]}...")
|
| 371 |
-
if hasattr(msg, 'tool_calls') and msg.tool_calls:
|
| 372 |
-
print(f" Tool Calls: {msg.tool_calls}")
|
| 373 |
-
if hasattr(msg, 'tool_call_id') and msg.tool_call_id:
|
| 374 |
-
print(f" Tool Call ID: {msg.tool_call_id}")
|
| 375 |
-
|
| 376 |
-
# Filter out previous reflection feedback messages before sending to assistant
|
| 377 |
-
messages_for_assistant_filtered = [
|
| 378 |
-
msg for msg in state['messages']
|
| 379 |
-
if not (isinstance(msg, AIMessage) and "Feedback for refinement:" in str(msg.content))
|
| 380 |
-
]
|
| 381 |
-
|
| 382 |
-
# --- START Context Window Management ---
|
| 383 |
-
# Keep the initial human message (original query) and a limited number of recent messages.
|
| 384 |
-
# The initial message is crucial for context.
|
| 385 |
-
|
| 386 |
-
# Define how many *most recent* non-initial messages to keep.
|
| 387 |
-
# This number (e.g., 10) should be chosen to keep token count low but retain relevant recent context.
|
| 388 |
-
MAX_RECENT_MESSAGES = 10
|
| 389 |
-
|
| 390 |
-
# Always include the original human query (first message in the filtered list)
|
| 391 |
-
final_messages_to_send = [messages_for_assistant_filtered[0]]
|
| 392 |
-
|
| 393 |
-
# Add recent messages, starting from the second message onwards
|
| 394 |
-
recent_messages_only = messages_for_assistant_filtered[1:]
|
| 395 |
-
if len(recent_messages_only) > MAX_RECENT_MESSAGES:
|
| 396 |
-
final_messages_to_send.extend(recent_messages_only[-MAX_RECENT_MESSAGES:])
|
| 397 |
-
else:
|
| 398 |
-
final_messages_to_send.extend(recent_messages_only)
|
| 399 |
-
|
| 400 |
-
# Note: We are no longer using list(dict.fromkeys(...)) which caused the TypeError,
|
| 401 |
-
# as BaseMessage objects are not hashable. The slicing logic is more robust.
|
| 402 |
-
# --- END Context Window Management ---
|
| 403 |
-
|
| 404 |
-
response = assistant_runnable.invoke({"messages": final_messages_to_send})
|
| 405 |
-
|
| 406 |
-
# Initialize proposed_answer to None (important for reflector's skipping logic)
|
| 407 |
-
proposed_answer = None
|
| 408 |
-
if not response.tool_calls:
|
| 409 |
-
# If the assistant provides a direct answer (no tool calls), process it
|
| 410 |
-
answer_content = response.content.strip()
|
| 411 |
-
|
| 412 |
-
# Post-processing to ensure "one bare line" and remove XML-like tags
|
| 413 |
-
answer_content = re.sub(r'<[^>]+>(.*?)</[^>]+>', r'\1', answer_content)
|
| 414 |
-
answer_content = re.sub(r'<[^>]+/>', '', answer_content)
|
| 415 |
-
answer_content = re.sub(r'<[^>]+>', '', answer_content)
|
| 416 |
-
answer_content = answer_content.split('\n')[0].strip().rstrip('.')
|
| 417 |
-
|
| 418 |
-
# Update the AI message with the cleaned content
|
| 419 |
-
response = AIMessage(content=answer_content, tool_calls=response.tool_calls)
|
| 420 |
-
proposed_answer = answer_content # Set proposed_answer for reflection
|
| 421 |
-
|
| 422 |
-
return {
|
| 423 |
-
"messages": state["messages"] + [response],
|
| 424 |
-
"proposed_answer": proposed_answer
|
| 425 |
-
}
|
| 426 |
-
|
| 427 |
-
|
| 428 |
-
def reflector_node(state: AgentState):
|
| 429 |
-
original_question = state.get("question_original") # Use .get() for safer access
|
| 430 |
-
proposed_answer = state["proposed_answer"]
|
| 431 |
-
|
| 432 |
-
# If assistant decided to use tools and hasn't proposed a final answer yet, don't reflect
|
| 433 |
-
if proposed_answer is None:
|
| 434 |
-
print("DEBUG: Reflector skipped: Assistant proposed tool calls, not a final answer yet.")
|
| 435 |
-
# Return the current state without adding reflection messages, so the graph can proceed to tools
|
| 436 |
-
return state # This will cause the graph to continue to the next node based on assistant's tool calls
|
| 437 |
-
|
| 438 |
-
# If original_question is missing, create a placeholder for reflection
|
| 439 |
-
if original_question == None: # Changed from 'is None' to '==' None for consistency with type hint
|
| 440 |
-
original_question = "Original question unavailable for reflection."
|
| 441 |
-
print("WARNING: 'question_original' was missing in state for reflector_node.")
|
| 442 |
-
|
| 443 |
-
# Prepare messages for the reflector
|
| 444 |
-
reflector_messages = [
|
| 445 |
-
HumanMessage(content=f"Original Question: {original_question}\nProposed Answer: {proposed_answer}")
|
| 446 |
-
]
|
| 447 |
-
|
| 448 |
-
# Access retry_count defensively
|
| 449 |
-
current_retry_count = state.get("retry_count", 0) # Add .get() with default
|
| 450 |
-
|
| 451 |
-
print(f"AGENT: Reflection round {current_retry_count + 1}. Proposed answer: '{proposed_answer}'")
|
| 452 |
-
reflection_result = reflector_runnable.invoke({"messages": reflector_messages})
|
| 453 |
-
feedback = str(reflection_result.content).strip()
|
| 454 |
-
print(f"AGENT: Reflection Feedback: '{feedback}'")
|
| 455 |
-
|
| 456 |
-
return {
|
| 457 |
-
"messages": state["messages"] + [AIMessage(content=f"Feedback for refinement: {feedback}")],
|
| 458 |
-
"reflection_feedback": feedback,
|
| 459 |
-
"retry_count": current_retry_count + 1 # Increment retry count
|
| 460 |
-
}
|
| 461 |
-
|
| 462 |
-
# --- Graph Edges (Conditional Routing) ---
|
| 463 |
-
def route_reflection(state: AgentState):
|
| 464 |
-
feedback = state["reflection_feedback"]
|
| 465 |
-
# Access retry_count defensively here too
|
| 466 |
-
current_retry_count = state.get("retry_count", 0) # Add .get() with default
|
| 467 |
-
|
| 468 |
-
# If the feedback is "PERFECT", we are done.
|
| 469 |
-
if feedback == "PERFECT":
|
| 470 |
-
return "end"
|
| 471 |
-
# If max retries reached, we end the graph regardless of feedback.
|
| 472 |
-
elif current_retry_count >= 3: # Max 3 retries (0, 1, 2, then 3rd attempt is final)
|
| 473 |
-
print(f"DEBUG: Max retries ({current_retry_count}) reached. Ending graph.")
|
| 474 |
-
return "end" # Force end if max retries reached
|
| 475 |
-
# Otherwise, go back to the assistant for another attempt.
|
| 476 |
-
else:
|
| 477 |
-
return "assistant"
|
| 478 |
-
|
| 479 |
-
# --- Build the Graph ---
|
| 480 |
-
graph_builder = StateGraph(AgentState)
|
| 481 |
-
|
| 482 |
-
graph_builder.add_node("assistant", assistant_node)
|
| 483 |
-
graph_builder.add_node("call_tools", ToolNode(TOOLS)) # Use ToolNode directly
|
| 484 |
-
graph_builder.add_node("reflector", reflector_node)
|
| 485 |
-
|
| 486 |
-
graph_builder.set_entry_point("assistant")
|
| 487 |
-
|
| 488 |
-
# Route from assistant: if tool_calls, go to call_tools; else, go to reflector
|
| 489 |
-
# The "__end__" here means the assistant *thinks* it's done and has a proposed_answer (no tool calls).
|
| 490 |
-
# In this case, it goes to the reflector to be checked.
|
| 491 |
-
graph_builder.add_conditional_edges(
|
| 492 |
-
"assistant",
|
| 493 |
-
tools_condition, # This condition checks if the last AI message has tool_calls
|
| 494 |
-
{"__end__": "reflector", "tools": "call_tools"} # "__end__" means no tool calls, route to reflector
|
| 495 |
-
)
|
| 496 |
-
|
| 497 |
-
graph_builder.add_edge("call_tools", "assistant") # After tools execute, return to assistant
|
| 498 |
-
|
| 499 |
-
graph_builder.add_conditional_edges(
|
| 500 |
-
"reflector",
|
| 501 |
-
route_reflection,
|
| 502 |
-
{"end": END, "assistant": "assistant"}
|
| 503 |
-
)
|
| 504 |
-
|
| 505 |
-
graph = graph_builder.compile()
|
| 506 |
-
|
| 507 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 508 |
-
# CLI SMOKE TESTS
|
| 509 |
-
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 510 |
-
if __name__ == "__main__":
|
| 511 |
-
print("π Graph Mermaid:")
|
| 512 |
-
print("---")
|
| 513 |
-
print(graph.get_graph().draw_mermaid())
|
| 514 |
-
print("---")
|
| 515 |
-
|
| 516 |
-
print("\nπΉ Smokeβtesting agent\n")
|
| 517 |
-
|
| 518 |
-
# Create dummy Excel file for testing if it doesn't exist
|
| 519 |
-
excel_file_path = os.path.join(os.path.dirname(os.path.abspath(__file__)), "test_sales.xlsx")
|
| 520 |
-
if not os.path.exists(excel_file_path):
|
| 521 |
-
print(f"Creating dummy {excel_file_path}")
|
| 522 |
-
data = {'category': ['food', 'drink', 'food', 'food', 'drink'],
|
| 523 |
-
'sales': [10, 5, 15, 20, 8]}
|
| 524 |
-
df = pd.DataFrame(data)
|
| 525 |
-
df.to_excel(excel_file_path, index=False)
|
| 526 |
-
else:
|
| 527 |
-
print(f"Dummy {excel_file_path} already exists.")
|
| 528 |
-
|
| 529 |
-
# Ensure a test.wav file exists for transcription, or create a dummy one if scipy is available
|
| 530 |
-
audio_file_path = os.path.join(os.path.dirname(os.path.abspath(__file__)), "test.wav")
|
| 531 |
-
if not os.path.exists(audio_file_path):
|
| 532 |
-
print(f"Creating dummy {audio_file_path}")
|
| 533 |
-
# Create a dummy WAV file using scipy, requires scipy to be installed
|
| 534 |
-
try:
|
| 535 |
-
from scipy.io.wavfile import write
|
| 536 |
-
import numpy as np
|
| 537 |
-
samplerate = 44100 # Fs
|
| 538 |
-
duration = 1.0 # seconds
|
| 539 |
-
frequency = 440 # Hz (A4 note)
|
| 540 |
-
t = np.linspace(0., duration, int(samplerate * duration), endpoint=False)
|
| 541 |
-
amplitude = 0.5
|
| 542 |
-
data = amplitude * np.sin(2. * np.pi * frequency * t)
|
| 543 |
-
write(audio_file_path, samplerate, data.astype(np.float32))
|
| 544 |
-
print("NOTE: Dummy audio file 'test.wav' created. Its transcript will be a sine wave sound.")
|
| 545 |
-
except ImportError:
|
| 546 |
-
print("WARNING: scipy not installed. Cannot create dummy 'test.wav'. Please provide a 'test.wav' manually for audio tests.")
|
| 547 |
-
print("To install scipy: pip install scipy")
|
| 548 |
-
except Exception as e:
|
| 549 |
-
print(f"ERROR creating dummy 'test.wav': {e}. Please provide a 'test.wav' manually.")
|
| 550 |
-
else:
|
| 551 |
-
print(f"Audio file {audio_file_path} already exists.")
|
| 552 |
-
|
| 553 |
-
|
| 554 |
-
test_questions = [
|
| 555 |
-
"How much is 2 + 2?",
|
| 556 |
-
"What is the capital of France?",
|
| 557 |
-
"List only the vegetables from: broccoli, apple, carrot. Alphabetize, commaβseparated.",
|
| 558 |
-
"Given the Excel file at test_sales.xlsx, what were total sales for food? Express in USD with two decimals.",
|
| 559 |
-
"Examine the video at ./test.wav. What is its transcript?",
|
| 560 |
-
"Who nominated the only Featured Article on English Wikipedia about a dinosaur that was promoted in November 2016?",
|
| 561 |
-
""" Examine the video at https://www.youtube.com/watch?v=1htKBjuUWec. What does Teal'c say in response to the question "Isn't that hot?" """
|
| 562 |
-
]
|
| 563 |
-
|
| 564 |
-
for q in test_questions:
|
| 565 |
-
print(f"\n--- Processing Q: {q} ---")
|
| 566 |
-
initial_state = {
|
| 567 |
-
"messages": [HumanMessage(content=q)],
|
| 568 |
-
"question_original": q, # Store original question
|
| 569 |
-
"proposed_answer": None,
|
| 570 |
-
"reflection_feedback": None,
|
| 571 |
-
"retry_count": 0
|
| 572 |
-
}
|
| 573 |
-
|
| 574 |
-
# Use graph.invoke to get the final state directly
|
| 575 |
-
final_state = graph.invoke(initial_state)
|
| 576 |
-
|
| 577 |
-
# Extract the final proposed answer from the final state
|
| 578 |
-
final_answer = "N/A - Graph did not reach a final answer state."
|
| 579 |
-
if final_state and final_state.get("proposed_answer") is not None:
|
| 580 |
-
final_answer = final_state["proposed_answer"]
|
| 581 |
-
elif final_state and final_state.get("messages"):
|
| 582 |
-
# Fallback: if proposed_answer wasn't explicitly set (e.g., direct end without reflection),
|
| 583 |
-
# try to get the last AI message content if it's not a feedback message.
|
| 584 |
-
last_msg = final_state["messages"][-1]
|
| 585 |
-
if isinstance(last_msg, AIMessage) and "Feedback for refinement:" not in last_msg.content:
|
| 586 |
-
final_answer = last_msg.content.strip()
|
| 587 |
-
|
| 588 |
-
print(f"\nQ: {q}")
|
| 589 |
-
print(f"β A: {final_answer!r}\n")
|
| 590 |
-
print("--- End Q ---\n")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
langgraph_new.py
ADDED
|
@@ -0,0 +1,525 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
import os
|
| 2 |
+
import re
|
| 3 |
+
import sys
|
| 4 |
+
from dotenv import load_dotenv
|
| 5 |
+
import pandas as pd
|
| 6 |
+
import whisper
|
| 7 |
+
import requests
|
| 8 |
+
from urllib.parse import urlparse
|
| 9 |
+
from youtube_transcript_api import YouTubeTranscriptApi
|
| 10 |
+
|
| 11 |
+
from langchain_openai import ChatOpenAI
|
| 12 |
+
from langchain_core.messages import SystemMessage, HumanMessage, AIMessage
|
| 13 |
+
from langchain_core.tools import tool
|
| 14 |
+
from langchain_community.tools.tavily_search import TavilySearchResults
|
| 15 |
+
from langchain_community.document_loaders import WikipediaLoader
|
| 16 |
+
|
| 17 |
+
# ** Retrieval imports **
|
| 18 |
+
from langchain_huggingface import HuggingFaceEmbeddings
|
| 19 |
+
from supabase.client import create_client
|
| 20 |
+
from langchain_community.vectorstores import SupabaseVectorStore
|
| 21 |
+
from langchain.tools.retriever import create_retriever_tool
|
| 22 |
+
|
| 23 |
+
from langgraph.graph import StateGraph, MessagesState, START, END
|
| 24 |
+
from langgraph.prebuilt import ToolNode, tools_condition
|
| 25 |
+
|
| 26 |
+
load_dotenv()
|
| 27 |
+
|
| 28 |
+
# Enhanced system prompt optimized for GAIA
|
| 29 |
+
SYSTEM = SystemMessage(content="""
|
| 30 |
+
You are a precise QA agent specialized in answering GAIA benchmark questions.
|
| 31 |
+
|
| 32 |
+
CRITICAL RESPONSE RULES:
|
| 33 |
+
- Answer with ONLY the exact answer, no explanations or conversational text
|
| 34 |
+
- NO XML tags, NO "FINAL ANSWER:", NO introductory phrases
|
| 35 |
+
- For lists: comma-separated, alphabetized if requested, no trailing punctuation
|
| 36 |
+
- For numbers: use exact format requested (USD as 12.34, codes bare, etc.)
|
| 37 |
+
- For yes/no: respond only "Yes" or "No"
|
| 38 |
+
- Use tools systematically for factual lookups, audio/video transcription, and data analysis
|
| 39 |
+
|
| 40 |
+
Your goal is to provide exact answers that match GAIA ground truth precisely.
|
| 41 |
+
""".strip())
|
| 42 |
+
|
| 43 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 44 |
+
# ENHANCED TOOLS WITH MCP-STYLE ORGANIZATION
|
| 45 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 46 |
+
|
| 47 |
+
@tool
|
| 48 |
+
def enhanced_web_search(query: str) -> dict:
|
| 49 |
+
"""Advanced web search with multiple result processing and filtering."""
|
| 50 |
+
try:
|
| 51 |
+
# Use higher result count for better coverage
|
| 52 |
+
search_tool = TavilySearchResults(max_results=5)
|
| 53 |
+
docs = search_tool.run(query)
|
| 54 |
+
|
| 55 |
+
# Process and clean results
|
| 56 |
+
results = []
|
| 57 |
+
for d in docs:
|
| 58 |
+
content = d.get("content", "").strip()
|
| 59 |
+
url = d.get("url", "")
|
| 60 |
+
if content and len(content) > 20: # Filter out very short results
|
| 61 |
+
results.append(f"Source: {url}\nContent: {content}")
|
| 62 |
+
|
| 63 |
+
return {"web_results": "\n\n".join(results)}
|
| 64 |
+
except Exception as e:
|
| 65 |
+
return {"web_results": f"Search error: {str(e)}"}
|
| 66 |
+
|
| 67 |
+
@tool
|
| 68 |
+
def enhanced_wiki_search(query: str) -> dict:
|
| 69 |
+
"""Enhanced Wikipedia search with better content extraction."""
|
| 70 |
+
try:
|
| 71 |
+
# Try multiple query variations for better results
|
| 72 |
+
queries = [query, query.replace("_", " "), query.replace("-", " ")]
|
| 73 |
+
|
| 74 |
+
for q in queries:
|
| 75 |
+
try:
|
| 76 |
+
pages = WikipediaLoader(query=q, load_max_docs=3).load()
|
| 77 |
+
if pages:
|
| 78 |
+
content = "\n\n".join([
|
| 79 |
+
f"Page: {p.metadata.get('title', 'Unknown')}\n{p.page_content[:2000]}"
|
| 80 |
+
for p in pages
|
| 81 |
+
])
|
| 82 |
+
return {"wiki_results": content}
|
| 83 |
+
except:
|
| 84 |
+
continue
|
| 85 |
+
|
| 86 |
+
return {"wiki_results": "No Wikipedia results found"}
|
| 87 |
+
except Exception as e:
|
| 88 |
+
return {"wiki_results": f"Wikipedia error: {str(e)}"}
|
| 89 |
+
|
| 90 |
+
@tool
|
| 91 |
+
def youtube_transcript_tool(url: str) -> dict:
|
| 92 |
+
"""Extract transcript from YouTube videos with enhanced error handling."""
|
| 93 |
+
try:
|
| 94 |
+
print(f"DEBUG: Processing YouTube URL: {url}", file=sys.stderr)
|
| 95 |
+
|
| 96 |
+
# Extract video ID from various YouTube URL formats
|
| 97 |
+
video_id_patterns = [
|
| 98 |
+
r"(?:youtube\.com/watch\?v=|youtu\.be/|youtube\.com/embed/)([a-zA-Z0-9_-]{11})",
|
| 99 |
+
r"(?:v=|\/)([0-9A-Za-z_-]{11})"
|
| 100 |
+
]
|
| 101 |
+
|
| 102 |
+
video_id = None
|
| 103 |
+
for pattern in video_id_patterns:
|
| 104 |
+
match = re.search(pattern, url)
|
| 105 |
+
if match:
|
| 106 |
+
video_id = match.group(1)
|
| 107 |
+
break
|
| 108 |
+
|
| 109 |
+
if not video_id:
|
| 110 |
+
return {"transcript": "Error: Could not extract video ID from URL"}
|
| 111 |
+
|
| 112 |
+
print(f"DEBUG: Extracted video ID: {video_id}", file=sys.stderr)
|
| 113 |
+
|
| 114 |
+
# Try to get transcript
|
| 115 |
+
try:
|
| 116 |
+
transcript_list = YouTubeTranscriptApi.list_transcripts(video_id)
|
| 117 |
+
|
| 118 |
+
# Try to get English transcript first
|
| 119 |
+
try:
|
| 120 |
+
transcript = transcript_list.find_transcript(['en'])
|
| 121 |
+
except:
|
| 122 |
+
# If no English, get the first available
|
| 123 |
+
available_transcripts = list(transcript_list)
|
| 124 |
+
if available_transcripts:
|
| 125 |
+
transcript = available_transcripts[0]
|
| 126 |
+
else:
|
| 127 |
+
return {"transcript": "No transcripts available"}
|
| 128 |
+
|
| 129 |
+
transcript_data = transcript.fetch()
|
| 130 |
+
|
| 131 |
+
# Format transcript with timestamps for better context
|
| 132 |
+
formatted_transcript = []
|
| 133 |
+
for entry in transcript_data:
|
| 134 |
+
time_str = f"[{entry['start']:.1f}s]"
|
| 135 |
+
formatted_transcript.append(f"{time_str} {entry['text']}")
|
| 136 |
+
|
| 137 |
+
full_transcript = "\n".join(formatted_transcript)
|
| 138 |
+
|
| 139 |
+
return {"transcript": full_transcript}
|
| 140 |
+
|
| 141 |
+
except Exception as e:
|
| 142 |
+
return {"transcript": f"Error fetching transcript: {str(e)}"}
|
| 143 |
+
|
| 144 |
+
except Exception as e:
|
| 145 |
+
return {"transcript": f"YouTube processing error: {str(e)}"}
|
| 146 |
+
|
| 147 |
+
@tool
|
| 148 |
+
def enhanced_audio_transcribe(path: str) -> dict:
|
| 149 |
+
"""Enhanced audio transcription with better file handling."""
|
| 150 |
+
try:
|
| 151 |
+
# Handle both relative and absolute paths
|
| 152 |
+
if not os.path.isabs(path):
|
| 153 |
+
abs_path = os.path.abspath(path)
|
| 154 |
+
else:
|
| 155 |
+
abs_path = path
|
| 156 |
+
|
| 157 |
+
print(f"DEBUG: Transcribing audio file: {abs_path}", file=sys.stderr)
|
| 158 |
+
|
| 159 |
+
if not os.path.isfile(abs_path):
|
| 160 |
+
# Try current directory
|
| 161 |
+
current_dir_path = os.path.join(os.getcwd(), os.path.basename(path))
|
| 162 |
+
if os.path.isfile(current_dir_path):
|
| 163 |
+
abs_path = current_dir_path
|
| 164 |
+
else:
|
| 165 |
+
return {"transcript": f"Error: Audio file not found at {abs_path}"}
|
| 166 |
+
|
| 167 |
+
# Check for ffmpeg availability
|
| 168 |
+
try:
|
| 169 |
+
import subprocess
|
| 170 |
+
subprocess.run(["ffmpeg", "-version"], check=True,
|
| 171 |
+
stdout=subprocess.PIPE, stderr=subprocess.PIPE)
|
| 172 |
+
except (FileNotFoundError, subprocess.CalledProcessError):
|
| 173 |
+
return {"transcript": "Error: ffmpeg not found. Please install ffmpeg."}
|
| 174 |
+
|
| 175 |
+
# Load and transcribe
|
| 176 |
+
model = whisper.load_model("base")
|
| 177 |
+
result = model.transcribe(abs_path)
|
| 178 |
+
|
| 179 |
+
# Clean and format transcript
|
| 180 |
+
transcript = result["text"].strip()
|
| 181 |
+
|
| 182 |
+
return {"transcript": transcript}
|
| 183 |
+
|
| 184 |
+
except Exception as e:
|
| 185 |
+
return {"transcript": f"Transcription error: {str(e)}"}
|
| 186 |
+
|
| 187 |
+
@tool
|
| 188 |
+
def enhanced_excel_analysis(path: str, query: str = "", sheet_name: str = None) -> dict:
|
| 189 |
+
"""Enhanced Excel analysis with query-specific processing."""
|
| 190 |
+
try:
|
| 191 |
+
# Handle file path
|
| 192 |
+
if not os.path.isabs(path):
|
| 193 |
+
abs_path = os.path.abspath(path)
|
| 194 |
+
else:
|
| 195 |
+
abs_path = path
|
| 196 |
+
|
| 197 |
+
if not os.path.isfile(abs_path):
|
| 198 |
+
current_dir_path = os.path.join(os.getcwd(), os.path.basename(path))
|
| 199 |
+
if os.path.isfile(current_dir_path):
|
| 200 |
+
abs_path = current_dir_path
|
| 201 |
+
else:
|
| 202 |
+
return {"excel_analysis": f"Error: Excel file not found at {abs_path}"}
|
| 203 |
+
|
| 204 |
+
# Read Excel file
|
| 205 |
+
df = pd.read_excel(abs_path, sheet_name=sheet_name or 0)
|
| 206 |
+
|
| 207 |
+
# Basic info
|
| 208 |
+
analysis = {
|
| 209 |
+
"columns": list(df.columns),
|
| 210 |
+
"row_count": len(df),
|
| 211 |
+
"sheet_info": f"Analyzing sheet: {sheet_name or 'default'}"
|
| 212 |
+
}
|
| 213 |
+
|
| 214 |
+
# Query-specific analysis
|
| 215 |
+
query_lower = query.lower() if query else ""
|
| 216 |
+
|
| 217 |
+
if "total" in query_lower or "sum" in query_lower:
|
| 218 |
+
# Find numeric columns
|
| 219 |
+
numeric_cols = df.select_dtypes(include=['number']).columns
|
| 220 |
+
totals = {}
|
| 221 |
+
for col in numeric_cols:
|
| 222 |
+
totals[col] = df[col].sum()
|
| 223 |
+
analysis["totals"] = totals
|
| 224 |
+
|
| 225 |
+
if "food" in query_lower or "category" in query_lower:
|
| 226 |
+
# Look for categorical data
|
| 227 |
+
for col in df.columns:
|
| 228 |
+
if df[col].dtype == 'object':
|
| 229 |
+
categories = df[col].value_counts().to_dict()
|
| 230 |
+
analysis[f"{col}_categories"] = categories
|
| 231 |
+
|
| 232 |
+
# Always include sample data
|
| 233 |
+
analysis["sample_data"] = df.head(5).to_dict('records')
|
| 234 |
+
|
| 235 |
+
# Include summary statistics for numeric columns
|
| 236 |
+
numeric_cols = df.select_dtypes(include=['number']).columns
|
| 237 |
+
if len(numeric_cols) > 0:
|
| 238 |
+
analysis["numeric_summary"] = df[numeric_cols].describe().to_dict()
|
| 239 |
+
|
| 240 |
+
return {"excel_analysis": analysis}
|
| 241 |
+
|
| 242 |
+
except Exception as e:
|
| 243 |
+
return {"excel_analysis": f"Excel analysis error: {str(e)}"}
|
| 244 |
+
|
| 245 |
+
@tool
|
| 246 |
+
def web_file_downloader(url: str) -> dict:
|
| 247 |
+
"""Download and analyze files from web URLs."""
|
| 248 |
+
try:
|
| 249 |
+
response = requests.get(url, timeout=30)
|
| 250 |
+
response.raise_for_status()
|
| 251 |
+
|
| 252 |
+
# Determine file type from URL or headers
|
| 253 |
+
content_type = response.headers.get('content-type', '').lower()
|
| 254 |
+
|
| 255 |
+
if 'audio' in content_type or url.endswith(('.mp3', '.wav', '.m4a')):
|
| 256 |
+
# Save temporarily and transcribe
|
| 257 |
+
temp_path = f"temp_audio_{hash(url) % 10000}.wav"
|
| 258 |
+
with open(temp_path, 'wb') as f:
|
| 259 |
+
f.write(response.content)
|
| 260 |
+
|
| 261 |
+
result = enhanced_audio_transcribe(temp_path)
|
| 262 |
+
|
| 263 |
+
# Clean up
|
| 264 |
+
try:
|
| 265 |
+
os.remove(temp_path)
|
| 266 |
+
except:
|
| 267 |
+
pass
|
| 268 |
+
|
| 269 |
+
return result
|
| 270 |
+
|
| 271 |
+
elif 'text' in content_type or 'html' in content_type:
|
| 272 |
+
return {"content": response.text[:5000]} # Limit size
|
| 273 |
+
|
| 274 |
+
else:
|
| 275 |
+
return {"content": f"Downloaded {len(response.content)} bytes of {content_type}"}
|
| 276 |
+
|
| 277 |
+
except Exception as e:
|
| 278 |
+
return {"content": f"Download error: {str(e)}"}
|
| 279 |
+
|
| 280 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 281 |
+
# ENHANCED RETRIEVER TOOL
|
| 282 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 283 |
+
try:
|
| 284 |
+
emb = HuggingFaceEmbeddings(model_name="sentence-transformers/all-mpnet-base-v2")
|
| 285 |
+
supabase = create_client(os.environ["SUPABASE_URL"], os.environ["SUPABASE_SERVICE_KEY"])
|
| 286 |
+
vector_store = SupabaseVectorStore(
|
| 287 |
+
client=supabase,
|
| 288 |
+
embedding=emb,
|
| 289 |
+
table_name="documents",
|
| 290 |
+
query_name="match_documents_langchain",
|
| 291 |
+
)
|
| 292 |
+
|
| 293 |
+
@tool
|
| 294 |
+
def gaia_qa_retriever(query: str) -> dict:
|
| 295 |
+
"""Retrieve similar GAIA Q&A pairs with enhanced search."""
|
| 296 |
+
try:
|
| 297 |
+
retriever = vector_store.as_retriever(search_kwargs={"k": 5})
|
| 298 |
+
docs = retriever.invoke(query)
|
| 299 |
+
|
| 300 |
+
if not docs:
|
| 301 |
+
return {"gaia_results": "No similar GAIA examples found"}
|
| 302 |
+
|
| 303 |
+
results = []
|
| 304 |
+
for i, doc in enumerate(docs, 1):
|
| 305 |
+
content = doc.page_content
|
| 306 |
+
# Clean up the Q: A: format for better readability
|
| 307 |
+
content = content.replace("Q: ", "\nQuestion: ").replace(" A: ", "\nAnswer: ")
|
| 308 |
+
results.append(f"Example {i}:{content}\n")
|
| 309 |
+
|
| 310 |
+
return {"gaia_results": "\n".join(results)}
|
| 311 |
+
|
| 312 |
+
except Exception as e:
|
| 313 |
+
return {"gaia_results": f"Retrieval error: {str(e)}"}
|
| 314 |
+
|
| 315 |
+
TOOLS = [enhanced_web_search, enhanced_wiki_search, youtube_transcript_tool,
|
| 316 |
+
enhanced_audio_transcribe, enhanced_excel_analysis, web_file_downloader,
|
| 317 |
+
gaia_qa_retriever]
|
| 318 |
+
|
| 319 |
+
except Exception as e:
|
| 320 |
+
print(f"Warning: Supabase retriever not available: {e}")
|
| 321 |
+
TOOLS = [enhanced_web_search, enhanced_wiki_search, youtube_transcript_tool,
|
| 322 |
+
enhanced_audio_transcribe, enhanced_excel_analysis, web_file_downloader]
|
| 323 |
+
|
| 324 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 325 |
+
# ENHANCED AGENT & GRAPH SETUP
|
| 326 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 327 |
+
llm = ChatOpenAI(model="gpt-4o-mini", temperature=0) # Set temperature to 0 for consistency
|
| 328 |
+
llm_with_tools = llm.bind_tools(TOOLS)
|
| 329 |
+
|
| 330 |
+
# Build graph with proper state management
|
| 331 |
+
builder = StateGraph(MessagesState)
|
| 332 |
+
|
| 333 |
+
def enhanced_assistant_node(state: dict) -> dict:
|
| 334 |
+
"""Enhanced assistant node with better answer processing."""
|
| 335 |
+
MAX_TOOL_CALLS = 5 # Increased for complex GAIA questions
|
| 336 |
+
msgs = state.get("messages", [])
|
| 337 |
+
tool_call_count = state.get("tool_call_count", 0)
|
| 338 |
+
|
| 339 |
+
if not msgs or not isinstance(msgs[0], SystemMessage):
|
| 340 |
+
msgs = [SYSTEM] + msgs
|
| 341 |
+
|
| 342 |
+
print(f"\nβ‘οΈ Assistant processing (tool calls: {tool_call_count})", file=sys.stderr)
|
| 343 |
+
|
| 344 |
+
# Log the latest message for debugging
|
| 345 |
+
if msgs:
|
| 346 |
+
latest = msgs[-1]
|
| 347 |
+
if hasattr(latest, 'content'):
|
| 348 |
+
print(f"β Latest input: {latest.content[:200]}...", file=sys.stderr)
|
| 349 |
+
|
| 350 |
+
try:
|
| 351 |
+
out: AIMessage = llm_with_tools.invoke(msgs)
|
| 352 |
+
|
| 353 |
+
print(f"β Model wants to use tools: {len(out.tool_calls) > 0}", file=sys.stderr)
|
| 354 |
+
|
| 355 |
+
if out.tool_calls:
|
| 356 |
+
if tool_call_count >= MAX_TOOL_CALLS:
|
| 357 |
+
print("β Tool call limit reached", file=sys.stderr)
|
| 358 |
+
fallback = AIMessage(content="Unable to determine answer with available information.")
|
| 359 |
+
return {
|
| 360 |
+
"messages": msgs + [fallback],
|
| 361 |
+
"tool_call_count": tool_call_count
|
| 362 |
+
}
|
| 363 |
+
|
| 364 |
+
return {
|
| 365 |
+
"messages": msgs + [out],
|
| 366 |
+
"tool_call_count": tool_call_count + 1
|
| 367 |
+
}
|
| 368 |
+
|
| 369 |
+
# Process final answer for GAIA format
|
| 370 |
+
answer_content = process_final_answer(out.content)
|
| 371 |
+
|
| 372 |
+
print(f"β
Final answer: {answer_content!r}", file=sys.stderr)
|
| 373 |
+
|
| 374 |
+
return {
|
| 375 |
+
"messages": msgs + [AIMessage(content=answer_content)],
|
| 376 |
+
"tool_call_count": tool_call_count
|
| 377 |
+
}
|
| 378 |
+
|
| 379 |
+
except Exception as e:
|
| 380 |
+
print(f"β Assistant error: {e}", file=sys.stderr)
|
| 381 |
+
error_msg = AIMessage(content="Error processing request.")
|
| 382 |
+
return {
|
| 383 |
+
"messages": msgs + [error_msg],
|
| 384 |
+
"tool_call_count": tool_call_count
|
| 385 |
+
}
|
| 386 |
+
|
| 387 |
+
def process_final_answer(content: str) -> str:
|
| 388 |
+
"""Process the final answer to match GAIA requirements exactly."""
|
| 389 |
+
if not content:
|
| 390 |
+
return "Unable to determine answer"
|
| 391 |
+
|
| 392 |
+
# Remove any XML-like tags
|
| 393 |
+
content = re.sub(r'<[^>]*>', '', content)
|
| 394 |
+
|
| 395 |
+
# Remove common unwanted prefixes/suffixes
|
| 396 |
+
unwanted_patterns = [
|
| 397 |
+
r'^.*?(?:answer is|answer:|final answer:)\s*',
|
| 398 |
+
r'^.*?(?:the result is|result:)\s*',
|
| 399 |
+
r'^.*?(?:therefore,|thus,|so,)\s*',
|
| 400 |
+
r'\.$', # Remove trailing period
|
| 401 |
+
r'^["\'](.+)["\']$', # Remove quotes
|
| 402 |
+
]
|
| 403 |
+
|
| 404 |
+
for pattern in unwanted_patterns:
|
| 405 |
+
content = re.sub(pattern, r'\1' if '\\1' in pattern else '', content, flags=re.IGNORECASE)
|
| 406 |
+
|
| 407 |
+
# Clean up whitespace
|
| 408 |
+
content = content.strip()
|
| 409 |
+
|
| 410 |
+
# Handle lists - ensure proper comma separation without trailing punctuation
|
| 411 |
+
if ',' in content and not any(word in content.lower() for word in ['however', 'although', 'because']):
|
| 412 |
+
# This might be a list
|
| 413 |
+
items = [item.strip() for item in content.split(',')]
|
| 414 |
+
content = ', '.join(items)
|
| 415 |
+
content = content.rstrip('.,;')
|
| 416 |
+
|
| 417 |
+
# Take only the first line if there are multiple lines
|
| 418 |
+
content = content.split('\n')[0].strip()
|
| 419 |
+
|
| 420 |
+
return content if content else "Unable to determine answer"
|
| 421 |
+
|
| 422 |
+
# Build the graph
|
| 423 |
+
builder.add_node("assistant", enhanced_assistant_node)
|
| 424 |
+
builder.add_node("tools", ToolNode(TOOLS))
|
| 425 |
+
|
| 426 |
+
builder.add_edge(START, "assistant")
|
| 427 |
+
builder.add_conditional_edges(
|
| 428 |
+
"assistant",
|
| 429 |
+
tools_condition,
|
| 430 |
+
{"tools": "tools", END: END}
|
| 431 |
+
)
|
| 432 |
+
builder.add_edge("tools", "assistant")
|
| 433 |
+
|
| 434 |
+
# Compile the graph with configuration
|
| 435 |
+
graph = builder.compile()
|
| 436 |
+
|
| 437 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 438 |
+
# GAIA API INTERACTION FUNCTIONS
|
| 439 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 440 |
+
def get_gaia_questions():
|
| 441 |
+
"""Fetch questions from the GAIA API."""
|
| 442 |
+
try:
|
| 443 |
+
response = requests.get("https://agents-course-unit4-scoring.hf.space/questions")
|
| 444 |
+
response.raise_for_status()
|
| 445 |
+
return response.json()
|
| 446 |
+
except Exception as e:
|
| 447 |
+
print(f"Error fetching GAIA questions: {e}")
|
| 448 |
+
return []
|
| 449 |
+
|
| 450 |
+
def get_random_gaia_question():
|
| 451 |
+
"""Fetch a single random question from the GAIA API."""
|
| 452 |
+
try:
|
| 453 |
+
response = requests.get("https://agents-course-unit4-scoring.hf.space/random-question")
|
| 454 |
+
response.raise_for_status()
|
| 455 |
+
return response.json()
|
| 456 |
+
except Exception as e:
|
| 457 |
+
print(f"Error fetching random GAIA question: {e}")
|
| 458 |
+
return None
|
| 459 |
+
|
| 460 |
+
def answer_gaia_question(question_text: str) -> str:
|
| 461 |
+
"""Answer a single GAIA question using the agent."""
|
| 462 |
+
try:
|
| 463 |
+
# Create the initial state
|
| 464 |
+
initial_state = {
|
| 465 |
+
"messages": [HumanMessage(content=question_text)],
|
| 466 |
+
"tool_call_count": 0
|
| 467 |
+
}
|
| 468 |
+
|
| 469 |
+
# Invoke the graph
|
| 470 |
+
result = graph.invoke(initial_state)
|
| 471 |
+
|
| 472 |
+
if result and "messages" in result and result["messages"]:
|
| 473 |
+
return result["messages"][-1].content.strip()
|
| 474 |
+
else:
|
| 475 |
+
return "No answer generated"
|
| 476 |
+
|
| 477 |
+
except Exception as e:
|
| 478 |
+
print(f"Error answering question: {e}")
|
| 479 |
+
return f"Error: {str(e)}"
|
| 480 |
+
|
| 481 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 482 |
+
# TESTING AND VALIDATION
|
| 483 |
+
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
|
| 484 |
+
if __name__ == "__main__":
|
| 485 |
+
print("π Enhanced GAIA Agent Graph Structure:")
|
| 486 |
+
try:
|
| 487 |
+
print(graph.get_graph().draw_mermaid())
|
| 488 |
+
except:
|
| 489 |
+
print("Could not generate mermaid diagram")
|
| 490 |
+
|
| 491 |
+
print("\nπ§ͺ Testing with GAIA-style questions...")
|
| 492 |
+
|
| 493 |
+
# Test questions that cover different GAIA capabilities
|
| 494 |
+
test_questions = [
|
| 495 |
+
"What is 2 + 2?",
|
| 496 |
+
"What is the capital of France?",
|
| 497 |
+
"List the vegetables from this list: broccoli, apple, carrot. Alphabetize and use comma separation.",
|
| 498 |
+
"Given the Excel file at test_sales.xlsx, what were total sales for food? Express in USD with two decimals.",
|
| 499 |
+
"Examine the audio file at ./test.wav. What is its transcript?",
|
| 500 |
+
]
|
| 501 |
+
|
| 502 |
+
# Add YouTube test if we have a valid URL
|
| 503 |
+
if os.path.exists("test.wav"):
|
| 504 |
+
test_questions.append("What does the speaker say in the audio file test.wav?")
|
| 505 |
+
|
| 506 |
+
for i, question in enumerate(test_questions, 1):
|
| 507 |
+
print(f"\nπ Test {i}: {question}")
|
| 508 |
+
try:
|
| 509 |
+
answer = answer_gaia_question(question)
|
| 510 |
+
print(f"β
Answer: {answer!r}")
|
| 511 |
+
except Exception as e:
|
| 512 |
+
print(f"β Error: {e}")
|
| 513 |
+
print("-" * 80)
|
| 514 |
+
|
| 515 |
+
# Test with a real GAIA question if API is available
|
| 516 |
+
print("\nπ Testing with real GAIA question...")
|
| 517 |
+
try:
|
| 518 |
+
random_q = get_random_gaia_question()
|
| 519 |
+
if random_q:
|
| 520 |
+
print(f"π GAIA Question: {random_q.get('question', 'N/A')}")
|
| 521 |
+
answer = answer_gaia_question(random_q.get('question', ''))
|
| 522 |
+
print(f"π― Agent Answer: {answer!r}")
|
| 523 |
+
print(f"π‘ Task ID: {random_q.get('task_id', 'N/A')}")
|
| 524 |
+
except Exception as e:
|
| 525 |
+
print(f"Could not test with real GAIA question: {e}")
|
mcp_tools_server.py
ADDED
|
@@ -0,0 +1,336 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
"""
|
| 2 |
+
MCP Server for GAIA Agent Tools
|
| 3 |
+
This implements the Model Context Protocol for better tool organization
|
| 4 |
+
"""
|
| 5 |
+
import re
|
| 6 |
+
import os
|
| 7 |
+
import sys
|
| 8 |
+
import requests
|
| 9 |
+
import whisper
|
| 10 |
+
import pandas as pd
|
| 11 |
+
from youtube_transcript_api import YouTubeTranscriptApi
|
| 12 |
+
from langchain_community.tools.tavily_search import TavilySearchResults
|
| 13 |
+
from langchain_community.document_loaders import WikipediaLoader
|
| 14 |
+
|
| 15 |
+
try:
|
| 16 |
+
from mcp.server.fastmcp import FastMCP
|
| 17 |
+
mcp = FastMCP("gaia_agent_tools")
|
| 18 |
+
except ImportError:
|
| 19 |
+
print("Warning: MCP not available. Install with: pip install mcp", file=sys.stderr)
|
| 20 |
+
mcp = None
|
| 21 |
+
|
| 22 |
+
class GAIAToolServer:
|
| 23 |
+
"""GAIA Tool Server implementing MCP protocol"""
|
| 24 |
+
|
| 25 |
+
def __init__(self):
|
| 26 |
+
self.tools_registered = False
|
| 27 |
+
if mcp:
|
| 28 |
+
self.register_tools()
|
| 29 |
+
|
| 30 |
+
def register_tools(self):
|
| 31 |
+
"""Register all tools with the MCP server"""
|
| 32 |
+
|
| 33 |
+
@mcp.tool()
|
| 34 |
+
def enhanced_web_search(query: str) -> dict:
|
| 35 |
+
"""Advanced web search with multiple result processing and filtering."""
|
| 36 |
+
try:
|
| 37 |
+
search_tool = TavilySearchResults(max_results=5)
|
| 38 |
+
docs = search_tool.run(query)
|
| 39 |
+
|
| 40 |
+
results = []
|
| 41 |
+
for d in docs:
|
| 42 |
+
content = d.get("content", "").strip()
|
| 43 |
+
url = d.get("url", "")
|
| 44 |
+
if content and len(content) > 20:
|
| 45 |
+
results.append(f"Source: {url}\nContent: {content}")
|
| 46 |
+
|
| 47 |
+
return {"web_results": "\n\n".join(results)}
|
| 48 |
+
except Exception as e:
|
| 49 |
+
return {"web_results": f"Search error: {str(e)}"}
|
| 50 |
+
|
| 51 |
+
@mcp.tool()
|
| 52 |
+
def enhanced_wiki_search(query: str) -> dict:
|
| 53 |
+
"""Enhanced Wikipedia search with better content extraction."""
|
| 54 |
+
try:
|
| 55 |
+
queries = [query, query.replace("_", " "), query.replace("-", " ")]
|
| 56 |
+
|
| 57 |
+
for q in queries:
|
| 58 |
+
try:
|
| 59 |
+
pages = WikipediaLoader(query=q, load_max_docs=3).load()
|
| 60 |
+
if pages:
|
| 61 |
+
content = "\n\n".join([
|
| 62 |
+
f"Page: {p.metadata.get('title', 'Unknown')}\n{p.page_content[:2000]}"
|
| 63 |
+
for p in pages
|
| 64 |
+
])
|
| 65 |
+
return {"wiki_results": content}
|
| 66 |
+
except:
|
| 67 |
+
continue
|
| 68 |
+
|
| 69 |
+
return {"wiki_results": "No Wikipedia results found"}
|
| 70 |
+
except Exception as e:
|
| 71 |
+
return {"wiki_results": f"Wikipedia error: {str(e)}"}
|
| 72 |
+
|
| 73 |
+
@mcp.tool()
|
| 74 |
+
def youtube_transcript_tool(url: str) -> dict:
|
| 75 |
+
"""Extract transcript from YouTube videos with enhanced error handling."""
|
| 76 |
+
try:
|
| 77 |
+
print(f"DEBUG: Processing YouTube URL: {url}", file=sys.stderr)
|
| 78 |
+
|
| 79 |
+
video_id_patterns = [
|
| 80 |
+
r"(?:youtube\.com/watch\?v=|youtu\.be/|youtube\.com/embed/)([a-zA-Z0-9_-]{11})",
|
| 81 |
+
r"(?:v=|\/)([0-9A-Za-z_-]{11})"
|
| 82 |
+
]
|
| 83 |
+
|
| 84 |
+
video_id = None
|
| 85 |
+
for pattern in video_id_patterns:
|
| 86 |
+
match = re.search(pattern, url)
|
| 87 |
+
if match:
|
| 88 |
+
video_id = match.group(1)
|
| 89 |
+
break
|
| 90 |
+
|
| 91 |
+
if not video_id:
|
| 92 |
+
return {"transcript": "Error: Could not extract video ID from URL"}
|
| 93 |
+
|
| 94 |
+
print(f"DEBUG: Extracted video ID: {video_id}", file=sys.stderr)
|
| 95 |
+
|
| 96 |
+
try:
|
| 97 |
+
transcript_list = YouTubeTranscriptApi.list_transcripts(video_id)
|
| 98 |
+
|
| 99 |
+
# Try English first, then any available
|
| 100 |
+
try:
|
| 101 |
+
transcript = transcript_list.find_transcript(['en'])
|
| 102 |
+
except:
|
| 103 |
+
available = list(transcript_list._manually_created_transcripts.keys())
|
| 104 |
+
if available:
|
| 105 |
+
transcript = transcript_list.find_transcript([available[0]])
|
| 106 |
+
else:
|
| 107 |
+
return {"transcript": "No transcripts available"}
|
| 108 |
+
|
| 109 |
+
transcript_data = transcript.fetch()
|
| 110 |
+
|
| 111 |
+
# Format with timestamps
|
| 112 |
+
formatted_transcript = []
|
| 113 |
+
for entry in transcript_data:
|
| 114 |
+
time_str = f"[{entry['start']:.1f}s]"
|
| 115 |
+
formatted_transcript.append(f"{time_str} {entry['text']}")
|
| 116 |
+
|
| 117 |
+
full_transcript = "\n".join(formatted_transcript)
|
| 118 |
+
|
| 119 |
+
return {"transcript": full_transcript}
|
| 120 |
+
|
| 121 |
+
except Exception as e:
|
| 122 |
+
return {"transcript": f"Error fetching transcript: {str(e)}"}
|
| 123 |
+
|
| 124 |
+
except Exception as e:
|
| 125 |
+
return {"transcript": f"YouTube processing error: {str(e)}"}
|
| 126 |
+
|
| 127 |
+
@mcp.tool()
|
| 128 |
+
def enhanced_audio_transcribe(path: str) -> dict:
|
| 129 |
+
"""Enhanced audio transcription with better file handling."""
|
| 130 |
+
try:
|
| 131 |
+
if not os.path.isabs(path):
|
| 132 |
+
abs_path = os.path.abspath(path)
|
| 133 |
+
else:
|
| 134 |
+
abs_path = path
|
| 135 |
+
|
| 136 |
+
print(f"DEBUG: Transcribing audio file: {abs_path}", file=sys.stderr)
|
| 137 |
+
|
| 138 |
+
if not os.path.isfile(abs_path):
|
| 139 |
+
current_dir_path = os.path.join(os.getcwd(), os.path.basename(path))
|
| 140 |
+
if os.path.isfile(current_dir_path):
|
| 141 |
+
abs_path = current_dir_path
|
| 142 |
+
else:
|
| 143 |
+
return {"transcript": f"Error: Audio file not found at {abs_path}"}
|
| 144 |
+
|
| 145 |
+
# Check ffmpeg
|
| 146 |
+
try:
|
| 147 |
+
import subprocess
|
| 148 |
+
subprocess.run(["ffmpeg", "-version"], check=True,
|
| 149 |
+
stdout=subprocess.PIPE, stderr=subprocess.PIPE)
|
| 150 |
+
except (FileNotFoundError, subprocess.CalledProcessError):
|
| 151 |
+
return {"transcript": "Error: ffmpeg not found. Please install ffmpeg."}
|
| 152 |
+
|
| 153 |
+
model = whisper.load_model("base")
|
| 154 |
+
result = model.transcribe(abs_path)
|
| 155 |
+
|
| 156 |
+
transcript = result["text"].strip()
|
| 157 |
+
|
| 158 |
+
return {"transcript": transcript}
|
| 159 |
+
|
| 160 |
+
except Exception as e:
|
| 161 |
+
return {"transcript": f"Transcription error: {str(e)}"}
|
| 162 |
+
|
| 163 |
+
@mcp.tool()
|
| 164 |
+
def enhanced_excel_analysis(path: str, query: str = "", sheet_name: str = None) -> dict:
|
| 165 |
+
"""Enhanced Excel analysis with query-specific processing."""
|
| 166 |
+
try:
|
| 167 |
+
if not os.path.isabs(path):
|
| 168 |
+
abs_path = os.path.abspath(path)
|
| 169 |
+
else:
|
| 170 |
+
abs_path = path
|
| 171 |
+
|
| 172 |
+
if not os.path.isfile(abs_path):
|
| 173 |
+
current_dir_path = os.path.join(os.getcwd(), os.path.basename(path))
|
| 174 |
+
if os.path.isfile(current_dir_path):
|
| 175 |
+
abs_path = current_dir_path
|
| 176 |
+
else:
|
| 177 |
+
return {"excel_analysis": f"Error: Excel file not found at {abs_path}"}
|
| 178 |
+
|
| 179 |
+
df = pd.read_excel(abs_path, sheet_name=sheet_name or 0)
|
| 180 |
+
|
| 181 |
+
analysis = {
|
| 182 |
+
"columns": list(df.columns),
|
| 183 |
+
"row_count": len(df),
|
| 184 |
+
"sheet_info": f"Analyzing sheet: {sheet_name or 'default'}"
|
| 185 |
+
}
|
| 186 |
+
|
| 187 |
+
query_lower = query.lower() if query else ""
|
| 188 |
+
|
| 189 |
+
if "total" in query_lower or "sum" in query_lower:
|
| 190 |
+
numeric_cols = df.select_dtypes(include=['number']).columns
|
| 191 |
+
totals = {}
|
| 192 |
+
for col in numeric_cols:
|
| 193 |
+
totals[col] = df[col].sum()
|
| 194 |
+
analysis["totals"] = totals
|
| 195 |
+
|
| 196 |
+
if "food" in query_lower or "category" in query_lower:
|
| 197 |
+
for col in df.columns:
|
| 198 |
+
if df[col].dtype == 'object':
|
| 199 |
+
categories = df[col].value_counts().to_dict()
|
| 200 |
+
analysis[f"{col}_categories"] = categories
|
| 201 |
+
|
| 202 |
+
analysis["sample_data"] = df.head(5).to_dict('records')
|
| 203 |
+
|
| 204 |
+
numeric_cols = df.select_dtypes(include=['number']).columns
|
| 205 |
+
if len(numeric_cols) > 0:
|
| 206 |
+
analysis["numeric_summary"] = df[numeric_cols].describe().to_dict()
|
| 207 |
+
|
| 208 |
+
return {"excel_analysis": analysis}
|
| 209 |
+
|
| 210 |
+
except Exception as e:
|
| 211 |
+
return {"excel_analysis": f"Excel analysis error: {str(e)}"}
|
| 212 |
+
|
| 213 |
+
@mcp.tool()
|
| 214 |
+
def web_file_downloader(url: str) -> dict:
|
| 215 |
+
"""Download and analyze files from web URLs."""
|
| 216 |
+
try:
|
| 217 |
+
response = requests.get(url, timeout=30)
|
| 218 |
+
response.raise_for_status()
|
| 219 |
+
|
| 220 |
+
content_type = response.headers.get('content-type', '').lower()
|
| 221 |
+
|
| 222 |
+
if 'audio' in content_type or url.endswith(('.mp3', '.wav', '.m4a')):
|
| 223 |
+
temp_path = f"temp_audio_{hash(url) % 10000}.wav"
|
| 224 |
+
with open(temp_path, 'wb') as f:
|
| 225 |
+
f.write(response.content)
|
| 226 |
+
|
| 227 |
+
result = enhanced_audio_transcribe(temp_path)
|
| 228 |
+
|
| 229 |
+
try:
|
| 230 |
+
os.remove(temp_path)
|
| 231 |
+
except:
|
| 232 |
+
pass
|
| 233 |
+
|
| 234 |
+
return result
|
| 235 |
+
|
| 236 |
+
elif 'text' in content_type or 'html' in content_type:
|
| 237 |
+
return {"content": response.text[:5000]}
|
| 238 |
+
|
| 239 |
+
else:
|
| 240 |
+
return {"content": f"Downloaded {len(response.content)} bytes of {content_type}"}
|
| 241 |
+
|
| 242 |
+
except Exception as e:
|
| 243 |
+
return {"content": f"Download error: {str(e)}"}
|
| 244 |
+
|
| 245 |
+
@mcp.tool()
|
| 246 |
+
def test_tool(message: str) -> dict:
|
| 247 |
+
"""A simple test tool that always works."""
|
| 248 |
+
print(f"DEBUG: Test tool called with: {message}", file=sys.stderr)
|
| 249 |
+
return {"result": f"Test successful: {message}"}
|
| 250 |
+
|
| 251 |
+
self.tools_registered = True
|
| 252 |
+
print("DEBUG: All MCP tools registered successfully", file=sys.stderr)
|
| 253 |
+
|
| 254 |
+
# Standalone functions for direct use (when MCP is not available)
|
| 255 |
+
class DirectTools:
|
| 256 |
+
"""Direct tool implementations for use without MCP"""
|
| 257 |
+
|
| 258 |
+
@staticmethod
|
| 259 |
+
def enhanced_web_search(query: str) -> dict:
|
| 260 |
+
"""Direct web search implementation"""
|
| 261 |
+
try:
|
| 262 |
+
search_tool = TavilySearchResults(max_results=5)
|
| 263 |
+
docs = search_tool.run(query)
|
| 264 |
+
|
| 265 |
+
results = []
|
| 266 |
+
for d in docs:
|
| 267 |
+
content = d.get("content", "").strip()
|
| 268 |
+
url = d.get("url", "")
|
| 269 |
+
if content and len(content) > 20:
|
| 270 |
+
results.append(f"Source: {url}\nContent: {content}")
|
| 271 |
+
|
| 272 |
+
return {"web_results": "\n\n".join(results)}
|
| 273 |
+
except Exception as e:
|
| 274 |
+
return {"web_results": f"Search error: {str(e)}"}
|
| 275 |
+
|
| 276 |
+
@staticmethod
|
| 277 |
+
def youtube_transcript_tool(url: str) -> dict:
|
| 278 |
+
"""Direct YouTube transcript implementation"""
|
| 279 |
+
try:
|
| 280 |
+
video_id_patterns = [
|
| 281 |
+
r"(?:youtube\.com/watch\?v=|youtu\.be/|youtube\.com/embed/)([a-zA-Z0-9_-]{11})",
|
| 282 |
+
r"(?:v=|\/)([0-9A-Za-z_-]{11})"
|
| 283 |
+
]
|
| 284 |
+
|
| 285 |
+
video_id = None
|
| 286 |
+
for pattern in video_id_patterns:
|
| 287 |
+
match = re.search(pattern, url)
|
| 288 |
+
if match:
|
| 289 |
+
video_id = match.group(1)
|
| 290 |
+
break
|
| 291 |
+
|
| 292 |
+
if not video_id:
|
| 293 |
+
return {"transcript": "Error: Could not extract video ID from URL"}
|
| 294 |
+
|
| 295 |
+
transcript_list = YouTubeTranscriptApi.list_transcripts(video_id)
|
| 296 |
+
|
| 297 |
+
try:
|
| 298 |
+
transcript = transcript_list.find_transcript(['en'])
|
| 299 |
+
except:
|
| 300 |
+
available = list(transcript_list._manually_created_transcripts.keys())
|
| 301 |
+
if available:
|
| 302 |
+
transcript = transcript_list.find_transcript([available[0]])
|
| 303 |
+
else:
|
| 304 |
+
return {"transcript": "No transcripts available"}
|
| 305 |
+
|
| 306 |
+
transcript_data = transcript.fetch()
|
| 307 |
+
|
| 308 |
+
formatted_transcript = []
|
| 309 |
+
for entry in transcript_data:
|
| 310 |
+
time_str = f"[{entry['start']:.1f}s]"
|
| 311 |
+
formatted_transcript.append(f"{time_str} {entry['text']}")
|
| 312 |
+
|
| 313 |
+
full_transcript = "\n".join(formatted_transcript)
|
| 314 |
+
|
| 315 |
+
return {"transcript": full_transcript}
|
| 316 |
+
|
| 317 |
+
except Exception as e:
|
| 318 |
+
return {"transcript": f"YouTube processing error: {str(e)}"}
|
| 319 |
+
|
| 320 |
+
# Initialize the server
|
| 321 |
+
tool_server = GAIAToolServer()
|
| 322 |
+
|
| 323 |
+
if __name__ == "__main__":
|
| 324 |
+
if mcp and tool_server.tools_registered:
|
| 325 |
+
print("DEBUG: Starting MCP server", file=sys.stderr)
|
| 326 |
+
mcp.run(transport="stdio")
|
| 327 |
+
else:
|
| 328 |
+
print("MCP not available. Tools can be used directly via DirectTools class.")
|
| 329 |
+
|
| 330 |
+
# Test the tools
|
| 331 |
+
print("\nTesting DirectTools:")
|
| 332 |
+
|
| 333 |
+
# Test YouTube tool
|
| 334 |
+
test_url = "https://www.youtube.com/watch?v=1htKBjuUWec"
|
| 335 |
+
result = DirectTools.youtube_transcript_tool(test_url)
|
| 336 |
+
print(f"YouTube test result: {result}")
|
requirements.txt
CHANGED
|
@@ -1,27 +1,45 @@
|
|
|
|
|
| 1 |
gradio==5.30.0
|
| 2 |
requests
|
| 3 |
pandas
|
| 4 |
python-dotenv
|
| 5 |
IPython
|
| 6 |
-
numpy==1.26.4
|
|
|
|
|
|
|
| 7 |
huggingface_hub
|
| 8 |
transformers==4.51.3
|
| 9 |
langchain-huggingface==0.2.0
|
|
|
|
|
|
|
|
|
|
|
|
|
| 10 |
langgraph==0.4.5
|
| 11 |
langsmith==0.3.42
|
| 12 |
-
langchain==0.3.25
|
| 13 |
-
langchain-community==0.3.24
|
| 14 |
-
langchain-core==0.3.63
|
| 15 |
-
langchain-openai==0.3.19
|
|
|
|
|
|
|
| 16 |
tavily-python==0.7.2
|
| 17 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 18 |
PyYAML
|
|
|
|
|
|
|
|
|
|
| 19 |
hf-xet~=1.1.1
|
| 20 |
tenacity
|
| 21 |
-
openai==1.79.0
|
| 22 |
-
|
| 23 |
-
|
| 24 |
-
|
| 25 |
-
ffmpeg-python
|
| 26 |
-
datasets
|
| 27 |
-
wikipedia
|
|
|
|
| 1 |
+
# Core dependencies
|
| 2 |
gradio==5.30.0
|
| 3 |
requests
|
| 4 |
pandas
|
| 5 |
python-dotenv
|
| 6 |
IPython
|
| 7 |
+
numpy==1.26.4
|
| 8 |
+
|
| 9 |
+
# Hugging Face ecosystem
|
| 10 |
huggingface_hub
|
| 11 |
transformers==4.51.3
|
| 12 |
langchain-huggingface==0.2.0
|
| 13 |
+
datasets
|
| 14 |
+
sentence-transformers
|
| 15 |
+
|
| 16 |
+
# LangChain ecosystem
|
| 17 |
langgraph==0.4.5
|
| 18 |
langsmith==0.3.42
|
| 19 |
+
langchain==0.3.25
|
| 20 |
+
langchain-community==0.3.24
|
| 21 |
+
langchain-core==0.3.63
|
| 22 |
+
langchain-openai==0.3.19
|
| 23 |
+
|
| 24 |
+
# Search and retrieval
|
| 25 |
tavily-python==0.7.2
|
| 26 |
+
wikipedia
|
| 27 |
+
supabase
|
| 28 |
+
|
| 29 |
+
# Audio/Video processing
|
| 30 |
+
openai-whisper
|
| 31 |
+
ffmpeg-python
|
| 32 |
+
youtube-transcript-api
|
| 33 |
+
|
| 34 |
+
# File processing
|
| 35 |
+
openpyxl
|
| 36 |
PyYAML
|
| 37 |
+
|
| 38 |
+
# Core utilities
|
| 39 |
+
pydantic==2.11.7
|
| 40 |
hf-xet~=1.1.1
|
| 41 |
tenacity
|
| 42 |
+
openai==1.79.0
|
| 43 |
+
|
| 44 |
+
# Optional: MCP support
|
| 45 |
+
# mcp # Uncomment if using MCP server
|
|
|
|
|
|
|
|
|
test_enhanced_agent.py
ADDED
|
@@ -0,0 +1,151 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
+
#!/usr/bin/env python3
|
| 2 |
+
"""
|
| 3 |
+
Test script for the enhanced GAIA agent
|
| 4 |
+
"""
|
| 5 |
+
import os
|
| 6 |
+
import sys
|
| 7 |
+
from dotenv import load_dotenv
|
| 8 |
+
|
| 9 |
+
# Add current directory to path
|
| 10 |
+
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
|
| 11 |
+
|
| 12 |
+
try:
|
| 13 |
+
from langgraph_new import graph, answer_gaia_question, get_random_gaia_question
|
| 14 |
+
print("β
Successfully imported enhanced GAIA agent")
|
| 15 |
+
except ImportError as e:
|
| 16 |
+
print(f"β Import error: {e}")
|
| 17 |
+
sys.exit(1)
|
| 18 |
+
|
| 19 |
+
def test_basic_functionality():
|
| 20 |
+
"""Test basic agent functionality"""
|
| 21 |
+
print("\nπ§ Testing basic functionality...")
|
| 22 |
+
|
| 23 |
+
test_cases = [
|
| 24 |
+
("What is 2 + 2?", "4"),
|
| 25 |
+
("What is the capital of France?", "Paris"),
|
| 26 |
+
("List these items alphabetically: zebra, apple, banana", "apple, banana, zebra"),
|
| 27 |
+
]
|
| 28 |
+
|
| 29 |
+
for question, expected in test_cases:
|
| 30 |
+
try:
|
| 31 |
+
answer = answer_gaia_question(question)
|
| 32 |
+
print(f"Q: {question}")
|
| 33 |
+
print(f"A: {answer}")
|
| 34 |
+
print(f"Expected: {expected}")
|
| 35 |
+
print(f"Match: {'β
' if expected.lower() in answer.lower() else 'β'}")
|
| 36 |
+
print("-" * 50)
|
| 37 |
+
except Exception as e:
|
| 38 |
+
print(f"β Error answering '{question}': {e}")
|
| 39 |
+
|
| 40 |
+
def test_file_analysis():
|
| 41 |
+
"""Test file analysis capabilities"""
|
| 42 |
+
print("\nπ Testing file analysis...")
|
| 43 |
+
|
| 44 |
+
# Test Excel file if it exists
|
| 45 |
+
if os.path.exists("test_sales.xlsx"):
|
| 46 |
+
try:
|
| 47 |
+
question = "Given the Excel file at test_sales.xlsx, what is the structure of the data?"
|
| 48 |
+
answer = answer_gaia_question(question)
|
| 49 |
+
print(f"Q: {question}")
|
| 50 |
+
print(f"A: {answer}")
|
| 51 |
+
except Exception as e:
|
| 52 |
+
print(f"β Excel test error: {e}")
|
| 53 |
+
else:
|
| 54 |
+
print("β οΈ test_sales.xlsx not found, skipping Excel test")
|
| 55 |
+
|
| 56 |
+
# Test audio file if it exists
|
| 57 |
+
if os.path.exists("test.wav"):
|
| 58 |
+
try:
|
| 59 |
+
question = "What does the speaker say in the audio file test.wav?"
|
| 60 |
+
answer = answer_gaia_question(question)
|
| 61 |
+
print(f"Q: {question}")
|
| 62 |
+
print(f"A: {answer}")
|
| 63 |
+
except Exception as e:
|
| 64 |
+
print(f"β Audio test error: {e}")
|
| 65 |
+
else:
|
| 66 |
+
print("β οΈ test.wav not found, skipping audio test")
|
| 67 |
+
|
| 68 |
+
def test_youtube_capability():
|
| 69 |
+
"""Test YouTube transcript capability"""
|
| 70 |
+
print("\nπ₯ Testing YouTube capability...")
|
| 71 |
+
|
| 72 |
+
try:
|
| 73 |
+
# Test with a known working video
|
| 74 |
+
question = """Examine the video at https://www.youtube.com/watch?v=1htKBjuUWec. What does Teal'c say in response to the question "Isn't that hot?" """
|
| 75 |
+
answer = answer_gaia_question(question)
|
| 76 |
+
print(f"Q: {question}")
|
| 77 |
+
print(f"A: {answer}")
|
| 78 |
+
except Exception as e:
|
| 79 |
+
print(f"β YouTube test error: {e}")
|
| 80 |
+
|
| 81 |
+
def test_web_search():
|
| 82 |
+
"""Test web search capabilities"""
|
| 83 |
+
print("\nπ Testing web search...")
|
| 84 |
+
|
| 85 |
+
try:
|
| 86 |
+
question = "Who is the current president of France in 2025?"
|
| 87 |
+
answer = answer_gaia_question(question)
|
| 88 |
+
print(f"Q: {question}")
|
| 89 |
+
print(f"A: {answer}")
|
| 90 |
+
except Exception as e:
|
| 91 |
+
print(f"β Web search test error: {e}")
|
| 92 |
+
|
| 93 |
+
def test_real_gaia_question():
|
| 94 |
+
"""Test with a real GAIA question from the API"""
|
| 95 |
+
print("\nπ― Testing with real GAIA question...")
|
| 96 |
+
|
| 97 |
+
try:
|
| 98 |
+
question_data = get_random_gaia_question()
|
| 99 |
+
if question_data:
|
| 100 |
+
question = question_data.get('question', '')
|
| 101 |
+
task_id = question_data.get('task_id', 'Unknown')
|
| 102 |
+
|
| 103 |
+
print(f"Task ID: {task_id}")
|
| 104 |
+
print(f"Question: {question}")
|
| 105 |
+
|
| 106 |
+
answer = answer_gaia_question(question)
|
| 107 |
+
print(f"Agent Answer: {answer}")
|
| 108 |
+
|
| 109 |
+
return {"task_id": task_id, "question": question, "answer": answer}
|
| 110 |
+
else:
|
| 111 |
+
print("β οΈ Could not fetch random GAIA question")
|
| 112 |
+
return None
|
| 113 |
+
except Exception as e:
|
| 114 |
+
print(f"β Real GAIA question test error: {e}")
|
| 115 |
+
return None
|
| 116 |
+
|
| 117 |
+
def main():
|
| 118 |
+
"""Main test runner"""
|
| 119 |
+
load_dotenv()
|
| 120 |
+
|
| 121 |
+
print("π Starting GAIA Agent Tests")
|
| 122 |
+
print("=" * 60)
|
| 123 |
+
|
| 124 |
+
# Check environment variables
|
| 125 |
+
required_vars = ["OPENAI_API_KEY", "TAVILY_API_KEY"]
|
| 126 |
+
missing_vars = [var for var in required_vars if not os.getenv(var)]
|
| 127 |
+
|
| 128 |
+
if missing_vars:
|
| 129 |
+
print(f"β Missing environment variables: {missing_vars}")
|
| 130 |
+
print("Please set these in your .env file")
|
| 131 |
+
return
|
| 132 |
+
|
| 133 |
+
# Run tests
|
| 134 |
+
test_basic_functionality()
|
| 135 |
+
test_file_analysis()
|
| 136 |
+
test_web_search()
|
| 137 |
+
test_youtube_capability()
|
| 138 |
+
|
| 139 |
+
# Test with real GAIA question
|
| 140 |
+
gaia_result = test_real_gaia_question()
|
| 141 |
+
|
| 142 |
+
print("\n" + "=" * 60)
|
| 143 |
+
print("π Test suite completed!")
|
| 144 |
+
|
| 145 |
+
if gaia_result:
|
| 146 |
+
print("\nπ Sample GAIA Result:")
|
| 147 |
+
print(f"Task ID: {gaia_result['task_id']}")
|
| 148 |
+
print(f"Answer: {gaia_result['answer']}")
|
| 149 |
+
|
| 150 |
+
if __name__ == "__main__":
|
| 151 |
+
main()
|