L4 Persistence and Streaming

参考自https://www.deeplearning.ai/short-courses/ai-agents-in-langgraph,以下为代码的实现。

  • 这里主要是加入了memory,这样通过self.graph = graph.compile(checkpointer=checkpointer)就可以加入持久性的检查点
  • 通过thread = {"configurable": {"thread_id": "1"}}指示线程id和其对应的持久性的检查点
  • SqliteSaver使用Sqlite数据库进行流式处理
  • 把检查点的SqliteSaver改成异步的AsyncSqliteSaver,可以在token级进行流式处理
import os
from dotenv import load_dotenv, find_dotenv
_ = load_dotenv(find_dotenv())
from langgraph.graph import StateGraph, END
from typing import TypedDict, Annotated
import operator
from langchain_core.messages import AnyMessage, SystemMessage, HumanMessage, ToolMessage
from langchain_openai import ChatOpenAI
from langchain_community.tools.tavily_search import TavilySearchResults
tool = TavilySearchResults(max_results=2)
class AgentState(TypedDict):messages: Annotated[list[AnyMessage], operator.add]
import logging
logging.basicConfig(level=logging.INFO)
logger = logging.getLogger(__name__)
from langgraph.checkpoint.sqlite import SqliteSavermemory = SqliteSaver.from_conn_string(":memory:")
class Agent:def __init__(self, model, tools, checkpointer, system=""):self.system = systemgraph = StateGraph(AgentState)graph.add_node("llm", self.call_openai)graph.add_node("action", self.take_action)graph.add_conditional_edges("llm",self.exists_action,{True: "action", False: END})graph.add_edge("action", "llm")graph.set_entry_point("llm")self.graph = graph.compile(checkpointer=checkpointer)self.tools = {t.name: t for t in tools}self.model = model.bind_tools(tools)logger.info(f"model: {self.model}")def exists_action(self, state: AgentState):result = state['messages'][-1]logger.info(f"exists_action result: {result}")return len(result.tool_calls) > 0def call_openai(self, state: AgentState):logger.info(f"state: {state}")messages = state['messages']if self.system:messages = [SystemMessage(content=self.system)] + messagesmessage = self.model.invoke(messages)logger.info(f"LLM message: {message}")return {'messages': [message]}def take_action(self, state: AgentState):import threadingprint(f"take_action called in thread: {threading.current_thread().name}")tool_calls = state['messages'][-1].tool_callsresults = []print(f"take_action called with tool_calls: {tool_calls}")for t in tool_calls:logger.info(f"Calling: {t}")print(f"Calling: {t}") if not t['name'] in self.tools:      # check for bad tool name from LLMprint("\n ....bad tool name....")result = "bad tool name, retry"  # instruct LLM to retry if badelse:result = self.tools[t['name']].invoke(t['args'])logger.info(f"action {t['name']}, result: {result}")print(f"action {t['name']}, result: {result}")results.append(ToolMessage(tool_call_id=t['id'], name=t['name'], content=str(result)))print("Back to the model!")return {'messages': results}
prompt = """You are a smart research assistant. Use the search engine to look up information. \
You are allowed to make multiple calls (either together or in sequence). \
Only look up information when you are sure of what you want. \
If you need to look up some information before asking a follow up question, you are allowed to do that!
"""
model = ChatOpenAI(model="gpt-4o")
abot = Agent(model, [tool], system=prompt, checkpointer=memory)
INFO:__main__:model: bound=ChatOpenAI(client=<openai.resources.chat.completions.Completions object at 0x000002A44F2D6CC0>, async_client=<openai.resources.chat.completions.AsyncCompletions object at 0x000002A44AEE7920>, model_name='gpt-4o', openai_api_key=SecretStr('**********'), openai_proxy='') kwargs={'tools': [{'type': 'function', 'function': {'name': 'tavily_search_results_json', 'description': 'A search engine optimized for comprehensive, accurate, and trusted results. Useful for when you need to answer questions about current events. Input should be a search query.', 'parameters': {'type': 'object', 'properties': {'query': {'description': 'search query to look up', 'type': 'string'}}, 'required': ['query']}}}]}
messages = [HumanMessage(content="What is the weather in sf?")]
thread = {"configurable": {"thread_id": "1"}}
for event in abot.graph.stream({"messages": messages}, thread):for v in event.values():print(v['messages'])
INFO:__main__:state: {'messages': [HumanMessage(content='What is the weather in sf?')]}
INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"
INFO:__main__:LLM message: content='' additional_kwargs={'tool_calls': [{'id': 'call_DymVmpw1GN1w4gvOLU93NB1B', 'function': {'arguments': '{"query":"current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]} response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 151, 'total_tokens': 173}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None} id='run-a3434171-5959-4b14-ae38-2b41105ef13a-0' tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}] usage_metadata={'input_tokens': 151, 'output_tokens': 22, 'total_tokens': 173}
INFO:__main__:exists_action result: content='' additional_kwargs={'tool_calls': [{'id': 'call_DymVmpw1GN1w4gvOLU93NB1B', 'function': {'arguments': '{"query":"current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]} response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 151, 'total_tokens': 173}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None} id='run-a3434171-5959-4b14-ae38-2b41105ef13a-0' tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}] usage_metadata={'input_tokens': 151, 'output_tokens': 22, 'total_tokens': 173}
INFO:__main__:Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}[AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_DymVmpw1GN1w4gvOLU93NB1B', 'function': {'arguments': '{"query":"current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 151, 'total_tokens': 173}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-a3434171-5959-4b14-ae38-2b41105ef13a-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}], usage_metadata={'input_tokens': 151, 'output_tokens': 22, 'total_tokens': 173})]
take_action called in thread: ThreadPoolExecutor-0_1
take_action called with tool_calls: [{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}]
Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}INFO:__main__:action tavily_search_results_json, result: HTTPError('502 Server Error: Bad Gateway for url: https://api.tavily.com/search')
INFO:__main__:state: {'messages': [HumanMessage(content='What is the weather in sf?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_DymVmpw1GN1w4gvOLU93NB1B', 'function': {'arguments': '{"query":"current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 151, 'total_tokens': 173}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-a3434171-5959-4b14-ae38-2b41105ef13a-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}], usage_metadata={'input_tokens': 151, 'output_tokens': 22, 'total_tokens': 173}), ToolMessage(content="HTTPError('502 Server Error: Bad Gateway for url: https://api.tavily.com/search')", name='tavily_search_results_json', tool_call_id='call_DymVmpw1GN1w4gvOLU93NB1B')]}action tavily_search_results_json, result: HTTPError('502 Server Error: Bad Gateway for url: https://api.tavily.com/search')
Back to the model!
[ToolMessage(content="HTTPError('502 Server Error: Bad Gateway for url: https://api.tavily.com/search')", name='tavily_search_results_json', tool_call_id='call_DymVmpw1GN1w4gvOLU93NB1B')]INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"
INFO:__main__:LLM message: content="It seems there was an issue retrieving the current weather information for San Francisco. You might want to check a reliable weather service like Weather.com, AccuWeather, or a similar platform for real-time updates. Alternatively, I can try searching again if you'd like." response_metadata={'token_usage': {'completion_tokens': 53, 'prompt_tokens': 206, 'total_tokens': 259}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None} id='run-480cf4e1-eae8-4d33-aeb7-0c662f441e69-0' usage_metadata={'input_tokens': 206, 'output_tokens': 53, 'total_tokens': 259}
INFO:__main__:exists_action result: content="It seems there was an issue retrieving the current weather information for San Francisco. You might want to check a reliable weather service like Weather.com, AccuWeather, or a similar platform for real-time updates. Alternatively, I can try searching again if you'd like." response_metadata={'token_usage': {'completion_tokens': 53, 'prompt_tokens': 206, 'total_tokens': 259}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None} id='run-480cf4e1-eae8-4d33-aeb7-0c662f441e69-0' usage_metadata={'input_tokens': 206, 'output_tokens': 53, 'total_tokens': 259}[AIMessage(content="It seems there was an issue retrieving the current weather information for San Francisco. You might want to check a reliable weather service like Weather.com, AccuWeather, or a similar platform for real-time updates. Alternatively, I can try searching again if you'd like.", response_metadata={'token_usage': {'completion_tokens': 53, 'prompt_tokens': 206, 'total_tokens': 259}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-480cf4e1-eae8-4d33-aeb7-0c662f441e69-0', usage_metadata={'input_tokens': 206, 'output_tokens': 53, 'total_tokens': 259})]
messages = [HumanMessage(content="What about in la?")]
thread = {"configurable": {"thread_id": "1"}}
for event in abot.graph.stream({"messages": messages}, thread):for v in event.values():print(v)
INFO:__main__:state: {'messages': [HumanMessage(content='What is the weather in sf?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_DymVmpw1GN1w4gvOLU93NB1B', 'function': {'arguments': '{"query":"current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 151, 'total_tokens': 173}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-a3434171-5959-4b14-ae38-2b41105ef13a-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}], usage_metadata={'input_tokens': 151, 'output_tokens': 22, 'total_tokens': 173}), ToolMessage(content="HTTPError('502 Server Error: Bad Gateway for url: https://api.tavily.com/search')", name='tavily_search_results_json', tool_call_id='call_DymVmpw1GN1w4gvOLU93NB1B'), AIMessage(content="It seems there was an issue retrieving the current weather information for San Francisco. You might want to check a reliable weather service like Weather.com, AccuWeather, or a similar platform for real-time updates. Alternatively, I can try searching again if you'd like.", response_metadata={'token_usage': {'completion_tokens': 53, 'prompt_tokens': 206, 'total_tokens': 259}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-480cf4e1-eae8-4d33-aeb7-0c662f441e69-0', usage_metadata={'input_tokens': 206, 'output_tokens': 53, 'total_tokens': 259}), HumanMessage(content='What about in la?')]}
INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"
INFO:__main__:LLM message: content='' additional_kwargs={'tool_calls': [{'id': 'call_YGg74jViWh6jr0L8cOyxe225', 'function': {'arguments': '{"query":"current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]} response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 271, 'total_tokens': 293}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None} id='run-fd07dbe8-e079-4044-ac7b-c9c0aa185333-0' tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}] usage_metadata={'input_tokens': 271, 'output_tokens': 22, 'total_tokens': 293}
INFO:__main__:exists_action result: content='' additional_kwargs={'tool_calls': [{'id': 'call_YGg74jViWh6jr0L8cOyxe225', 'function': {'arguments': '{"query":"current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]} response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 271, 'total_tokens': 293}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None} id='run-fd07dbe8-e079-4044-ac7b-c9c0aa185333-0' tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}] usage_metadata={'input_tokens': 271, 'output_tokens': 22, 'total_tokens': 293}
INFO:__main__:Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}{'messages': [AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_YGg74jViWh6jr0L8cOyxe225', 'function': {'arguments': '{"query":"current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 271, 'total_tokens': 293}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-fd07dbe8-e079-4044-ac7b-c9c0aa185333-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}], usage_metadata={'input_tokens': 271, 'output_tokens': 22, 'total_tokens': 293})]}
take_action called in thread: ThreadPoolExecutor-1_1
take_action called with tool_calls: [{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}]
Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}INFO:__main__:action tavily_search_results_json, result: [{'url': 'https://www.weatherapi.com/', 'content': "{'location': {'name': 'Los Angeles', 'region': 'California', 'country': 'United States of America', 'lat': 34.05, 'lon': -118.24, 'tz_id': 'America/Los_Angeles', 'localtime_epoch': 1720593698, 'localtime': '2024-07-09 23:41'}, 'current': {'last_updated_epoch': 1720593000, 'last_updated': '2024-07-09 23:30', 'temp_c': 18.3, 'temp_f': 64.9, 'is_day': 0, 'condition': {'text': 'Partly cloudy', 'icon': '//cdn.weatherapi.com/weather/64x64/night/116.png', 'code': 1003}, 'wind_mph': 3.8, 'wind_kph': 6.1, 'wind_degree': 290, 'wind_dir': 'WNW', 'pressure_mb': 1010.0, 'pressure_in': 29.83, 'precip_mm': 0.0, 'precip_in': 0.0, 'humidity': 84, 'cloud': 50, 'feelslike_c': 18.3, 'feelslike_f': 64.9, 'windchill_c': 24.4, 'windchill_f': 76.0, 'heatindex_c': 25.6, 'heatindex_f': 78.0, 'dewpoint_c': 14.4, 'dewpoint_f': 58.0, 'vis_km': 16.0, 'vis_miles': 9.0, 'uv': 1.0, 'gust_mph': 8.3, 'gust_kph': 13.3}}"}, {'url': 'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10', 'content': 'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10'}]
INFO:__main__:state: {'messages': [HumanMessage(content='What is the weather in sf?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_DymVmpw1GN1w4gvOLU93NB1B', 'function': {'arguments': '{"query":"current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 151, 'total_tokens': 173}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-a3434171-5959-4b14-ae38-2b41105ef13a-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}], usage_metadata={'input_tokens': 151, 'output_tokens': 22, 'total_tokens': 173}), ToolMessage(content="HTTPError('502 Server Error: Bad Gateway for url: https://api.tavily.com/search')", name='tavily_search_results_json', tool_call_id='call_DymVmpw1GN1w4gvOLU93NB1B'), AIMessage(content="It seems there was an issue retrieving the current weather information for San Francisco. You might want to check a reliable weather service like Weather.com, AccuWeather, or a similar platform for real-time updates. Alternatively, I can try searching again if you'd like.", response_metadata={'token_usage': {'completion_tokens': 53, 'prompt_tokens': 206, 'total_tokens': 259}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-480cf4e1-eae8-4d33-aeb7-0c662f441e69-0', usage_metadata={'input_tokens': 206, 'output_tokens': 53, 'total_tokens': 259}), HumanMessage(content='What about in la?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_YGg74jViWh6jr0L8cOyxe225', 'function': {'arguments': '{"query":"current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 271, 'total_tokens': 293}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-fd07dbe8-e079-4044-ac7b-c9c0aa185333-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}], usage_metadata={'input_tokens': 271, 'output_tokens': 22, 'total_tokens': 293}), ToolMessage(content='[{\'url\': \'https://www.weatherapi.com/\', \'content\': "{\'location\': {\'name\': \'Los Angeles\', \'region\': \'California\', \'country\': \'United States of America\', \'lat\': 34.05, \'lon\': -118.24, \'tz_id\': \'America/Los_Angeles\', \'localtime_epoch\': 1720593698, \'localtime\': \'2024-07-09 23:41\'}, \'current\': {\'last_updated_epoch\': 1720593000, \'last_updated\': \'2024-07-09 23:30\', \'temp_c\': 18.3, \'temp_f\': 64.9, \'is_day\': 0, \'condition\': {\'text\': \'Partly cloudy\', \'icon\': \'//cdn.weatherapi.com/weather/64x64/night/116.png\', \'code\': 1003}, \'wind_mph\': 3.8, \'wind_kph\': 6.1, \'wind_degree\': 290, \'wind_dir\': \'WNW\', \'pressure_mb\': 1010.0, \'pressure_in\': 29.83, \'precip_mm\': 0.0, \'precip_in\': 0.0, \'humidity\': 84, \'cloud\': 50, \'feelslike_c\': 18.3, \'feelslike_f\': 64.9, \'windchill_c\': 24.4, \'windchill_f\': 76.0, \'heatindex_c\': 25.6, \'heatindex_f\': 78.0, \'dewpoint_c\': 14.4, \'dewpoint_f\': 58.0, \'vis_km\': 16.0, \'vis_miles\': 9.0, \'uv\': 1.0, \'gust_mph\': 8.3, \'gust_kph\': 13.3}}"}, {\'url\': \'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10\', \'content\': \'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10\'}]', name='tavily_search_results_json', tool_call_id='call_YGg74jViWh6jr0L8cOyxe225')]}action tavily_search_results_json, result: [{'url': 'https://www.weatherapi.com/', 'content': "{'location': {'name': 'Los Angeles', 'region': 'California', 'country': 'United States of America', 'lat': 34.05, 'lon': -118.24, 'tz_id': 'America/Los_Angeles', 'localtime_epoch': 1720593698, 'localtime': '2024-07-09 23:41'}, 'current': {'last_updated_epoch': 1720593000, 'last_updated': '2024-07-09 23:30', 'temp_c': 18.3, 'temp_f': 64.9, 'is_day': 0, 'condition': {'text': 'Partly cloudy', 'icon': '//cdn.weatherapi.com/weather/64x64/night/116.png', 'code': 1003}, 'wind_mph': 3.8, 'wind_kph': 6.1, 'wind_degree': 290, 'wind_dir': 'WNW', 'pressure_mb': 1010.0, 'pressure_in': 29.83, 'precip_mm': 0.0, 'precip_in': 0.0, 'humidity': 84, 'cloud': 50, 'feelslike_c': 18.3, 'feelslike_f': 64.9, 'windchill_c': 24.4, 'windchill_f': 76.0, 'heatindex_c': 25.6, 'heatindex_f': 78.0, 'dewpoint_c': 14.4, 'dewpoint_f': 58.0, 'vis_km': 16.0, 'vis_miles': 9.0, 'uv': 1.0, 'gust_mph': 8.3, 'gust_kph': 13.3}}"}, {'url': 'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10', 'content': 'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10'}]
Back to the model!
{'messages': [ToolMessage(content='[{\'url\': \'https://www.weatherapi.com/\', \'content\': "{\'location\': {\'name\': \'Los Angeles\', \'region\': \'California\', \'country\': \'United States of America\', \'lat\': 34.05, \'lon\': -118.24, \'tz_id\': \'America/Los_Angeles\', \'localtime_epoch\': 1720593698, \'localtime\': \'2024-07-09 23:41\'}, \'current\': {\'last_updated_epoch\': 1720593000, \'last_updated\': \'2024-07-09 23:30\', \'temp_c\': 18.3, \'temp_f\': 64.9, \'is_day\': 0, \'condition\': {\'text\': \'Partly cloudy\', \'icon\': \'//cdn.weatherapi.com/weather/64x64/night/116.png\', \'code\': 1003}, \'wind_mph\': 3.8, \'wind_kph\': 6.1, \'wind_degree\': 290, \'wind_dir\': \'WNW\', \'pressure_mb\': 1010.0, \'pressure_in\': 29.83, \'precip_mm\': 0.0, \'precip_in\': 0.0, \'humidity\': 84, \'cloud\': 50, \'feelslike_c\': 18.3, \'feelslike_f\': 64.9, \'windchill_c\': 24.4, \'windchill_f\': 76.0, \'heatindex_c\': 25.6, \'heatindex_f\': 78.0, \'dewpoint_c\': 14.4, \'dewpoint_f\': 58.0, \'vis_km\': 16.0, \'vis_miles\': 9.0, \'uv\': 1.0, \'gust_mph\': 8.3, \'gust_kph\': 13.3}}"}, {\'url\': \'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10\', \'content\': \'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10\'}]', name='tavily_search_results_json', tool_call_id='call_YGg74jViWh6jr0L8cOyxe225')]}INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"
INFO:__main__:LLM message: content='The current weather in Los Angeles is as follows:\n\n- **Temperature:** 18.3°C (64.9°F)\n- **Condition:** Partly cloudy\n- **Wind:** 3.8 mph (6.1 kph) from the WNW\n- **Humidity:** 84%\n- **Pressure:** 1010.0 mb\n- **Visibility:** 16 km (9 miles)\n- **UV Index:** 1 (low)\n\nFor more detailed or updated information, you can visit weather websites like [WeatherAPI](https://www.weatherapi.com/) or [Weather Underground](https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10).' response_metadata={'token_usage': {'completion_tokens': 151, 'prompt_tokens': 788, 'total_tokens': 939}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None} id='run-f4cb2c85-20f0-4af7-9375-aa4a379ed77c-0' usage_metadata={'input_tokens': 788, 'output_tokens': 151, 'total_tokens': 939}
INFO:__main__:exists_action result: content='The current weather in Los Angeles is as follows:\n\n- **Temperature:** 18.3°C (64.9°F)\n- **Condition:** Partly cloudy\n- **Wind:** 3.8 mph (6.1 kph) from the WNW\n- **Humidity:** 84%\n- **Pressure:** 1010.0 mb\n- **Visibility:** 16 km (9 miles)\n- **UV Index:** 1 (low)\n\nFor more detailed or updated information, you can visit weather websites like [WeatherAPI](https://www.weatherapi.com/) or [Weather Underground](https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10).' response_metadata={'token_usage': {'completion_tokens': 151, 'prompt_tokens': 788, 'total_tokens': 939}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None} id='run-f4cb2c85-20f0-4af7-9375-aa4a379ed77c-0' usage_metadata={'input_tokens': 788, 'output_tokens': 151, 'total_tokens': 939}{'messages': [AIMessage(content='The current weather in Los Angeles is as follows:\n\n- **Temperature:** 18.3°C (64.9°F)\n- **Condition:** Partly cloudy\n- **Wind:** 3.8 mph (6.1 kph) from the WNW\n- **Humidity:** 84%\n- **Pressure:** 1010.0 mb\n- **Visibility:** 16 km (9 miles)\n- **UV Index:** 1 (low)\n\nFor more detailed or updated information, you can visit weather websites like [WeatherAPI](https://www.weatherapi.com/) or [Weather Underground](https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10).', response_metadata={'token_usage': {'completion_tokens': 151, 'prompt_tokens': 788, 'total_tokens': 939}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-f4cb2c85-20f0-4af7-9375-aa4a379ed77c-0', usage_metadata={'input_tokens': 788, 'output_tokens': 151, 'total_tokens': 939})]}
messages = [HumanMessage(content="Which one is warmer?")]
thread = {"configurable": {"thread_id": "1"}}
for event in abot.graph.stream({"messages": messages}, thread):for v in event.values():print(v)
INFO:__main__:state: {'messages': [HumanMessage(content='What is the weather in sf?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_DymVmpw1GN1w4gvOLU93NB1B', 'function': {'arguments': '{"query":"current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 151, 'total_tokens': 173}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-a3434171-5959-4b14-ae38-2b41105ef13a-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}], usage_metadata={'input_tokens': 151, 'output_tokens': 22, 'total_tokens': 173}), ToolMessage(content="HTTPError('502 Server Error: Bad Gateway for url: https://api.tavily.com/search')", name='tavily_search_results_json', tool_call_id='call_DymVmpw1GN1w4gvOLU93NB1B'), AIMessage(content="It seems there was an issue retrieving the current weather information for San Francisco. You might want to check a reliable weather service like Weather.com, AccuWeather, or a similar platform for real-time updates. Alternatively, I can try searching again if you'd like.", response_metadata={'token_usage': {'completion_tokens': 53, 'prompt_tokens': 206, 'total_tokens': 259}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-480cf4e1-eae8-4d33-aeb7-0c662f441e69-0', usage_metadata={'input_tokens': 206, 'output_tokens': 53, 'total_tokens': 259}), HumanMessage(content='What about in la?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_YGg74jViWh6jr0L8cOyxe225', 'function': {'arguments': '{"query":"current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 271, 'total_tokens': 293}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-fd07dbe8-e079-4044-ac7b-c9c0aa185333-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}], usage_metadata={'input_tokens': 271, 'output_tokens': 22, 'total_tokens': 293}), ToolMessage(content='[{\'url\': \'https://www.weatherapi.com/\', \'content\': "{\'location\': {\'name\': \'Los Angeles\', \'region\': \'California\', \'country\': \'United States of America\', \'lat\': 34.05, \'lon\': -118.24, \'tz_id\': \'America/Los_Angeles\', \'localtime_epoch\': 1720593698, \'localtime\': \'2024-07-09 23:41\'}, \'current\': {\'last_updated_epoch\': 1720593000, \'last_updated\': \'2024-07-09 23:30\', \'temp_c\': 18.3, \'temp_f\': 64.9, \'is_day\': 0, \'condition\': {\'text\': \'Partly cloudy\', \'icon\': \'//cdn.weatherapi.com/weather/64x64/night/116.png\', \'code\': 1003}, \'wind_mph\': 3.8, \'wind_kph\': 6.1, \'wind_degree\': 290, \'wind_dir\': \'WNW\', \'pressure_mb\': 1010.0, \'pressure_in\': 29.83, \'precip_mm\': 0.0, \'precip_in\': 0.0, \'humidity\': 84, \'cloud\': 50, \'feelslike_c\': 18.3, \'feelslike_f\': 64.9, \'windchill_c\': 24.4, \'windchill_f\': 76.0, \'heatindex_c\': 25.6, \'heatindex_f\': 78.0, \'dewpoint_c\': 14.4, \'dewpoint_f\': 58.0, \'vis_km\': 16.0, \'vis_miles\': 9.0, \'uv\': 1.0, \'gust_mph\': 8.3, \'gust_kph\': 13.3}}"}, {\'url\': \'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10\', \'content\': \'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10\'}]', name='tavily_search_results_json', tool_call_id='call_YGg74jViWh6jr0L8cOyxe225'), AIMessage(content='The current weather in Los Angeles is as follows:\n\n- **Temperature:** 18.3°C (64.9°F)\n- **Condition:** Partly cloudy\n- **Wind:** 3.8 mph (6.1 kph) from the WNW\n- **Humidity:** 84%\n- **Pressure:** 1010.0 mb\n- **Visibility:** 16 km (9 miles)\n- **UV Index:** 1 (low)\n\nFor more detailed or updated information, you can visit weather websites like [WeatherAPI](https://www.weatherapi.com/) or [Weather Underground](https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10).', response_metadata={'token_usage': {'completion_tokens': 151, 'prompt_tokens': 788, 'total_tokens': 939}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-f4cb2c85-20f0-4af7-9375-aa4a379ed77c-0', usage_metadata={'input_tokens': 788, 'output_tokens': 151, 'total_tokens': 939}), HumanMessage(content='Which one is warmer?')]}
INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"
INFO:__main__:LLM message: content='' additional_kwargs={'tool_calls': [{'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD', 'function': {'arguments': '{"query": "current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}, {'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8', 'function': {'arguments': '{"query": "current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]} response_metadata={'token_usage': {'completion_tokens': 60, 'prompt_tokens': 951, 'total_tokens': 1011}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d33f7b429e', 'finish_reason': 'tool_calls', 'logprobs': None} id='run-792c6640-bcb9-48f7-8939-d87445d97469-0' tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD'}, {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8'}] usage_metadata={'input_tokens': 951, 'output_tokens': 60, 'total_tokens': 1011}
INFO:__main__:exists_action result: content='' additional_kwargs={'tool_calls': [{'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD', 'function': {'arguments': '{"query": "current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}, {'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8', 'function': {'arguments': '{"query": "current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]} response_metadata={'token_usage': {'completion_tokens': 60, 'prompt_tokens': 951, 'total_tokens': 1011}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d33f7b429e', 'finish_reason': 'tool_calls', 'logprobs': None} id='run-792c6640-bcb9-48f7-8939-d87445d97469-0' tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD'}, {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8'}] usage_metadata={'input_tokens': 951, 'output_tokens': 60, 'total_tokens': 1011}
INFO:__main__:Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD'}{'messages': [AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD', 'function': {'arguments': '{"query": "current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}, {'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8', 'function': {'arguments': '{"query": "current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 60, 'prompt_tokens': 951, 'total_tokens': 1011}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d33f7b429e', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-792c6640-bcb9-48f7-8939-d87445d97469-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD'}, {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8'}], usage_metadata={'input_tokens': 951, 'output_tokens': 60, 'total_tokens': 1011})]}
take_action called in thread: ThreadPoolExecutor-2_1
take_action called with tool_calls: [{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD'}, {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8'}]
Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD'}INFO:__main__:action tavily_search_results_json, result: [{'url': 'https://www.weatherapi.com/', 'content': "{'location': {'name': 'San Francisco', 'region': 'California', 'country': 'United States of America', 'lat': 37.78, 'lon': -122.42, 'tz_id': 'America/Los_Angeles', 'localtime_epoch': 1720593705, 'localtime': '2024-07-09 23:41'}, 'current': {'last_updated_epoch': 1720593000, 'last_updated': '2024-07-09 23:30', 'temp_c': 16.1, 'temp_f': 61.0, 'is_day': 0, 'condition': {'text': 'Partly cloudy', 'icon': '//cdn.weatherapi.com/weather/64x64/night/116.png', 'code': 1003}, 'wind_mph': 9.4, 'wind_kph': 15.1, 'wind_degree': 290, 'wind_dir': 'WNW', 'pressure_mb': 1013.0, 'pressure_in': 29.9, 'precip_mm': 0.0, 'precip_in': 0.0, 'humidity': 90, 'cloud': 75, 'feelslike_c': 16.1, 'feelslike_f': 61.0, 'windchill_c': 14.1, 'windchill_f': 57.5, 'heatindex_c': 14.8, 'heatindex_f': 58.6, 'dewpoint_c': 12.8, 'dewpoint_f': 55.0, 'vis_km': 16.0, 'vis_miles': 9.0, 'uv': 1.0, 'gust_mph': 11.7, 'gust_kph': 18.9}}"}, {'url': 'https://forecast.weather.gov/MapClick.php?textField1=37.76&textField2=-122.44', 'content': 'Current conditions at SAN FRANCISCO DOWNTOWN (SFOC1) Lat: 37.77056°NLon: 122.42694°WElev: 150.0ft. NA. 64°F. 18°C. ... 2024-6pm PDT Jul 10, 2024 . Forecast Discussion . Additional Resources. Radar & Satellite Image. ... National Weather Service; San Francisco Bay Area, CA; 21 Grace Hopper Ave, Stop 5; Monterey, CA 93943-5505; Comments ...'}]
INFO:__main__:Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8'}action tavily_search_results_json, result: [{'url': 'https://www.weatherapi.com/', 'content': "{'location': {'name': 'San Francisco', 'region': 'California', 'country': 'United States of America', 'lat': 37.78, 'lon': -122.42, 'tz_id': 'America/Los_Angeles', 'localtime_epoch': 1720593705, 'localtime': '2024-07-09 23:41'}, 'current': {'last_updated_epoch': 1720593000, 'last_updated': '2024-07-09 23:30', 'temp_c': 16.1, 'temp_f': 61.0, 'is_day': 0, 'condition': {'text': 'Partly cloudy', 'icon': '//cdn.weatherapi.com/weather/64x64/night/116.png', 'code': 1003}, 'wind_mph': 9.4, 'wind_kph': 15.1, 'wind_degree': 290, 'wind_dir': 'WNW', 'pressure_mb': 1013.0, 'pressure_in': 29.9, 'precip_mm': 0.0, 'precip_in': 0.0, 'humidity': 90, 'cloud': 75, 'feelslike_c': 16.1, 'feelslike_f': 61.0, 'windchill_c': 14.1, 'windchill_f': 57.5, 'heatindex_c': 14.8, 'heatindex_f': 58.6, 'dewpoint_c': 12.8, 'dewpoint_f': 55.0, 'vis_km': 16.0, 'vis_miles': 9.0, 'uv': 1.0, 'gust_mph': 11.7, 'gust_kph': 18.9}}"}, {'url': 'https://forecast.weather.gov/MapClick.php?textField1=37.76&textField2=-122.44', 'content': 'Current conditions at SAN FRANCISCO DOWNTOWN (SFOC1) Lat: 37.77056°NLon: 122.42694°WElev: 150.0ft. NA. 64°F. 18°C. ... 2024-6pm PDT Jul 10, 2024 . Forecast Discussion . Additional Resources. Radar & Satellite Image. ... National Weather Service; San Francisco Bay Area, CA; 21 Grace Hopper Ave, Stop 5; Monterey, CA 93943-5505; Comments ...'}]
Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8'}INFO:__main__:action tavily_search_results_json, result: [{'url': 'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10', 'content': 'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10'}, {'url': 'https://forecast.weather.gov/zipcity.php?inputstring=Los+Angeles,CA', 'content': 'Los Angeles CA 34.05°N 118.25°W (Elev. 377 ft) Last Update: 4:00 am PDT Jul 6, 2024. Forecast Valid: 4am PDT Jul 6, 2024-6pm PDT Jul 12, 2024 . Forecast Discussion . Additional Resources. Radar & Satellite Image. Hourly Weather Forecast. ... Severe Weather ; Current Outlook Maps ; Drought ; Fire Weather ; Fronts/Precipitation Maps ; Current ...'}]
INFO:__main__:state: {'messages': [HumanMessage(content='What is the weather in sf?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_DymVmpw1GN1w4gvOLU93NB1B', 'function': {'arguments': '{"query":"current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 151, 'total_tokens': 173}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-a3434171-5959-4b14-ae38-2b41105ef13a-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_DymVmpw1GN1w4gvOLU93NB1B'}], usage_metadata={'input_tokens': 151, 'output_tokens': 22, 'total_tokens': 173}), ToolMessage(content="HTTPError('502 Server Error: Bad Gateway for url: https://api.tavily.com/search')", name='tavily_search_results_json', tool_call_id='call_DymVmpw1GN1w4gvOLU93NB1B'), AIMessage(content="It seems there was an issue retrieving the current weather information for San Francisco. You might want to check a reliable weather service like Weather.com, AccuWeather, or a similar platform for real-time updates. Alternatively, I can try searching again if you'd like.", response_metadata={'token_usage': {'completion_tokens': 53, 'prompt_tokens': 206, 'total_tokens': 259}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-480cf4e1-eae8-4d33-aeb7-0c662f441e69-0', usage_metadata={'input_tokens': 206, 'output_tokens': 53, 'total_tokens': 259}), HumanMessage(content='What about in la?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_YGg74jViWh6jr0L8cOyxe225', 'function': {'arguments': '{"query":"current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 22, 'prompt_tokens': 271, 'total_tokens': 293}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-fd07dbe8-e079-4044-ac7b-c9c0aa185333-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_YGg74jViWh6jr0L8cOyxe225'}], usage_metadata={'input_tokens': 271, 'output_tokens': 22, 'total_tokens': 293}), ToolMessage(content='[{\'url\': \'https://www.weatherapi.com/\', \'content\': "{\'location\': {\'name\': \'Los Angeles\', \'region\': \'California\', \'country\': \'United States of America\', \'lat\': 34.05, \'lon\': -118.24, \'tz_id\': \'America/Los_Angeles\', \'localtime_epoch\': 1720593698, \'localtime\': \'2024-07-09 23:41\'}, \'current\': {\'last_updated_epoch\': 1720593000, \'last_updated\': \'2024-07-09 23:30\', \'temp_c\': 18.3, \'temp_f\': 64.9, \'is_day\': 0, \'condition\': {\'text\': \'Partly cloudy\', \'icon\': \'//cdn.weatherapi.com/weather/64x64/night/116.png\', \'code\': 1003}, \'wind_mph\': 3.8, \'wind_kph\': 6.1, \'wind_degree\': 290, \'wind_dir\': \'WNW\', \'pressure_mb\': 1010.0, \'pressure_in\': 29.83, \'precip_mm\': 0.0, \'precip_in\': 0.0, \'humidity\': 84, \'cloud\': 50, \'feelslike_c\': 18.3, \'feelslike_f\': 64.9, \'windchill_c\': 24.4, \'windchill_f\': 76.0, \'heatindex_c\': 25.6, \'heatindex_f\': 78.0, \'dewpoint_c\': 14.4, \'dewpoint_f\': 58.0, \'vis_km\': 16.0, \'vis_miles\': 9.0, \'uv\': 1.0, \'gust_mph\': 8.3, \'gust_kph\': 13.3}}"}, {\'url\': \'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10\', \'content\': \'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10\'}]', name='tavily_search_results_json', tool_call_id='call_YGg74jViWh6jr0L8cOyxe225'), AIMessage(content='The current weather in Los Angeles is as follows:\n\n- **Temperature:** 18.3°C (64.9°F)\n- **Condition:** Partly cloudy\n- **Wind:** 3.8 mph (6.1 kph) from the WNW\n- **Humidity:** 84%\n- **Pressure:** 1010.0 mb\n- **Visibility:** 16 km (9 miles)\n- **UV Index:** 1 (low)\n\nFor more detailed or updated information, you can visit weather websites like [WeatherAPI](https://www.weatherapi.com/) or [Weather Underground](https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10).', response_metadata={'token_usage': {'completion_tokens': 151, 'prompt_tokens': 788, 'total_tokens': 939}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-f4cb2c85-20f0-4af7-9375-aa4a379ed77c-0', usage_metadata={'input_tokens': 788, 'output_tokens': 151, 'total_tokens': 939}), HumanMessage(content='Which one is warmer?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD', 'function': {'arguments': '{"query": "current weather in San Francisco"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}, {'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8', 'function': {'arguments': '{"query": "current weather in Los Angeles"}', 'name': 'tavily_search_results_json'}, 'type': 'function', 'index': 0}]}, response_metadata={'token_usage': {'completion_tokens': 60, 'prompt_tokens': 951, 'total_tokens': 1011}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d33f7b429e', 'finish_reason': 'tool_calls', 'logprobs': None}, id='run-792c6640-bcb9-48f7-8939-d87445d97469-0', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_QWrXRdAk2G9gJjU8wjQ85lVD'}, {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in Los Angeles'}, 'id': 'call_ihCOlJ1Lv1SvjkYdp6FnFhF8'}], usage_metadata={'input_tokens': 951, 'output_tokens': 60, 'total_tokens': 1011}), ToolMessage(content='[{\'url\': \'https://www.weatherapi.com/\', \'content\': "{\'location\': {\'name\': \'San Francisco\', \'region\': \'California\', \'country\': \'United States of America\', \'lat\': 37.78, \'lon\': -122.42, \'tz_id\': \'America/Los_Angeles\', \'localtime_epoch\': 1720593705, \'localtime\': \'2024-07-09 23:41\'}, \'current\': {\'last_updated_epoch\': 1720593000, \'last_updated\': \'2024-07-09 23:30\', \'temp_c\': 16.1, \'temp_f\': 61.0, \'is_day\': 0, \'condition\': {\'text\': \'Partly cloudy\', \'icon\': \'//cdn.weatherapi.com/weather/64x64/night/116.png\', \'code\': 1003}, \'wind_mph\': 9.4, \'wind_kph\': 15.1, \'wind_degree\': 290, \'wind_dir\': \'WNW\', \'pressure_mb\': 1013.0, \'pressure_in\': 29.9, \'precip_mm\': 0.0, \'precip_in\': 0.0, \'humidity\': 90, \'cloud\': 75, \'feelslike_c\': 16.1, \'feelslike_f\': 61.0, \'windchill_c\': 14.1, \'windchill_f\': 57.5, \'heatindex_c\': 14.8, \'heatindex_f\': 58.6, \'dewpoint_c\': 12.8, \'dewpoint_f\': 55.0, \'vis_km\': 16.0, \'vis_miles\': 9.0, \'uv\': 1.0, \'gust_mph\': 11.7, \'gust_kph\': 18.9}}"}, {\'url\': \'https://forecast.weather.gov/MapClick.php?textField1=37.76&textField2=-122.44\', \'content\': \'Current conditions at SAN FRANCISCO DOWNTOWN (SFOC1) Lat: 37.77056°NLon: 122.42694°WElev: 150.0ft. NA. 64°F. 18°C. ... 2024-6pm PDT Jul 10, 2024 . Forecast Discussion . Additional Resources. Radar & Satellite Image. ... National Weather Service; San Francisco Bay Area, CA; 21 Grace Hopper Ave, Stop 5; Monterey, CA 93943-5505; Comments ...\'}]', name='tavily_search_results_json', tool_call_id='call_QWrXRdAk2G9gJjU8wjQ85lVD'), ToolMessage(content="[{'url': 'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10', 'content': 'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10'}, {'url': 'https://forecast.weather.gov/zipcity.php?inputstring=Los+Angeles,CA', 'content': 'Los Angeles CA 34.05°N 118.25°W (Elev. 377 ft) Last Update: 4:00 am PDT Jul 6, 2024. Forecast Valid: 4am PDT Jul 6, 2024-6pm PDT Jul 12, 2024 . Forecast Discussion . Additional Resources. Radar & Satellite Image. Hourly Weather Forecast. ... Severe Weather ; Current Outlook Maps ; Drought ; Fire Weather ; Fronts/Precipitation Maps ; Current ...'}]", name='tavily_search_results_json', tool_call_id='call_ihCOlJ1Lv1SvjkYdp6FnFhF8')]}action tavily_search_results_json, result: [{'url': 'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10', 'content': 'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10'}, {'url': 'https://forecast.weather.gov/zipcity.php?inputstring=Los+Angeles,CA', 'content': 'Los Angeles CA 34.05°N 118.25°W (Elev. 377 ft) Last Update: 4:00 am PDT Jul 6, 2024. Forecast Valid: 4am PDT Jul 6, 2024-6pm PDT Jul 12, 2024 . Forecast Discussion . Additional Resources. Radar & Satellite Image. Hourly Weather Forecast. ... Severe Weather ; Current Outlook Maps ; Drought ; Fire Weather ; Fronts/Precipitation Maps ; Current ...'}]
Back to the model!
{'messages': [ToolMessage(content='[{\'url\': \'https://www.weatherapi.com/\', \'content\': "{\'location\': {\'name\': \'San Francisco\', \'region\': \'California\', \'country\': \'United States of America\', \'lat\': 37.78, \'lon\': -122.42, \'tz_id\': \'America/Los_Angeles\', \'localtime_epoch\': 1720593705, \'localtime\': \'2024-07-09 23:41\'}, \'current\': {\'last_updated_epoch\': 1720593000, \'last_updated\': \'2024-07-09 23:30\', \'temp_c\': 16.1, \'temp_f\': 61.0, \'is_day\': 0, \'condition\': {\'text\': \'Partly cloudy\', \'icon\': \'//cdn.weatherapi.com/weather/64x64/night/116.png\', \'code\': 1003}, \'wind_mph\': 9.4, \'wind_kph\': 15.1, \'wind_degree\': 290, \'wind_dir\': \'WNW\', \'pressure_mb\': 1013.0, \'pressure_in\': 29.9, \'precip_mm\': 0.0, \'precip_in\': 0.0, \'humidity\': 90, \'cloud\': 75, \'feelslike_c\': 16.1, \'feelslike_f\': 61.0, \'windchill_c\': 14.1, \'windchill_f\': 57.5, \'heatindex_c\': 14.8, \'heatindex_f\': 58.6, \'dewpoint_c\': 12.8, \'dewpoint_f\': 55.0, \'vis_km\': 16.0, \'vis_miles\': 9.0, \'uv\': 1.0, \'gust_mph\': 11.7, \'gust_kph\': 18.9}}"}, {\'url\': \'https://forecast.weather.gov/MapClick.php?textField1=37.76&textField2=-122.44\', \'content\': \'Current conditions at SAN FRANCISCO DOWNTOWN (SFOC1) Lat: 37.77056°NLon: 122.42694°WElev: 150.0ft. NA. 64°F. 18°C. ... 2024-6pm PDT Jul 10, 2024 . Forecast Discussion . Additional Resources. Radar & Satellite Image. ... National Weather Service; San Francisco Bay Area, CA; 21 Grace Hopper Ave, Stop 5; Monterey, CA 93943-5505; Comments ...\'}]', name='tavily_search_results_json', tool_call_id='call_QWrXRdAk2G9gJjU8wjQ85lVD'), ToolMessage(content="[{'url': 'https://www.wunderground.com/hourly/us/ca/los-angeles/90026/date/2024-07-10', 'content': 'Weather Underground provides local & long-range weather forecasts, weatherreports, maps & tropical weather conditions for the Los Angeles area. ... Wednesday 07/10 Hourly for Tomorrow, Wed 07/10'}, {'url': 'https://forecast.weather.gov/zipcity.php?inputstring=Los+Angeles,CA', 'content': 'Los Angeles CA 34.05°N 118.25°W (Elev. 377 ft) Last Update: 4:00 am PDT Jul 6, 2024. Forecast Valid: 4am PDT Jul 6, 2024-6pm PDT Jul 12, 2024 . Forecast Discussion . Additional Resources. Radar & Satellite Image. Hourly Weather Forecast. ... Severe Weather ; Current Outlook Maps ; Drought ; Fire Weather ; Fronts/Precipitation Maps ; Current ...'}]", name='tavily_search_results_json', tool_call_id='call_ihCOlJ1Lv1SvjkYdp6FnFhF8')]}INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"
INFO:__main__:LLM message: content='Based on the current weather information:\n\n- **San Francisco:** 16.1°C (61.0°F)\n- **Los Angeles:** 18.3°C (64.9°F)\n\nLos Angeles is currently warmer than San Francisco.' response_metadata={'token_usage': {'completion_tokens': 49, 'prompt_tokens': 1811, 'total_tokens': 1860}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None} id='run-f27878a2-44cc-4679-a650-239c2f257023-0' usage_metadata={'input_tokens': 1811, 'output_tokens': 49, 'total_tokens': 1860}
INFO:__main__:exists_action result: content='Based on the current weather information:\n\n- **San Francisco:** 16.1°C (61.0°F)\n- **Los Angeles:** 18.3°C (64.9°F)\n\nLos Angeles is currently warmer than San Francisco.' response_metadata={'token_usage': {'completion_tokens': 49, 'prompt_tokens': 1811, 'total_tokens': 1860}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None} id='run-f27878a2-44cc-4679-a650-239c2f257023-0' usage_metadata={'input_tokens': 1811, 'output_tokens': 49, 'total_tokens': 1860}{'messages': [AIMessage(content='Based on the current weather information:\n\n- **San Francisco:** 16.1°C (61.0°F)\n- **Los Angeles:** 18.3°C (64.9°F)\n\nLos Angeles is currently warmer than San Francisco.', response_metadata={'token_usage': {'completion_tokens': 49, 'prompt_tokens': 1811, 'total_tokens': 1860}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90', 'finish_reason': 'stop', 'logprobs': None}, id='run-f27878a2-44cc-4679-a650-239c2f257023-0', usage_metadata={'input_tokens': 1811, 'output_tokens': 49, 'total_tokens': 1860})]}
# 改变线程id,没有持久性的检查点了
messages = [HumanMessage(content="Which one is warmer?")]
thread = {"configurable": {"thread_id": "2"}}
for event in abot.graph.stream({"messages": messages}, thread):for v in event.values():print(v)
INFO:__main__:state: {'messages': [HumanMessage(content='Which one is warmer?')]}
INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"
INFO:__main__:LLM message: content='Could you please clarify the two items or places you are comparing in terms of warmth? This will help me provide you with accurate information.' response_metadata={'token_usage': {'completion_tokens': 28, 'prompt_tokens': 149, 'total_tokens': 177}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_ce0793330f', 'finish_reason': 'stop', 'logprobs': None} id='run-95f88168-c060-46db-8430-83ea9a39c477-0' usage_metadata={'input_tokens': 149, 'output_tokens': 28, 'total_tokens': 177}
INFO:__main__:exists_action result: content='Could you please clarify the two items or places you are comparing in terms of warmth? This will help me provide you with accurate information.' response_metadata={'token_usage': {'completion_tokens': 28, 'prompt_tokens': 149, 'total_tokens': 177}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_ce0793330f', 'finish_reason': 'stop', 'logprobs': None} id='run-95f88168-c060-46db-8430-83ea9a39c477-0' usage_metadata={'input_tokens': 149, 'output_tokens': 28, 'total_tokens': 177}{'messages': [AIMessage(content='Could you please clarify the two items or places you are comparing in terms of warmth? This will help me provide you with accurate information.', response_metadata={'token_usage': {'completion_tokens': 28, 'prompt_tokens': 149, 'total_tokens': 177}, 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_ce0793330f', 'finish_reason': 'stop', 'logprobs': None}, id='run-95f88168-c060-46db-8430-83ea9a39c477-0', usage_metadata={'input_tokens': 149, 'output_tokens': 28, 'total_tokens': 177})]}

流式处理token本身

from langgraph.checkpoint.aiosqlite import AsyncSqliteSavermemory = AsyncSqliteSaver.from_conn_string(":memory:")
abot = Agent(model, [tool], system=prompt, checkpointer=memory)
INFO:__main__:model: bound=ChatOpenAI(client=<openai.resources.chat.completions.Completions object at 0x000002A44F2D6CC0>, async_client=<openai.resources.chat.completions.AsyncCompletions object at 0x000002A44AEE7920>, model_name='gpt-4o', openai_api_key=SecretStr('**********'), openai_proxy='') kwargs={'tools': [{'type': 'function', 'function': {'name': 'tavily_search_results_json', 'description': 'A search engine optimized for comprehensive, accurate, and trusted results. Useful for when you need to answer questions about current events. Input should be a search query.', 'parameters': {'type': 'object', 'properties': {'query': {'description': 'search query to look up', 'type': 'string'}}, 'required': ['query']}}}]}
messages = [HumanMessage(content="What is the weather in SF?")]
thread = {"configurable": {"thread_id": "4"}}
async for event in abot.graph.astream_events({"messages": messages}, thread, version="v1"):kind = event["event"]if kind == "on_chat_model_stream":content = event["data"]["chunk"].contentif content:# Empty content in the context of OpenAI means# that the model is asking for a tool to be invoked.# So we only print non-empty contentprint(content, end="|")
D:\wuzhongyanqiu\envs\pytorch\Lib\site-packages\langchain_core\_api\beta_decorator.py:87: LangChainBetaWarning: This API is in beta and may change in the future.warn_beta(
INFO:__main__:state: {'messages': [HumanMessage(content='What is the weather in SF?')]}
INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"
INFO:__main__:LLM message: content='' additional_kwargs={'tool_calls': [{'index': 0, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx', 'function': {'arguments': '{\n  "query": "current weather in San Francisco"\n}', 'name': 'tavily_search_results_json'}, 'type': 'function'}]} response_metadata={'finish_reason': 'tool_calls', 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90'} id='run-6e01e885-9c34-416d-a9e8-2f36db6b3e30' tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx'}]
INFO:__main__:exists_action result: content='' additional_kwargs={'tool_calls': [{'index': 0, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx', 'function': {'arguments': '{\n  "query": "current weather in San Francisco"\n}', 'name': 'tavily_search_results_json'}, 'type': 'function'}]} response_metadata={'finish_reason': 'tool_calls', 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90'} id='run-6e01e885-9c34-416d-a9e8-2f36db6b3e30' tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx'}]
INFO:__main__:Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx'}take_action called in thread: asyncio_1
take_action called with tool_calls: [{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx'}]
Calling: {'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx'}INFO:__main__:action tavily_search_results_json, result: [{'url': 'https://www.wunderground.com/history/daily/us/ca/san-francisco/KCASANFR2043/date/2024-7-10', 'content': 'Current Weather for Popular Cities . San Francisco, CA 61 ° F Partly Cloudy; Manhattan, NY warning 84 ° F Fair; Schiller Park, IL (60176) warning 71 ° F Rain; Boston, MA warning 80 ° F Showers ...'}, {'url': 'https://www.weatherapi.com/', 'content': "{'location': {'name': 'San Francisco', 'region': 'California', 'country': 'United States of America', 'lat': 37.78, 'lon': -122.42, 'tz_id': 'America/Los_Angeles', 'localtime_epoch': 1720593705, 'localtime': '2024-07-09 23:41'}, 'current': {'last_updated_epoch': 1720593000, 'last_updated': '2024-07-09 23:30', 'temp_c': 16.1, 'temp_f': 61.0, 'is_day': 0, 'condition': {'text': 'Partly cloudy', 'icon': '//cdn.weatherapi.com/weather/64x64/night/116.png', 'code': 1003}, 'wind_mph': 9.4, 'wind_kph': 15.1, 'wind_degree': 290, 'wind_dir': 'WNW', 'pressure_mb': 1013.0, 'pressure_in': 29.9, 'precip_mm': 0.0, 'precip_in': 0.0, 'humidity': 90, 'cloud': 75, 'feelslike_c': 16.1, 'feelslike_f': 61.0, 'windchill_c': 14.1, 'windchill_f': 57.5, 'heatindex_c': 14.8, 'heatindex_f': 58.6, 'dewpoint_c': 12.8, 'dewpoint_f': 55.0, 'vis_km': 16.0, 'vis_miles': 9.0, 'uv': 1.0, 'gust_mph': 11.7, 'gust_kph': 18.9}}"}]
INFO:__main__:state: {'messages': [HumanMessage(content='What is the weather in SF?'), AIMessage(content='', additional_kwargs={'tool_calls': [{'index': 0, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx', 'function': {'arguments': '{\n  "query": "current weather in San Francisco"\n}', 'name': 'tavily_search_results_json'}, 'type': 'function'}]}, response_metadata={'finish_reason': 'tool_calls', 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90'}, id='run-6e01e885-9c34-416d-a9e8-2f36db6b3e30', tool_calls=[{'name': 'tavily_search_results_json', 'args': {'query': 'current weather in San Francisco'}, 'id': 'call_zeYLxGgOxQSZtujg7rNsJ6Gx'}]), ToolMessage(content='[{\'url\': \'https://www.wunderground.com/history/daily/us/ca/san-francisco/KCASANFR2043/date/2024-7-10\', \'content\': \'Current Weather for Popular Cities . San Francisco, CA 61 ° F Partly Cloudy; Manhattan, NY warning 84 ° F Fair; Schiller Park, IL (60176) warning 71 ° F Rain; Boston, MA warning 80 ° F Showers ...\'}, {\'url\': \'https://www.weatherapi.com/\', \'content\': "{\'location\': {\'name\': \'San Francisco\', \'region\': \'California\', \'country\': \'United States of America\', \'lat\': 37.78, \'lon\': -122.42, \'tz_id\': \'America/Los_Angeles\', \'localtime_epoch\': 1720593705, \'localtime\': \'2024-07-09 23:41\'}, \'current\': {\'last_updated_epoch\': 1720593000, \'last_updated\': \'2024-07-09 23:30\', \'temp_c\': 16.1, \'temp_f\': 61.0, \'is_day\': 0, \'condition\': {\'text\': \'Partly cloudy\', \'icon\': \'//cdn.weatherapi.com/weather/64x64/night/116.png\', \'code\': 1003}, \'wind_mph\': 9.4, \'wind_kph\': 15.1, \'wind_degree\': 290, \'wind_dir\': \'WNW\', \'pressure_mb\': 1013.0, \'pressure_in\': 29.9, \'precip_mm\': 0.0, \'precip_in\': 0.0, \'humidity\': 90, \'cloud\': 75, \'feelslike_c\': 16.1, \'feelslike_f\': 61.0, \'windchill_c\': 14.1, \'windchill_f\': 57.5, \'heatindex_c\': 14.8, \'heatindex_f\': 58.6, \'dewpoint_c\': 12.8, \'dewpoint_f\': 55.0, \'vis_km\': 16.0, \'vis_miles\': 9.0, \'uv\': 1.0, \'gust_mph\': 11.7, \'gust_kph\': 18.9}}"}]', name='tavily_search_results_json', tool_call_id='call_zeYLxGgOxQSZtujg7rNsJ6Gx')]}action tavily_search_results_json, result: [{'url': 'https://www.wunderground.com/history/daily/us/ca/san-francisco/KCASANFR2043/date/2024-7-10', 'content': 'Current Weather for Popular Cities . San Francisco, CA 61 ° F Partly Cloudy; Manhattan, NY warning 84 ° F Fair; Schiller Park, IL (60176) warning 71 ° F Rain; Boston, MA warning 80 ° F Showers ...'}, {'url': 'https://www.weatherapi.com/', 'content': "{'location': {'name': 'San Francisco', 'region': 'California', 'country': 'United States of America', 'lat': 37.78, 'lon': -122.42, 'tz_id': 'America/Los_Angeles', 'localtime_epoch': 1720593705, 'localtime': '2024-07-09 23:41'}, 'current': {'last_updated_epoch': 1720593000, 'last_updated': '2024-07-09 23:30', 'temp_c': 16.1, 'temp_f': 61.0, 'is_day': 0, 'condition': {'text': 'Partly cloudy', 'icon': '//cdn.weatherapi.com/weather/64x64/night/116.png', 'code': 1003}, 'wind_mph': 9.4, 'wind_kph': 15.1, 'wind_degree': 290, 'wind_dir': 'WNW', 'pressure_mb': 1013.0, 'pressure_in': 29.9, 'precip_mm': 0.0, 'precip_in': 0.0, 'humidity': 90, 'cloud': 75, 'feelslike_c': 16.1, 'feelslike_f': 61.0, 'windchill_c': 14.1, 'windchill_f': 57.5, 'heatindex_c': 14.8, 'heatindex_f': 58.6, 'dewpoint_c': 12.8, 'dewpoint_f': 55.0, 'vis_km': 16.0, 'vis_miles': 9.0, 'uv': 1.0, 'gust_mph': 11.7, 'gust_kph': 18.9}}"}]
Back to the model!INFO:httpx:HTTP Request: POST https://api.chatanywhere.tech/v1/chat/completions "HTTP/1.1 200 OK"The| current| weather| in| San| Francisco|,| CA| is| |61|°F| (|16|.|1|°C|)| and| partly| cloudy|.| The| wind| is| blowing| from| the| west|-n|orth|west| at| |9|.|4| mph| (|15|.|1| k|ph|),| and| the| humidity| is| at| |90|%.| The| visibility| is| |16| km| (|9| miles|),| and| the|INFO:__main__:LLM message: content='The current weather in San Francisco, CA is 61°F (16.1°C) and partly cloudy. The wind is blowing from the west-northwest at 9.4 mph (15.1 kph), and the humidity is at 90%. The visibility is 16 km (9 miles), and the UV index is 1.' response_metadata={'finish_reason': 'stop', 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90'} id='run-96dbd0cb-1f75-46c8-97df-2f64d201c26f'
INFO:__main__:exists_action result: content='The current weather in San Francisco, CA is 61°F (16.1°C) and partly cloudy. The wind is blowing from the west-northwest at 9.4 mph (15.1 kph), and the humidity is at 90%. The visibility is 16 km (9 miles), and the UV index is 1.' response_metadata={'finish_reason': 'stop', 'model_name': 'gpt-4o-2024-05-13', 'system_fingerprint': 'fp_d576307f90'} id='run-96dbd0cb-1f75-46c8-97df-2f64d201c26f'UV| index| is| |1|.|

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/diannao/44270.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

项目实战--Spring Boot + GraphQL实现实时数据推送

背景 用户体验不断提升而3对实时数据的需求日益增长&#xff0c;传统的数据获取方式无法满足实时数据的即时性和个性化需求。 GraphQL作为新兴的API查询语言&#xff0c;提供更加灵活、高效的数据获取方案。结合Spring Boot作为后端框架&#xff0c;利用GraphQL实现实时数据推…

Java笔试|面试 —— 对多态性的理解

谈谈对多态性的理解&#xff1a; 一个事物的多种形态&#xff08;编译和运行时状态不一致性&#xff09; 实现机制&#xff1a;通过继承、重写和向上转型&#xff08;Object obj new 子类()&#xff09;来实现。 1.广义上的理解 子类对象的多态性&#xff0c;方法的重写&am…

visual studio 2022 在使用open3d出现的问题及解决方式

当出现以下问题&#xff1a; 使用open3d::utility::LogInfo系列出现LNK2001问题&#xff0c;如下所示&#xff1a;LNK2001 无法解析的外部符号 “char __cdecl fmt::v6::internal::decimal_point_impl(class fmt::v6::internal::locale_ref)” LNK2001 无法解析的外部符号 “p…

【C/C++】SDKDDKVer.h和WinSDKVer.h详解及二者区别

一.SDKDDKVer.h介绍 SDKDDKVer.h 是一个在 Windows 软件开发中常见的头文件&#xff0c;它用于定义软件开发工具包&#xff08;SDK&#xff09;和驱动开发工具包&#xff08;DDK&#xff09;的版本信息。这个文件通常位于 Visual Studio 安装目录下的 Include 子目录中。 …

GD32MCU如何实现掉电数据保存?

大家在GD32 MCU应用时&#xff0c;是否会碰到以下应用需求&#xff1a;希望在MCU掉电时保存一定的数据或标志&#xff0c;用以记录一些关键的数据。 以GD32E103为例&#xff0c;数据的存储介质可以选择内部Flash或者备份数据寄存器。 如下图所示&#xff0c;片内Flash具有10年…

学习数据库的增删改查

一、创建数据库和表 在进行增删改查操作之前&#xff0c;我们需要创建一个数据库和表。 1. 创建数据库 使用 CREATE DATABASE 语句创建数据库&#xff1a; CREATE DATABASE test_db;2. 选择数据库 使用 USE 语句选择数据库&#xff1a; USE test_db;3. 创建表 使用 CREA…

详解C语言结构体

文章目录 1.结构体的声明1.1 结构体的基础知识1.2 结构的声明1.3 结构成员的类型 1.4结构体变量的定义和初始化2.结构体成员的访问3.结构体传参 1.结构体的声明 1.1 结构体的基础知识 结构是一些值的集合&#xff0c;这些值称为成员变量。结构的每个成员可以是不同类型的变量 …

【密码学】分组密码概述

一、分组密码的定义 分组密码和流密码都是对称密码体制。 流密码&#xff1a;是将明文视为连续的比特流&#xff0c;对每个比特或字节进行实时加密&#xff0c;而不将其分割成固定的块。流密码适用于加密实时数据流&#xff0c;如网络通信。分组密码&#xff1a;是将明文数据…

【React】Ant Design -- Table分页功能实现

实现步骤 为Table组件指定pagination属性来展示分页效果在分页切换事件中获取到筛选表单中选中的数据使用当前页数据修改params参数依赖引起接口重新调用获取最新数据 const pageChange (page) > {// 拿到当前页参数 修改params 引起接口更新setParams({...params,page})…

翰德恩咨询赋能材料行业上市公司,共筑IPD管理体系新篇章

赋能背景概览 坐落于江苏的某材料行业领军企业&#xff0c;作为国内无机陶瓷膜元件及成套设备领域的佼佼者&#xff0c;以其庞大的生产规模、丰富的产品系列及卓越的研发实力&#xff0c;屹立行业之巅二十余年。公司不仅在新材料研发、技术创新、工艺设计、设备制造及整体解决…

【VUE进阶】安装使用Element Plus组件

Element Plus组件 安装引入组件使用Layout 布局button按钮行内表单菜单 安装 包管理安装 # 选择一个你喜欢的包管理器# NPM $ npm install element-plus --save# Yarn $ yarn add element-plus# pnpm $ pnpm install element-plus浏览器直接引入 例如 <head><!-- I…

Transformer-LSTM预测 | Matlab实现Transformer-LSTM时间序列预测

Transformer-LSTM预测 | Matlab实现Transformer-LSTM时间序列预测 目录 Transformer-LSTM预测 | Matlab实现Transformer-LSTM时间序列预测效果一览基本介绍程序设计参考资料 效果一览 基本介绍 1.Matlab实现Transformer-LSTM时间序列预测&#xff0c;Transformer-LSTM&#xf…

浅谈“不要卷模型,要卷应用”

目录 1.概述 2.AI技术应用场景探索 3.避免超级应用陷阱的策略 3.1.追求DAU的弊端 3.2.平衡用户活跃度与应用实用性的策略 4.个性化智能体开发 4.1. 用户需求分析与数据收集 4.2. 技术选择与开发 4.3. 个性化算法设计 4.4. 安全性与隐私保护 4.5. 多渠道集成与响应机…

用vite创建Vue3项目的步骤和文件解释

创建项目的原则是不能出现中文和特殊字符&#xff0c;最好为小写字母&#xff0c;数字&#xff0c;下划线组成 之后在visual studio code 中打开创建的这个项目 src是源代码文件 vite和webpack是有去别的&#xff0c;对于这个vite创建的工程来说index.js是入口文件 在终端里面输…

数字探秘:用神经网络解密MNIST数据集中的数字!

用神经网络解密MNIST数据集中的数字&#xff01; 一. 介绍1.1 MNIST数据集简介1.2 MLP&#xff08;多层感知器&#xff09;模型介绍1.3 目标&#xff1a;使用MLP模型对MNIST数据集中的0-9数字进行分类 二.数据预处理2.1 数据集的获取与加载2.2 数据集的探索性分析&#xff08;E…

骗子用出国月薪3万骗了1000多万上千名求职者被骗

日前,江苏省南通市崇川区人民法院开庭审理了一起涉及诈骗的案件,该案件 审理后引发全国求职者的关注以及热议。根据了解得知,这起案件的主犯是利用出 国劳务的虚假高薪职位位诱饵,最终有上千名求职者被骗上当了。文章来源于&#xff1a;股城网www.gucheng.com 根据法院审…

微信文件太大传不了?学会这些,微信秒变大文件传输神器

在数字化时代&#xff0c;微信已成为我们日常沟通的重要桥梁。然而&#xff0c;当需要在微信上传输大文件时&#xff0c;文件大小的限制往往让人束手无策。 今天&#xff0c;我们将分享一些实用的技巧&#xff0c;帮助你在微信上轻松传输大文件&#xff0c;无论是工作文档还是…

HTTP 概况

Web的应用层协议是超文本传输协议(HyperTextTransferProtocol&#xff0c;HTTP)&#xff0c;它是 Web的核心。HTTP由两个程序实现:一个客户程序和一个服务器程序。客户程序和服务器程序运行在不同的端系统中&#xff0c;通过交换HTTP报文进行会话。HTTP定义了这些报文的结构以及…

彩虹小插画:成都亚恒丰创教育科技有限公司

彩虹小插画&#xff1a;色彩斑斓的梦幻世界 在繁忙的生活节奏中&#xff0c;总有一抹温柔的色彩能悄然触动心弦&#xff0c;那就是彩虹小插画带来的梦幻与宁静。彩虹&#xff0c;这一自然界的奇迹&#xff0c;被艺术家们巧妙地融入小巧精致的插画之中&#xff0c;不仅捕捉了瞬…

事务未释放问题排查

事务未释放问题现象&#xff1a;一般会导致大量锁表现象。 排查&#xff1a;查看所有锁表报错的日志是否都是同一个线程号上的&#xff0c;找到最开始的报错并进行分析。