Advertisement
Guest User

Hartwired Claude Tool

a guest
Mar 24th, 2025
468
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 17.78 KB | Source Code | 0 0
  1. import os
  2. import json
  3. import logging
  4. import datetime
  5. import requests
  6. import urllib.parse
  7. from duckduckgo_search import DDGS
  8. import ollama
  9. import re
  10. import colorama
  11. from colorama import Fore, Back, Style
  12.  
  13. # Initialize colorama for color output
  14. colorama.init(autoreset=True)
  15.  
  16. ############################################################
  17. # Claude-Style Thinking Tool Demo by HartWired (YouTube)
  18. # https://youtube.com/@hartwired
  19. #
  20. # This script demonstrates a thinking tool similar to Claude's
  21. # that allows the model to reason step by step through complex tasks.
  22. # Model: jacob-ebey/phi4-tools:latest (via Ollama)
  23. # Tools: web_search (DuckDuckGo) and think (reasoning)
  24. ############################################################
  25.  
  26. # Set up logging
  27. logging.basicConfig(
  28.     level=logging.INFO,
  29.     format=f'{Fore.CYAN}%(asctime)s - {Fore.GREEN}%(levelname)s - {Fore.WHITE}%(message)s',
  30.     datefmt='%Y-%m-%d %H:%M:%S'
  31. )
  32. logger = logging.getLogger(__name__)
  33.  
  34. print(f"\n{Back.BLUE}{Fore.WHITE} CLAUDE-STYLE THINKING TOOL DEMO {Style.RESET_ALL} {Fore.YELLOW}by HartWired (YouTube)")
  35. print(f"\n{Fore.CYAN}=== {Fore.YELLOW}Initializing Research Assistant with Phi4-tools {Fore.CYAN}===")
  36.  
  37. # Define user task - can be modified by users for different research needs
  38. DEFAULT_RESEARCH_QUERY = """I'm trying to learn about the latest AI news. Can you research this topic. After you researched it can you check if you can find more information. At the end provide a balanced analysis!"""
  39.  
  40. # Tool implementation functions to handle actual tool calls
  41. def process_tool_call(tool_name, tool_input):
  42.     """Process a tool call based on the tool name and input."""
  43.     logger.info(f"Processing tool call: {Fore.YELLOW}{tool_name}")
  44.     logger.info(f"Tool input: {Fore.WHITE}{json.dumps(tool_input, indent=2)}")
  45.  
  46.     # DuckDuckGo web search
  47.     if tool_name == "web_search":
  48.         query = tool_input.get("query")
  49.         num_results = tool_input.get("num_results", 3)
  50.        
  51.         logger.info(f"Searching DuckDuckGo for: {Fore.YELLOW}{query}")
  52.        
  53.         try:
  54.             with DDGS() as ddgs:
  55.                 results = list(ddgs.text(query, max_results=num_results))
  56.            
  57.             if not results:
  58.                 logger.warning(f"No search results found for query: {query}")
  59.                 return {"error": "No search results found", "query": query}
  60.                
  61.             logger.info(f"Found {Fore.GREEN}{len(results)} search results")
  62.            
  63.             # Format the results in a more readable way
  64.             formatted_results = []
  65.             for i, result in enumerate(results, 1):
  66.                 formatted_results.append(f"Result {i}:\n" +
  67.                                         f"Title: {result.get('title', 'No title')}\n" +
  68.                                         f"Body: {result.get('body', 'No content')}\n" +
  69.                                         f"URL: {result.get('href', 'No URL')}\n")
  70.            
  71.             return "\n".join(formatted_results)
  72.                
  73.         except Exception as e:
  74.             logger.error(f"Error searching DuckDuckGo: {str(e)}")
  75.             return f"Error searching for '{query}': {str(e)}"
  76.  
  77.     # The "think" tool - Claude-style thinking tool implementation
  78.     elif tool_name == "think":
  79.         thought = tool_input.get("thought")
  80.        
  81.         # Format the thought with a Claude-style thinking layout
  82.         print("\n" + "="*100)
  83.         print(f"{Back.MAGENTA}{Fore.WHITE}🧠 CLAUDE-STYLE THINKING PROCESS 🧠{Style.RESET_ALL}")
  84.         print("="*100)
  85.        
  86.         # Split thought into paragraphs for better readability
  87.         paragraphs = thought.split('\n\n')
  88.         for para in paragraphs:
  89.             # Highlight important sections with colors
  90.             para = para.replace('**', f'{Fore.YELLOW}')  # Highlight markdown bold text
  91.             if para.strip().startswith(('1.', '2.', '3.', '4.', '5.')):
  92.                 # Make numbered points stand out
  93.                 print(f"\n{Fore.GREEN}{para}")
  94.             else:
  95.                 print(f"\n{Fore.WHITE}{para}")
  96.                
  97.         print(f"\n{Back.MAGENTA}{Fore.WHITE}" + "="*100 + f"{Style.RESET_ALL}\n")
  98.        
  99.         # Calculate thinking statistics
  100.         word_count = len(thought.split())
  101.         logger.info(f"{Fore.MAGENTA}Model used the Claude-style think tool ({word_count} words)")
  102.         return "Thought recorded. Continue with your analysis."
  103.  
  104.     else:
  105.         logger.error(f"Unknown tool: {tool_name}")
  106.         return f"Error: Unknown tool '{tool_name}'"
  107.  
  108. # Claude-inspired system prompt with explicit thinking tool instructions
  109. system_prompt = """
  110. You are a research assistant that helps users find and synthesize information, similar to Claude AI. You MUST use the available tools:
  111.  
  112. 1. web_search tool - Use this to find current information on the web through DuckDuckGo
  113. 2. think tool - Use this powerful tool for step-by-step reasoning, similar to Claude's thinking tool
  114.  
  115. When responding to a request requiring research, ALWAYS use these tools in this format:
  116.  
  117. For web searches:
  118.  
  119.  
  120. <tool>web_search
  121. {"query": "your search query here", "num_results": 3}
  122. </tool>
  123.  
  124.  
  125. For thinking and analysis:
  126.  
  127.  
  128. <tool>think
  129. {"thought": "Your detailed analysis and reasoning here..."}
  130. </tool>
  131.  
  132.  
  133. IMPORTANT:
  134. - ALWAYS use at least one web_search tool call before providing your final answer
  135. - ALWAYS use the think tool at least once to analyze findings before your final answer
  136. - Make your thinking thorough and detailed, similar to how Claude uses its thinking tool
  137. - Put each tool call in its own code block with the <tool> tags
  138. - Wait for results from each tool before proceeding
  139. - After using tools, provide a comprehensive, balanced analysis citing the information you found
  140.  
  141. EXAMPLE WORKFLOW:
  142.  
  143. 1. User asks about a research topic
  144. 2. You use web_search tool:
  145.  
  146.  
  147. <tool>web_search
  148. {"query": "latest research on the topic", "num_results": 3}
  149. </tool>
  150.  
  151. 3. You get search results
  152. 4. You use the Claude-style think tool to analyze:
  153.  
  154.  
  155. <tool>think
  156. {"thought": "Let me analyze the search results carefully...\n\n1. The first source indicates X...\n2. The second source suggests Y...\n3. There seems to be a conflict between the first and third sources regarding Z...\n\nTo resolve this, I need more specific information about..."}
  157. </tool>
  158.  
  159. 5. If needed, search for more information
  160. 6. Provide your final answer synthesizing all information
  161.  
  162. Always be thorough, critical, and analytical in your research, similar to Claude's methodical approach.
  163. """
  164.  
  165. def extract_tool_calls(response):
  166.     """
  167.    Extract tool calls from the model response using regex pattern matching.
  168.    
  169.    Format expected:
  170.    <tool>tool_name
  171.    {"param": "value"}
  172.    </tool>
  173.    """
  174.     # Pattern to match the tool call format
  175.     pattern = r'<tool>(.*?)\n(.*?)\n</tool>'
  176.    
  177.     # Find all matches in the response
  178.     matches = re.findall(pattern, response, re.DOTALL)
  179.    
  180.     tool_calls = []
  181.     for match in matches:
  182.         tool_name = match[0].strip()
  183.         try:
  184.             # Fix for JSON parsing - handle escape characters properly
  185.             input_text = match[1].strip()
  186.             # Replace escaped quotes and newlines if needed
  187.             input_text = input_text.replace('\\"', '"').replace('\\n', '\n')
  188.             tool_input = json.loads(input_text)
  189.             tool_calls.append((tool_name, tool_input))
  190.         except json.JSONDecodeError as e:
  191.             logger.error(f"Failed to parse tool input JSON: {e}")
  192.             # Try a more lenient approach for think tool
  193.             if tool_name == "think" and '"thought":' in input_text:
  194.                 try:
  195.                     # Extract the thought content directly with regex
  196.                     thought_match = re.search(r'"thought":\s*"(.*?)"\s*}', input_text, re.DOTALL)
  197.                     if thought_match:
  198.                         thought_content = thought_match.group(1)
  199.                         tool_calls.append((tool_name, {"thought": thought_content}))
  200.                     else:
  201.                         logger.error(f"Could not extract thought content with regex")
  202.                 except Exception as ex:
  203.                     logger.error(f"Error extracting thought with regex: {ex}")
  204.    
  205.     return tool_calls
  206.  
  207. def process_message(message, conversation_history=None):
  208.     """
  209.    Process a message using phi4-tools via Ollama
  210.    
  211.    Args:
  212.        message: User message or system message
  213.        conversation_history: Full conversation history including tool responses
  214.        
  215.    Returns:
  216.        Response from the model
  217.    """
  218.     if conversation_history is None:
  219.         conversation_history = []
  220.    
  221.     # Prepare messages for Ollama
  222.     messages = []
  223.    
  224.     # Add system prompt
  225.     messages.append({"role": "system", "content": system_prompt})
  226.    
  227.     # Add conversation history
  228.     for entry in conversation_history:
  229.         messages.append({"role": entry["role"], "content": entry["content"]})
  230.    
  231.     # Add the current message if it's not empty
  232.     if message:
  233.         messages.append({"role": "user", "content": message})
  234.    
  235.     try:
  236.         # Call Ollama with phi4-tools model
  237.         logger.info(f"{Fore.CYAN}Querying model: {Fore.YELLOW}jacob-ebey/phi4-tools:latest")
  238.         response = ollama.chat(
  239.             model="jacob-ebey/phi4-tools:latest",
  240.             messages=messages,
  241.             stream=False
  242.         )
  243.        
  244.         return response["message"]["content"]
  245.     except Exception as e:
  246.         logger.error(f"Error calling Ollama: {str(e)}")
  247.         return f"Error: {str(e)}"
  248.  
  249. def handle_conversation(user_message):
  250.     """
  251.    Handle a multi-turn conversation with phi4-tools using Ollama.
  252.    Implements a Claude-style thinking process for complex reasoning.
  253.    
  254.    Args:
  255.        user_message: The user's message as a string
  256.    
  257.    Returns:
  258.        Full conversation log including all tool usage
  259.    """
  260.     divider = f"{Fore.CYAN}=" * 80
  261.     print(f"\n{divider}")
  262.     print(f"{Fore.YELLOW}🧑 USER QUERY: {Fore.WHITE}{user_message}")
  263.     print(f"{divider}")
  264.    
  265.     # Initialize conversation history
  266.     conversation_history = []
  267.    
  268.     # Add the user message to conversation history
  269.     conversation_history.append({"role": "user", "content": user_message})
  270.    
  271.     # Make the initial request to phi4-tools
  272.     logger.info(f"Sending initial request to Phi4 with Claude-style thinking instructions")
  273.     response = process_message("", conversation_history)
  274.    
  275.     # Process any tool uses
  276.     iteration = 1
  277.     max_iterations = 10  # Prevent infinite loops
  278.    
  279.     # Track tool usage for Claude-style analytics
  280.     tool_usage = {"web_search": 0, "think": 0}
  281.     final_response = response
  282.    
  283.     while iteration < max_iterations:
  284.         # Extract tool calls from the response
  285.         tool_calls = extract_tool_calls(response)
  286.        
  287.         if not tool_calls:
  288.             print(f"\n{Fore.RED}🛑 No more tool calls found in iteration {iteration}, finalizing response.")
  289.             final_response = response
  290.             break
  291.        
  292.         # Process each tool call
  293.         for tool_name, tool_input in tool_calls:
  294.             # Format for Claude-style tool usage display
  295.             if tool_name == "think":
  296.                 print(f"\n{Back.MAGENTA}{Fore.WHITE} ITERATION {iteration} {Style.RESET_ALL} {Fore.YELLOW}Using Claude-style: {Fore.GREEN}{tool_name}")
  297.             else:
  298.                 print(f"\n{Back.BLUE}{Fore.WHITE} ITERATION {iteration} {Style.RESET_ALL} {Fore.YELLOW}Processing tool: {Fore.GREEN}{tool_name}")
  299.            
  300.             # Track tool usage
  301.             if tool_name in tool_usage:
  302.                 tool_usage[tool_name] += 1
  303.            
  304.             # Process the tool call
  305.             tool_result = process_tool_call(tool_name, tool_input)
  306.            
  307.             # Add the assistant's tool call to conversation history
  308.             assistant_message = f"I'll use the {tool_name} tool to help with this.\n\n<tool>{tool_name}\n{json.dumps(tool_input)}\n</tool>"
  309.             conversation_history.append({"role": "assistant", "content": assistant_message})
  310.            
  311.             # Add the tool result to conversation history
  312.             conversation_history.append({"role": "user", "content": f"Tool result:\n{tool_result}"})
  313.        
  314.         # Get the next response
  315.         response = process_message("", conversation_history)
  316.         iteration += 1
  317.    
  318.     # Add the final response to conversation history
  319.     final_response_clean = re.sub(r'<tool>.*?</tool>', '', final_response, flags=re.DOTALL).strip()
  320.    
  321.     if final_response_clean:
  322.         conversation_history.append({"role": "assistant", "content": final_response_clean})
  323.        
  324.         print(f"\n{divider}")
  325.         print(f"{Back.GREEN}{Fore.WHITE} 🤖 FINAL RESEARCH SYNTHESIS: {Style.RESET_ALL}")
  326.         print(f"{Fore.CYAN}{'-' * 80}")
  327.        
  328.         # Format the output for better readability
  329.         paragraphs = final_response_clean.split('\n\n')
  330.         for para in paragraphs:
  331.             # Highlight headings and important points
  332.             if para.strip().startswith(('#', '##', '###')):
  333.                 print(f"\n{Fore.YELLOW}{para}")
  334.             elif para.strip().startswith(('1.', '2.', '3.', '4.', '5.')):
  335.                 print(f"\n{Fore.GREEN}{para}")
  336.             else:
  337.                 print(f"\n{Fore.WHITE}{para}")
  338.        
  339.         print(f"{divider}")
  340.    
  341.     # Print tool usage summary with Claude-style analytics
  342.     print(f"\n{Back.MAGENTA}{Fore.WHITE} 📊 CLAUDE-STYLE THINKING ANALYTICS {Style.RESET_ALL}")
  343.     for tool, count in tool_usage.items():
  344.         tool_color = Fore.MAGENTA if tool == "think" else Fore.YELLOW
  345.         tool_icon = "🧠" if tool == "think" else "🔍"
  346.         print(f"  - {tool_icon} {tool_color}{tool}: {Fore.WHITE}{count} times")
  347.    
  348.     return conversation_history, tool_usage
  349.  
  350. def main():
  351.     """
  352.    Claude-Style Thinking Tool Demo by HartWired (YouTube)
  353.    Demonstrates how a model can use explicit reasoning and web search
  354.    to tackle complex research questions, similar to Claude AI.
  355.    """
  356.     header = f"{Fore.YELLOW}*" * 100
  357.     print(f"\n{header}")
  358.     title = f"{Back.MAGENTA}{Fore.WHITE} CLAUDE-STYLE THINKING TOOL DEMO BY HARTWIRED {Style.RESET_ALL}"
  359.     print(f"{title}")
  360.     print(f"{header}")
  361.    
  362.     # Display configuration information for users
  363.     config_info = f"""
  364. {Fore.CYAN}CONFIGURATION:
  365. {Fore.WHITE}Model: {Fore.GREEN}jacob-ebey/phi4-tools:latest {Fore.WHITE}(via Ollama)
  366. {Fore.WHITE}Tools: {Fore.YELLOW}web_search {Fore.WHITE}(DuckDuckGo) and {Fore.MAGENTA}think {Fore.WHITE}(Claude-style reasoning)
  367. {Fore.WHITE}System Prompt: {Fore.GREEN}Claude-inspired prompt with thinking instructions
  368. {Fore.WHITE}Default Task: {Fore.YELLOW}Research latest AI news
  369.  
  370. {Fore.CYAN}DEMO PURPOSE:
  371. {Fore.GREEN}This demonstration shows how models can think like Claude:
  372. {Fore.WHITE}1. {Fore.YELLOW}Search the web using DuckDuckGo for factual information
  373. {Fore.WHITE}2. {Fore.MAGENTA}Use a Claude-style thinking tool to analyze findings and reason step by step
  374. {Fore.WHITE}3. {Fore.GREEN}Synthesize information into a balanced, comprehensive analysis
  375.  
  376. {Fore.YELLOW}Watch as the model works through a research question with Claude-style thinking.
  377. """
  378.     print(config_info)
  379.    
  380.     # Ask user if they want to use the default query or enter their own
  381.     print(f"{Fore.CYAN}Default research query: {Fore.WHITE}{DEFAULT_RESEARCH_QUERY}")
  382.     use_default = input(f"\n{Fore.GREEN}Use default query? (y/n): {Fore.WHITE}").lower() == 'y'
  383.    
  384.     if use_default:
  385.         user_message = DEFAULT_RESEARCH_QUERY
  386.     else:
  387.         user_message = input(f"\n{Fore.GREEN}Enter your research query: {Fore.WHITE}")
  388.    
  389.     # Process the conversation
  390.     logger.info(f"{Fore.GREEN}Starting Claude-style research process")
  391.     conversation_history, tool_usage = handle_conversation(user_message)
  392.    
  393.     # Show conversation summary
  394.     print(f"\n{header}")
  395.     print(f"{Back.GREEN}{Fore.WHITE} CLAUDE-STYLE THINKING SUMMARY {Style.RESET_ALL}")
  396.     print(f"{header}")
  397.    
  398.     print(f"\n{Fore.CYAN}📊 THINKING ANALYTICS:")
  399.     for tool, count in tool_usage.items():
  400.         icon = "🧠" if tool == "think" else "🔍"
  401.         tool_color = Fore.MAGENTA if tool == "think" else Fore.YELLOW
  402.         print(f"  - {icon} {tool_color}{tool}: {Fore.WHITE}{count} times")
  403.    
  404.     # Calculate total think words if any thinking was done
  405.     if tool_usage["think"] > 0:
  406.         think_content = ""
  407.         for entry in conversation_history:
  408.             if entry.get("role") == "assistant" and "think" in entry["content"]:
  409.                 think_match = re.search(r'"thought":\s*"(.*?)"\s*}', entry["content"], re.DOTALL)
  410.                 if think_match:
  411.                     think_content += think_match.group(1) + " "
  412.        
  413.         if think_content:
  414.             word_count = len(think_content.split())
  415.             thinking_complexity = "Basic" if word_count < 100 else "Intermediate" if word_count < 300 else "Detailed" if word_count < 500 else "Comprehensive"
  416.             print(f"  - 📏 {Fore.MAGENTA}Thinking depth: {Fore.WHITE}{word_count} words ({thinking_complexity})")
  417.    
  418.     print(f"\n{Back.MAGENTA}{Fore.WHITE} CLAUDE-STYLE THINKING BENEFITS {Style.RESET_ALL}")
  419.     print(f"{Fore.WHITE}• Breaks down complex problems into manageable steps")
  420.     print(f"{Fore.WHITE}• Analyzes information from multiple sources before drawing conclusions")
  421.     print(f"{Fore.WHITE}• Makes reasoning explicit and transparent")
  422.     print(f"{Fore.WHITE}• Reduces errors by thinking through implications")
  423.    
  424.     print(f"\n{header}")
  425.     print(f"{Back.MAGENTA}{Fore.WHITE} CLAUDE-STYLE THINKING DEMO COMPLETE | HARTWIRED {Style.RESET_ALL}")
  426.     print(f"{header}")
  427.    
  428.     logger.info(f"{Fore.GREEN}Claude-style research process completed successfully")
  429.  
  430. if __name__ == "__main__":
  431.     main()
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement