autogen

Форк
0
/
agentchat_compression.ipynb 
877 строк · 61.6 Кб
1
{
2
 "cells": [
3
  {
4
   "cell_type": "markdown",
5
   "metadata": {},
6
   "source": [
7
    "# Conversations with Chat History Compression Enabled\n",
8
    "\n",
9
    "**CompressibleAgent will be deprecated.** \n",
10
    "\n",
11
    "Refer to https://github.com/microsoft/autogen/blob/main/notebook/agentchat_capability_long_context_handling.ipynb for long context handling capability.\n",
12
    "\n",
13
    "AutoGen offers conversable agents powered by LLM, tools, or humans, which can be used to perform tasks collectively via automated chat. This framework allows tool use and human participance through multi-agent conversation. Please find documentation about this feature [here](https://microsoft.github.io/autogen/docs/Use-Cases/agent_chat).\n",
14
    "\n",
15
    "In this notebook, we demonstrate how to enable compression of history messages using the `CompressibleAgent`. While this agent retains all the default functionalities of the `AssistantAgent`, it also provides the added feature of compression when activated through the `compress_config` setting.\n",
16
    "\n",
17
    "Different compression modes are supported:\n",
18
    "\n",
19
    "1. `compress_config=False` (Default): `CompressibleAgent` is equivalent to `AssistantAgent`.\n",
20
    "2. `compress_config=True` or `compress_config={\"mode\": \"TERMINATE\"}`: no compression will be performed. However, we will count token usage before sending requests to the OpenAI model. The conversation will be terminated directly if the total token usage exceeds the maximum token usage allowed by the model (to avoid the token limit error from OpenAI API).\n",
21
    "3. `compress_config={\"mode\": \"COMPRESS\", \"trigger_count\": <your pre-set number>, \"leave_last_n\": <your pre-set number>}`: compression is enabled.\n",
22
    "\n",
23
    "    ```python\n",
24
    "    # default compress_config\n",
25
    "    compress_config = {\n",
26
    "        \"mode\": \"COMPRESS\",\n",
27
    "        \"compress_function\": None,\n",
28
    "        \"trigger_count\": 0.7, # default to 0.7, or your pre-set number\n",
29
    "        \"broadcast\": True, # the compressed with be broadcast to sender. This will not be used in groupchat.\n",
30
    "\n",
31
    "        # the following settings are for this mode only\n",
32
    "        \"leave_last_n\": 2, # leave the last n messages in the history to avoid compression\n",
33
    "        \"verbose\": False, # if True, print out the content to be compressed and the compressed content\n",
34
    "    }\n",
35
    "    ```\n",
36
    "\n",
37
    "    Currently, our compression logic is as follows:\n",
38
    "        1. We will always leave the first user message (as well as system prompts) and compress the rest of the history messages.\n",
39
    "        2. You can choose to not compress the last n messages in the history with \"leave_last_n\".\n",
40
    "        2. The summary is performed on a per-message basis, with the role of the messages (See compressed content in the example below).\n",
41
    "\n",
42
    "4. `compress_config={\"mode\": \"CUSTOMIZED\", \"compress_function\": <A customized function for compression>}t`: the `compress_function` function will be called on trigger count. The function should accept a list of messages as input and return a tuple of (is_success: bool, compressed_messages: List[Dict]). The whole message history (except system prompt) will be passed.\n",
43
    "\n",
44
    "\n",
45
    "By adjusting `trigger_count`, you can decide when to compress the history messages based on existing tokens. If this is a float number between 0 and 1, it is interpreted as a ratio of max tokens allowed by the model. For example, the AssistantAgent uses gpt-4 with max tokens 8192, the trigger_count = 0.7 * 8192 = 5734.4 -> 5734. Do not set `trigger_count` to the max tokens allowed by the model, since the same LLM is employed for compression and it needs tokens to generate the compressed content. \n",
46
    "\n",
47
    "\n",
48
    "\n",
49
    "## Limitations\n",
50
    "- For now, the compression feature **is not well-supported for groupchat**. If you initialize a `CompressibleAgent` in a groupchat with compression, the compressed cannot be broadcast to all other agents in the groupchat. If you use this feature in groupchat, extra cost will be incurred since compression will be performed on at per-agent basis.\n",
51
    "- We do not support async compression for now.\n",
52
    "\n",
53
    "## Requirements\n",
54
    "\n",
55
    "````{=mdx}\n",
56
    ":::info Requirements\n",
57
    "Install `pyautogen`:\n",
58
    "```bash\n",
59
    "pip install pyautogen\n",
60
    "```\n",
61
    "\n",
62
    "For more information, please refer to the [installation guide](/docs/installation/).\n",
63
    ":::\n",
64
    "````"
65
   ]
66
  },
67
  {
68
   "cell_type": "markdown",
69
   "metadata": {},
70
   "source": [
71
    "## Set your API Endpoint\n",
72
    "\n",
73
    "The [`config_list_from_json`](https://microsoft.github.io/autogen/docs/reference/oai/openai_utils#config_list_from_json) function loads a list of configurations from an environment variable or a json file.\n"
74
   ]
75
  },
76
  {
77
   "cell_type": "code",
78
   "execution_count": 2,
79
   "metadata": {},
80
   "outputs": [],
81
   "source": [
82
    "# define functions according to the function description\n",
83
    "from IPython import get_ipython\n",
84
    "\n",
85
    "import autogen\n",
86
    "from autogen.agentchat.contrib.compressible_agent import CompressibleAgent\n",
87
    "from autogen.agentchat.contrib.math_user_proxy_agent import MathUserProxyAgent\n",
88
    "\n",
89
    "config_list = autogen.config_list_from_json(\n",
90
    "    \"OAI_CONFIG_LIST\",\n",
91
    "    filter_dict={\n",
92
    "        \"model\": [\"gpt-4-1106-preview\"],\n",
93
    "    },\n",
94
    ")"
95
   ]
96
  },
97
  {
98
   "cell_type": "markdown",
99
   "metadata": {},
100
   "source": [
101
    "````{=mdx}\n",
102
    ":::tip\n",
103
    "Learn more about configuring LLMs for agents [here](/docs/topics/llm_configuration).\n",
104
    ":::\n",
105
    "````"
106
   ]
107
  },
108
  {
109
   "cell_type": "markdown",
110
   "metadata": {},
111
   "source": [
112
    "## Example 1\n",
113
    "This example is from [agentchat_MathChat.ipynb](https://github.com/microsoft/autogen/blob/main/notebook/agentchat_MathChat.ipynb). Compression with code execution.\n",
114
    "\n",
115
    "You must set the `model` field in `llm_config`, as it will be used to calculate the token usage.\n",
116
    "\n",
117
    "Note: we set `trigger_count=600`, and `leave_last_n=2`. In this example, we set a low trigger_count to demonstrate the compression feature. \n",
118
    "The token count after compression is still bigger than trigger count, mainly because the trigger count is low an the first and last 2 messages are not compressed. Thus, the compression is performed at each turn. In practice, you want to adjust the trigger_count to a bigger number and properly set the `leave_last_n` to avoid compression at each turn. \n"
119
   ]
120
  },
121
  {
122
   "cell_type": "code",
123
   "execution_count": 3,
124
   "metadata": {},
125
   "outputs": [
126
    {
127
     "name": "stdout",
128
     "output_type": "stream",
129
     "text": [
130
      "\u001b[33mmathproxyagent\u001b[0m (to assistant):\n",
131
      "\n",
132
      "Let's use Python to solve a math problem.\n",
133
      "\n",
134
      "Query requirements:\n",
135
      "You should always use the 'print' function for the output and use fractions/radical forms instead of decimals.\n",
136
      "You can use packages like sympy to help you.\n",
137
      "You must follow the formats below to write your code:\n",
138
      "```python\n",
139
      "# your code\n",
140
      "```\n",
141
      "\n",
142
      "First state the key idea to solve the problem. You may choose from three ways to solve the problem:\n",
143
      "Case 1: If the problem can be solved with Python code directly, please write a program to solve it. You can enumerate all possible arrangements if needed.\n",
144
      "Case 2: If the problem is mostly reasoning, you can solve it by yourself directly.\n",
145
      "Case 3: If the problem cannot be handled in the above two ways, please follow this process:\n",
146
      "1. Solve the problem step by step (do not over-divide the steps).\n",
147
      "2. Take out any queries that can be asked through Python (for example, any calculations or equations that can be calculated).\n",
148
      "3. Wait for me to give the results.\n",
149
      "4. Continue if you think the result is correct. If the result is invalid or unexpected, please correct your query or reasoning.\n",
150
      "\n",
151
      "After all the queries are run and you get the answer, put the answer in \\boxed{}.\n",
152
      "\n",
153
      "Problem:\n",
154
      "Find all $x$ that satisfy the inequality $(2x+10)(x+3)<(3x+9)(x+8)$. Express your answer in interval notation.\n",
155
      "\n",
156
      "--------------------------------------------------------------------------------\n",
157
      "\u001b[33massistant\u001b[0m (to mathproxyagent):\n",
158
      "\n",
159
      "Key Idea:\n",
160
      "To solve this inequality $(2x + 10)(x + 3) < (3x + 9)(x + 8)$, we'll first expand both sides of the inequality, then collect all terms on one side to form a quadratic inequality. After simplifying, we will factor the quadratic expression if possible. Then, we'll determine the critical points of the inequality by setting the factors to zero. Finally, we'll use a sign chart or test values within intervals determined by the critical points to find the intervals where the original inequality is satisfied.\n",
161
      "\n",
162
      "Case 1 applies here, so I will write a Python program using sympy that simplifies the inequality, factors the resulting expression, solves for the critical points, and then determines the intervals where the inequality holds true.\n",
163
      "\n",
164
      "```python\n",
165
      "from sympy import symbols, solve, simplify\n",
166
      "\n",
167
      "# Define the variable\n",
168
      "x = symbols('x')\n",
169
      "\n",
170
      "# Given inequality\n",
171
      "lhs = (2*x + 10)*(x + 3)\n",
172
      "rhs = (3*x + 9)*(x + 8)\n",
173
      "\n",
174
      "# Move all terms to one side of the inequality\n",
175
      "inequality = simplify(lhs - rhs) < 0\n",
176
      "\n",
177
      "# Solve the inequality\n",
178
      "solutions = solve(inequality, x)\n",
179
      "\n",
180
      "# Print the solution using interval notation\n",
181
      "print(solutions)\n",
182
      "```\n",
183
      "\n",
184
      "Running this code will provide us with the solution in interval notation. We'll express the final answer in the requested format afterward.\n",
185
      "\n",
186
      "--------------------------------------------------------------------------------\n",
187
      "\u001b[33mmathproxyagent\u001b[0m (to assistant):\n",
188
      "\n",
189
      "((-oo < x) & (x < -14)) | ((-3 < x) & (x < oo))\n",
190
      "\n",
191
      "--------------------------------------------------------------------------------\n"
192
     ]
193
    },
194
    {
195
     "name": "stderr",
196
     "output_type": "stream",
197
     "text": [
198
      "Warning: Compression skipped at trigger count threshold. The first msg and last 2 msgs will not be compressed. current msg count: 3. Consider raising trigger_count.\n"
199
     ]
200
    },
201
    {
202
     "name": "stdout",
203
     "output_type": "stream",
204
     "text": [
205
      "\u001b[33massistant\u001b[0m (to mathproxyagent):\n",
206
      "\n",
207
      "The solution obtained from running the Python code suggests that the values of $x$ that satisfy the inequality $(2x + 10)(x + 3) < (3x + 9)(x + 8)$ are in the intervals $(-\\infty, -14)$ and $(-3, \\infty)$.\n",
208
      "\n",
209
      "Therefore, the answer in interval notation is:\n",
210
      "\n",
211
      "$$\n",
212
      "\\boxed{(-\\infty, -14) \\cup (-3, \\infty)}\n",
213
      "$$\n",
214
      "\n",
215
      "--------------------------------------------------------------------------------\n"
216
     ]
217
    },
218
    {
219
     "data": {
220
      "text/plain": [
221
       "ChatResult(chat_id=None, chat_history=[{'content': \"Let's use Python to solve a math problem.\\n\\nQuery requirements:\\nYou should always use the 'print' function for the output and use fractions/radical forms instead of decimals.\\nYou can use packages like sympy to help you.\\nYou must follow the formats below to write your code:\\n```python\\n# your code\\n```\\n\\nFirst state the key idea to solve the problem. You may choose from three ways to solve the problem:\\nCase 1: If the problem can be solved with Python code directly, please write a program to solve it. You can enumerate all possible arrangements if needed.\\nCase 2: If the problem is mostly reasoning, you can solve it by yourself directly.\\nCase 3: If the problem cannot be handled in the above two ways, please follow this process:\\n1. Solve the problem step by step (do not over-divide the steps).\\n2. Take out any queries that can be asked through Python (for example, any calculations or equations that can be calculated).\\n3. Wait for me to give the results.\\n4. Continue if you think the result is correct. If the result is invalid or unexpected, please correct your query or reasoning.\\n\\nAfter all the queries are run and you get the answer, put the answer in \\\\boxed{}.\\n\\nProblem:\\nFind all $x$ that satisfy the inequality $(2x+10)(x+3)<(3x+9)(x+8)$. Express your answer in interval notation.\", 'role': 'assistant'}, {'content': \"Key Idea:\\nTo solve this inequality $(2x + 10)(x + 3) < (3x + 9)(x + 8)$, we'll first expand both sides of the inequality, then collect all terms on one side to form a quadratic inequality. After simplifying, we will factor the quadratic expression if possible. Then, we'll determine the critical points of the inequality by setting the factors to zero. Finally, we'll use a sign chart or test values within intervals determined by the critical points to find the intervals where the original inequality is satisfied.\\n\\nCase 1 applies here, so I will write a Python program using sympy that simplifies the inequality, factors the resulting expression, solves for the critical points, and then determines the intervals where the inequality holds true.\\n\\n```python\\nfrom sympy import symbols, solve, simplify\\n\\n# Define the variable\\nx = symbols('x')\\n\\n# Given inequality\\nlhs = (2*x + 10)*(x + 3)\\nrhs = (3*x + 9)*(x + 8)\\n\\n# Move all terms to one side of the inequality\\ninequality = simplify(lhs - rhs) < 0\\n\\n# Solve the inequality\\nsolutions = solve(inequality, x)\\n\\n# Print the solution using interval notation\\nprint(solutions)\\n```\\n\\nRunning this code will provide us with the solution in interval notation. We'll express the final answer in the requested format afterward.\", 'role': 'user'}, {'content': '((-oo < x) & (x < -14)) | ((-3 < x) & (x < oo))', 'role': 'assistant'}, {'content': 'The solution obtained from running the Python code suggests that the values of $x$ that satisfy the inequality $(2x + 10)(x + 3) < (3x + 9)(x + 8)$ are in the intervals $(-\\\\infty, -14)$ and $(-3, \\\\infty)$.\\n\\nTherefore, the answer in interval notation is:\\n\\n$$\\n\\\\boxed{(-\\\\infty, -14) \\\\cup (-3, \\\\infty)}\\n$$', 'role': 'user'}], summary='The solution obtained from running the Python code suggests that the values of $x$ that satisfy the inequality $(2x + 10)(x + 3) < (3x + 9)(x + 8)$ are in the intervals $(-\\\\infty, -14)$ and $(-3, \\\\infty)$.\\n\\nTherefore, the answer in interval notation is:\\n\\n$$\\n\\\\boxed{(-\\\\infty, -14) \\\\cup (-3, \\\\infty)}\\n$$', cost=({'total_cost': 0.052199999999999996, 'gpt-4': {'cost': 0.052199999999999996, 'prompt_tokens': 954, 'completion_tokens': 393, 'total_tokens': 1347}}, {'total_cost': 0.052199999999999996, 'gpt-4': {'cost': 0.052199999999999996, 'prompt_tokens': 954, 'completion_tokens': 393, 'total_tokens': 1347}}), human_input=[])"
222
      ]
223
     },
224
     "execution_count": 3,
225
     "metadata": {},
226
     "output_type": "execute_result"
227
    }
228
   ],
229
   "source": [
230
    "# 1. replace AssistantAgent with CompressibleAgent\n",
231
    "assistant = CompressibleAgent(\n",
232
    "    name=\"assistant\",\n",
233
    "    system_message=\"You are a helpful assistant.\",\n",
234
    "    llm_config={\n",
235
    "        \"timeout\": 600,\n",
236
    "        \"cache_seed\": 42,\n",
237
    "        \"config_list\": config_list,\n",
238
    "        \"model\": \"gpt-4-1106-preview\",  # you must set the model field in llm_config, as it will be used to calculate the token usage.\n",
239
    "    },\n",
240
    "    compress_config={\n",
241
    "        \"mode\": \"COMPRESS\",\n",
242
    "        \"trigger_count\": 600,  # set this to a large number for less frequent compression\n",
243
    "        \"verbose\": True,  # to allow printing of compression information: context before and after compression\n",
244
    "        \"leave_last_n\": 2,\n",
245
    "    },\n",
246
    ")\n",
247
    "\n",
248
    "# 2. create the MathUserProxyAgent instance named \"mathproxyagent\"\n",
249
    "mathproxyagent = MathUserProxyAgent(\n",
250
    "    name=\"mathproxyagent\",\n",
251
    "    human_input_mode=\"NEVER\",\n",
252
    "    code_execution_config={\n",
253
    "        \"use_docker\": False\n",
254
    "    },  # Please set use_docker=True if docker is available to run the generated code. Using docker is safer than running the generated code directly.\n",
255
    "    max_consecutive_auto_reply=5,\n",
256
    ")\n",
257
    "math_problem = (\n",
258
    "    \"Find all $x$ that satisfy the inequality $(2x+10)(x+3)<(3x+9)(x+8)$. Express your answer in interval notation.\"\n",
259
    ")\n",
260
    "mathproxyagent.initiate_chat(assistant, message=mathproxyagent.message_generator, problem=math_problem)"
261
   ]
262
  },
263
  {
264
   "cell_type": "markdown",
265
   "metadata": {},
266
   "source": [
267
    "## Example 2\n",
268
    "This example is from [agentchat_function_call.ipynb](https://github.com/microsoft/autogen/blob/main/notebook/agentchat_function_call.ipynb). Compression with function calls. "
269
   ]
270
  },
271
  {
272
   "cell_type": "code",
273
   "execution_count": 4,
274
   "metadata": {},
275
   "outputs": [
276
    {
277
     "name": "stdout",
278
     "output_type": "stream",
279
     "text": [
280
      "\u001b[33muser_proxy\u001b[0m (to chatbot):\n",
281
      "\n",
282
      "Draw two agents chatting with each other with an example dialog. Don't add plt.show().\n",
283
      "\n",
284
      "--------------------------------------------------------------------------------\n",
285
      "\u001b[33mchatbot\u001b[0m (to user_proxy):\n",
286
      "\n",
287
      "\u001b[32m***** Suggested function Call: python *****\u001b[0m\n",
288
      "Arguments: \n",
289
      "{\n",
290
      "  \"cell\": \"import matplotlib.pyplot as plt\\nimport numpy as np\\n\\nfig, ax = plt.subplots()\\n\\n# Define the agents as circles\\nagent1 = plt.Circle((0.4, 0.5), 0.1, color='blue')\\nagent2 = plt.Circle((0.6, 0.5), 0.1, color='red')\\n\\n# Draw the agents\\nax.add_artist(agent1)\\nax.add_artist(agent2)\\n\\n# Example dialog boxes\\nplt.text(0.28, 0.6, \\\"Hello!\\\", fontsize=12, bbox=dict(facecolor='white', alpha=0.5))\\nplt.text(0.58, 0.6, \\\"Hi there!\\\", fontsize=12, bbox=dict(facecolor='white', alpha=0.5))\\n\\n# Set the limits and remove axes\\nax.set_xlim(0, 1)\\nax.set_ylim(0, 1)\\nax.axis('off')\\n\"\n",
291
      "}\n",
292
      "\u001b[32m*******************************************\u001b[0m\n",
293
      "\n",
294
      "--------------------------------------------------------------------------------\n",
295
      "\u001b[35m\n",
296
      ">>>>>>>> EXECUTING FUNCTION python...\u001b[0m\n"
297
     ]
298
    },
299
    {
300
     "data": {
301
      "text/plain": [
302
       "(0.0, 1.0, 0.0, 1.0)"
303
      ]
304
     },
305
     "execution_count": 4,
306
     "metadata": {},
307
     "output_type": "execute_result"
308
    },
309
    {
310
     "data": {
311
      "image/png": "iVBORw0KGgoAAAANSUhEUgAAAgMAAAGFCAYAAABg2vAPAAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjguMiwgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy8g+/7EAAAACXBIWXMAAA9hAAAPYQGoP6dpAAAdR0lEQVR4nO3de3SU9Z3H8c8zMyEkIjcN18YGAkGE2iO4si1QoSpC16VILSq6HjheIko99ZYK1kUUQZG2dk2VrOi6eNl1o1h6WkWqBRQQXStdFQ0GMRQpYkAS0IEwycz+8esQQhBzmzxP8n2/zomcTJLJb5xn8rznufweL5FIJAQAAMwK+T0AAADgL2IAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMI4YAADAOGIAAADjiAEAAIwjBgAAMC7i9wDQdlVWVioajfo9jFaTmZmpLl26+D2Mds3aMpVqLLNoKGIATVJZWanCwkLFYjG/h9Jq0tLSNHPmTP64pojFZSrVWGbRUMQAmiQajSoWi2ny5MnKysryezgpV15ermXLlikajfKHNUWsLVOpxjKLxiAG0CxZWVnq3bu338NAO8IyBbQ+DiAEAMA4YgAAAOOIAQAAjCMG0OZMmzZNOTk5dW7zPE933nmnL+NBcOXk5GjatGlN/vlp06apU6dOLTcgIKCIAaTM448/Ls/z9NZbbx3z62PGjNHQoUNbeVT1rV69Wp7nafXq1X4PBceRquUpGo3qzjvvbHPPPwGMlsTZBADarc2bNysUOv57nmg0qrlz50pyQQFYxJYBAO1Wenq60tLS/B7GcSUSCR04cMDvYcA4YgCB8uSTT2r48OHKyMhQ9+7ddckll2j79u1Nuq+NGzdqwoQJ6ty5szp16qRzzjlHGzZsaOERI8i+7piBsrKywxMczZ07V57nHXPz+44dOzRp0iR16tRJWVlZuuWWW1RTU1Pne+LxuB544AENGTJEHTt2VM+ePZWfn6+9e/fWG9MFF1ygl156SWeeeaYyMjJUVFQkSaqoqNBPf/pTZWdnKz09XQMGDNB9992neDze/P8ZwHGwmwApV1lZqd27d9e7/ehpZ++55x7dcccdmjJliq666iqVl5frwQcf1Pe+9z1t3LhRXbt2bfDv3LRpk0aPHq3OnTuroKBAaWlpKioq0pgxY7RmzRqNGDGiuQ8LPmno8tQQWVlZevjhhzVjxgxdeOGFmjx5siTp9NNPP/w9NTU1Ov/88zVixAgtWrRIL7/8sn7xi18oNzdXM2bMOPx9+fn5evzxxzV9+nTdcMMN+vjjj1VYWKiNGzdq3bp1dbZQbN68WZdeeqny8/N19dVXa9CgQYpGozr77LO1Y8cO5efn65RTTtH69es1a9Ys7dy5Uw888ECjHx/QUMQAUu7cc8/9yq8NGTJEkrRt2zbNmTNH8+bN0+zZsw9/ffLkyTrjjDP00EMP1bn96/z85z9XLBbT2rVr1b9/f0nSFVdcoUGDBqmgoEBr1qxp4qOB3xqyPDXUCSecoIsuukgzZszQ6aefrssvv7ze9xw8eFAXX3yx7rjjDknStddeq2HDhunRRx89HANr167VkiVL9NRTT2nq1KmHf3bs2LEaP368iouL69y+ZcsWrVixQueff/7h2+bNm6ePPvpIGzdu1MCBAyW5wOjTp4/uv/9+3XzzzcrOzm7U4wMaihhAyv3mN79RXl5evdtvvvnmw5taly1bpng8rilTptR519erVy8NHDhQq1atanAM1NTUaOXKlZo0adLhEJCk3r17a+rUqXrkkUe0b98+de7cuZmPDH5oyPLU0q699to6n48ePVpPPPHE4c+Li4vVpUsXnXfeeXWW3+HDh6tTp05atWpVnRjo169fnRBI3sfo0aPVrVu3Ovdx7rnn6t5779Wrr76qyy67rKUfGiCJGEArOOuss3TmmWfWu/3IP3qlpaVKJBKH3xEdrTEHgZWXlysajWrQoEH1vjZ48GDF43Ft37690e8iEQwNWZ5aUseOHetdOKlbt251jgUoLS1VZWWlevToccz7+Oyzz+p83q9fv3rfU1paqnfeeecrL9J09H0ALYkYQCDE43F5nqcXX3xR4XC43teZ+AV+OdbyeLR4PK4ePXroqaeeOubXj17BZ2RkHPM+zjvvPBUUFBzzPo61NQRoKcQAAiE3N1eJREL9+vVr9h+9rKwsZWZmavPmzfW+VlJSolAoVGff65gxY5RIJJr1O9F2eZ7X7PvIzc3Vyy+/rJEjRx5zRd/Q+/jiiy+Oe0zEkVhm0ZI4tRCBMHnyZIXDYc2dO7feH7lEIqE9e/Y0+L7C4bDGjRun5cuXq6ys7PDtu3bt0tNPP61Ro0bVOV6gsrJSJSUlikajzX4caHsyMzMludP6mmrKlCmqqanR3XffXe9r1dXVDbrvKVOm6PXXX9dLL71U72sVFRWqrq4+/HksFlNJSUlKdovAJrYMIBByc3M1b948zZo1S2VlZZo0aZJOPPFEffzxx3r++ed1zTXX6JZbbmnw/c2bN09//OMfNWrUKF133XWKRCIqKipSVVWVFi5cWOd7n3/+eU2fPl2rVq065gx0VVXSrl1SWZn03HNSRoZ06JD7qK6W0tKkDh2k9HT3b6dO0oAB7iM9vZn/Y1Df559LJSXuCaipqf3Yt086cED63/+VwmEpEpFiMXdbVdVXPhkZGRk67bTT9MwzzygvL0/du3fX0KFDGzW18dlnn638/HwtWLBAf/nLXzRu3DilpaWptLRUxcXF+vWvf62LLrrouPdx66236ne/+50uuOACTZs2TcOHD9eXX36pd999V88++6zKysp08sknS3LzHgwePFhz5sxhSmK0CGIAgXHbbbcpLy9Pv/rVrw5PD5udna1x48Zp4sSJjbqvIUOG6LXXXtOsWbO0YMECxeNxjRgxQk8++eRXzjFQWSlt3izt2eM+ysul3bulaFTav19avVr6z/903+t5UnKW20Si9uNInif17SsNHiydeqqUl1f7kZ3t1lc4hnhcqqiofSL27HFPxIoV7uvPPiv16VP7/cnN/Hv3uifrhRdqn4wvv3RP6oIFUmamdPLJUlaWdNJJtR/dumnJkiX6yU9+ohtvvFGHDh3SnDlzGn2dg8WLF2v48OEqKirS7NmzFYlElJOTo8svv1wjR4782p/PzMzUmjVrNH/+fBUXF2vp0qXq3Lmz8vLyNHfuXHXp0qVR4wEaw0uw4wlNsHPnThUVFSk/P1+9e/f2eziNlkhIn37q1hPvv+9W/MlXgue5jyMnfdu/f6eee65I27blS2r8401Lc1sRkr8jLU0aMUKaPFn64Q+lI86AtGnrVu184gkV/eEPyh8zRr3/vun+cHW15CmDoVDdevM8qUcPV22DBkm9etUGRhvW1l+jaF1sGYAZNTXStm1uC/MHH7h3+6FQ3ZW+dOx3+c119OR4sZi0fr20bp10001uPfSjH7kwGD68XayLji+RkN56S1q+3O17KSlxt+fk1F3xJxItGwLSsZ/wXbtcEa5eLZ14Yu3mnG9+k004MIEYQLtWVSWVlrp1zYcfut3MRwaAn1O+H/m7P/jAbcmeN0/q2bN2i8H3v++2IrQLsZj0pz+5AFi2zK2Aw+H6K3+/JJ+Q/ftdqLz5pjsIJC/PhcHAgRwEgnaLGEC7FI1Kb7whbdjggiAoAXA8yXXirl3SI49IDz8sfeMb0uzZ0vTpUseO/o6vyQ4elB57TJo/X9qxwx3YlzwyPkUzBjZbciE5dMjtR3rvPRcC//iPbv9OcjcG0E5waiHalf37pZdekn75S+nVV10ISMENgK+SXFfu2CFdf7074HDRIumLL/wdV6Ps3+8GnZ0tzZwp/e1v7vYjTpFrE5ILT1WVW6h++Utp5Ur3+IB2gi0DaBcqKqS1a6W333aft7WV/1dJbjXfvVsqKHC7EW68UbrhBqlbN3/H9pX27pX+7d/cSnP/fn83/be0RMLFzIYN7mPYMGnUKKkRV9QEgogtA2jTqqvdMV8PPuhCIB5vPyFwtETCnf54111Sbq47zTFQ69lEwg0qN9cNct++gA2wBSUXtLffdgvf6tVtb4sHcARiAG3WRx9JhYXSmjVu13N7jYCjJU/DnzbNvSndtMnvEcntUx81yg2qosLWk1FT4xbCwkK3UAJtELsJ0Czl5eWt/jurqqRXXnHHdXle67z5jEZb/3EeT/Ixv/mm9O1vS//6r+5Aw0hrv6Krq92BgXfdVXs+ZDOfkPK2Oi30/v3SQw9Jp50mnXOO72ce+PHaRNvFpENoksrKShUWFip29An0KbZ7t7RqlTtboLWX3MrKNFVUzJQUvJngPM8d6P4//+POQGgVn3wiTZni9p23wJNRKamwa1fF2vpMe57nzjYYO9bNeOijtLQ0zZw5k9kL8bWIATRZZWVlq17cZ+lS6fbb3XrHn63QmQpiCCRFIm6+nOJi98Y0pV55Rfrxj9274RbcV14pqY1uF6grFHJRMH++9C//4tswMjMzCQE0CDGAwIvHpZ/9zJ2lhuNLXi/h8cdTuA5autRNfCDZOTagOW69VbrvPgPTSqItIwYQaLGYdOWV0hNP+D2StmfRIunmm1Nwp7fe2sJ3asAVV0hLlrSj6STR3hADCKyDB6ULL3STCLGUNk1BgXTvvS3wpjSRcJtn7r+/RcZljudJ48e7aZjb7FSSaM84tRCBVFMjXXqpm+iNEGi6hQvdbutmu+ceQqA5EglXtVOnBncKZpjGlgEETiLhZq99+GFCoKU89ljtbv4m/fCVV7boeMzyPOm669xERRxDgAAhBhA4994rzZrl9yjal1BI+v3vpQkTGvmDL7wg/fM/c6BgS1uwQLrtNr9HARxGDCBQVq1yp8WxVLYsz3OnHb73nrtuUINs3y4NGeKujsQT0rI8z13OecwYv0cCSOKYAQTI55+74wTYetryEgk3UdNllzVwl3VNjdu/feAAIZAKnucW9s8/93skgCRiAAGRSLjd0rt3s0U6Vaqrpddea+BxgAsXustAcvGd1IjHpfJy6eqriS0EArsJEAi//a07jRCpF4lIJSXu4oLHtGWLNHgwIdBann9emjTJ71HAOLYMwHeHDkk33VQ7ex5Sr6CgqV9EiwqF3MxQrXyND+Bo/PmF74qKpLIydg+0lupqN/fN+vXH+OK6de6dKlsFWkc8Lm3d6l4EgI/YTQBfRaNS375SRYXfI7ElHJZGjHDr/jpGjpTeeIOJcVpbt27uKpCZmX6PBEaxZQC+euYZQsAPNTVuy8A77xxx4//9n7uREGh9e/e6608DPiEG4KvCQo4V8EskIi1efMQNixe7G9H6QiE3KyHgE3YTwDd//rN05pl+j8K2jAxp1y7pRO2XevZ08wrAP3/+szRsmN+jgEG8J4Nviot5I+q3Awfc9XO0YgUh4LdIxL0oAB8QA/DNihUctO63SER6+WW5/1Bm/qqudi8KwAfsJoAv9uyRsrKYfC0IsrOlvyay3dHs8JfnuZkJTzrJ75HAGLYMwBerVxMCQRHaXkYIBEUiIa1Z4/coYBAxAF+UlLBVOihOVYnfQ0BScq5ooJURA/DF1q1+jwBJudqqhLhUZGDw4oAPiAH4orSUgweDIje0VTUhNtMEQnW1e3EArYy/APDFtm1+jwBJfeOfyBOzDgYGLw74gC0D8MWhQ36PAEkdVKWQuEpUYPDigA+IAfiCKxQGByEQMLw44ANiAL5IS/N7BEg6pA4cQBgkvDjgA2IAvuje3e8RIKnS66a4F/Z7GEjixQEfEAPwxaBBXK0wKLaqv0IeM0AFQijkXhxAK+PPMXzRv78U5s1oIGxJ9FcoztkEgRAOuxcH0MqIAfgiN1eKxfweBSTpI+X6PQQkxWLEAHxBDMAX3/mO3yNAUmn6t5To2NHvYSDpu9/1ewQwiBiAL4YOlU4+2e9RIBSSRn2/g7wxYziIIwiysqQhQ/weBQzi1Q9feJ40fjwXK/JbIiGdf77+/h/4KhJxLwqP0zzR+ogB+Oaf/onrE/gtkZAmTJD0gx8w2Y3fqqvd8wD4wEskuKo8/HHwoNSrl1RZ6fdIbAqH3e7pV1/9+w2jR0vr1xMFfunaVfr0Uyk93e+RwCC2DMA3HTtKV1/NKYZ+qamRrr/+iBuuv54Q8Es47F4MhAB8wpYB+GrLFmngQL9HYVP37tLOnVKHDn+/oapK6t1b2rvX13GZVVoqDRjg9yhgFFsG4KsBA6RLLuFAwtbmedLttx8RApJ7V3r77RzA1toiEenSSwkB+IotA/BdWZnbOsDBhK0jFJL69nVvROttla6qciulv/2NXQatJS1N+vBDKSfH75HAMLYMwHc5OdKNN3Kae2uJx6VFi75i93R6uvsiIdA6QiG38BMC8BlbBhAIFRXSqadK5eWsh1IpEnGzP65Zc5y9AYmEdPbZ0uuvs7kmlUIhN8nQ5s1Sly5+jwbG8V4MgdC1q/Rf/+XWQ0gNz5MyM6WnnvqawwI8z31TRgbHD6RSIiH9938TAggEYgCBMXas9LOfsf5JlURCeuwxKTu7Ad+cne2+mTpLDc+TbrtNGjPG75EAkthNgICJxaSRI6WNG9lC3ZI8T7rqKunf/72RP3jNNdKSJURBSwqHpWHDpHXr3MGDQAAQAwic8nLprLOkTz4hCFpCOCydc470+983Yd0Ti7l5o//0JzdLEZonEnFbXd54wx0vAAQEMYBA2rpV+od/cFMVsw5qukhE+ta33JTDnTo18U6++MJNVfzuuzwZzREOu4Nj3nxT6t/f79EAdXDMAAKpf39p5Uo3ZTHTFTdN8k3oihXNCAHJ/fCKFdIpp/BkNFU47BbmlSsJAQQSMYDAGj7c7Vbt1o0ZChsrHJaGDJE2bJB69GiBO+zZ051qOHQoQdBYkYhbiNetc8cKAAFEDCDQvv1tt3v1G99gHdRQoZDbqv/aay0UAkk9e7r9DaNHM0NUQ0UibuF98023MAMBxSsagde/vwuCM85gHdQQF1/stuqfeGIK7rxzZ3fnF1+cgjtvZzzPLbRvvCH16+f3aIDj4k8r2oQePdxW1hkz3OfMRVBXOOzehBYWuvmCUnol3PR090sKC90vZZNNXcmF8/rrpbVrW3jzDJAanE2ANmfZMmn6dCka5dRDyW0tycmRiot92CX99tvSj3/srjbFPNIujk44QfqP/5AuvNDv0QANxpYBtDmTJ0vvvy9NnOg+t7rrIBJxj/2mm6R33vHp2LRhw9wvT15pyupWguRCOHGitGkTIYA2hy0DaNNefFG69lpp+3Y7k+R5nnus3/mOVFTk5hEIhHffdTMWbthQO0gLPM+ddrl4sTR+vN+jAZrE6HsqtBcTJkglJdLcue6Aufa8lSD52Pr0cVuh164NUAhIbjDr1rnB9enjbmvPB3eEQm6hmztX+uADQgBtGlsG0G7s2yc99JC0cKG7JHJ7WbJDIbc7PjdXuuMOaerUNjClfSwmPf20dPfd0kcf1T6I9sDz3LwBBQXuiNbOnf0eEdBsxADanWhUevRRaf586dNP2+56KBx2s/8OHSrNmeN2Q7e5XfI1Ne6Iz7vukt57r/ZBtTXJhahXL2n2bOnKK931oIF2ghhAu3XokPTkk9LSpW4Cnng8+OuiSMSdIdGxo9sFctVV7t82v7U9kXAHeCxZ4v49eLD2wQZVcmFJzuJ0xRXS5ZdLHTr4PTKgxREDMGHvXumFF6Tf/lb6wx+kAweCsy5KrnNOOsmdKfHDH7qrDHbs6PfIUuTgQemVV6Tly91Wgz17gvNkJMeRkeGu1jhpkvSDH7jdAkA7RgzAnKoqadWq2nXRZ5+5d97J9UAqXxHJs+9iMff5wIHSj37kAuCss9r3AZDHFI+7qXqXL5eee04qLXW3p6W5Qkrl/p2jn/SePV2NTZwojR2b4pmbgGAhBmBaPO7mzXn7bWnzZvfx/vvSX/9auzvh6BV4Q6Sl1Q2L9HQ3rfKQIVJenvv47nddDOAIpaXS+vXShx+6j02b3PWsq6rc15Mr8MY+GUeGRTjsTgU87TTp1FPdkzFsmLsyVpvfHwM0DTEAHEMs5ibVS66TPvxQ2rJF+vJLt15KfsRibkWfnu52JWdkuIPLBw5065hBg9y/ffsafNffUuJxaccOV2rJJ6O01J0+cuCAOzgk+YSkpdU+IenpbjbAAQNqCywvz03XGPjTMYDWRQwAAGAc71UAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACMIwYAADCOGAAAwDhiAAAA44gBAACM+3/SEA9yKFMnowAAAABJRU5ErkJggg==",
312
      "text/plain": [
313
       "<Figure size 640x480 with 1 Axes>"
314
      ]
315
     },
316
     "metadata": {},
317
     "output_type": "display_data"
318
    },
319
    {
320
     "name": "stdout",
321
     "output_type": "stream",
322
     "text": [
323
      "\u001b[33muser_proxy\u001b[0m (to chatbot):\n",
324
      "\n",
325
      "\u001b[32m***** Response from calling function \"python\" *****\u001b[0m\n",
326
      "(0.0, 1.0, 0.0, 1.0)\n",
327
      "\u001b[32m***************************************************\u001b[0m\n",
328
      "\n",
329
      "--------------------------------------------------------------------------------\n",
330
      "\u001b[33mchatbot\u001b[0m (to user_proxy):\n",
331
      "\n",
332
      "The two agents have been drawn, each represented as a circle, and an example of their dialogue is displayed above them. Since `plt.show()` was not to be included, the plot is not displayed here, but the agents along with their dialogue would appear within the figure's coordinate system, which extends from 0 to 1 on both the x and y axes.\n",
333
      "\n",
334
      "--------------------------------------------------------------------------------\n",
335
      "\u001b[33muser_proxy\u001b[0m (to chatbot):\n",
336
      "\n",
337
      "\n",
338
      "\n",
339
      "--------------------------------------------------------------------------------\n",
340
      "\u001b[33mchatbot\u001b[0m (to user_proxy):\n",
341
      "\n",
342
      "TERMINATE\n",
343
      "\n",
344
      "--------------------------------------------------------------------------------\n"
345
     ]
346
    },
347
    {
348
     "data": {
349
      "text/plain": [
350
       "ChatResult(chat_id=None, chat_history=[{'content': \"Draw two agents chatting with each other with an example dialog. Don't add plt.show().\", 'role': 'assistant'}, {'function_call': {'arguments': '{\\n  \"cell\": \"import matplotlib.pyplot as plt\\\\nimport numpy as np\\\\n\\\\nfig, ax = plt.subplots()\\\\n\\\\n# Define the agents as circles\\\\nagent1 = plt.Circle((0.4, 0.5), 0.1, color=\\'blue\\')\\\\nagent2 = plt.Circle((0.6, 0.5), 0.1, color=\\'red\\')\\\\n\\\\n# Draw the agents\\\\nax.add_artist(agent1)\\\\nax.add_artist(agent2)\\\\n\\\\n# Example dialog boxes\\\\nplt.text(0.28, 0.6, \\\\\"Hello!\\\\\", fontsize=12, bbox=dict(facecolor=\\'white\\', alpha=0.5))\\\\nplt.text(0.58, 0.6, \\\\\"Hi there!\\\\\", fontsize=12, bbox=dict(facecolor=\\'white\\', alpha=0.5))\\\\n\\\\n# Set the limits and remove axes\\\\nax.set_xlim(0, 1)\\\\nax.set_ylim(0, 1)\\\\nax.axis(\\'off\\')\\\\n\"\\n}', 'name': 'python'}, 'content': None, 'role': 'assistant'}, {'content': '(0.0, 1.0, 0.0, 1.0)', 'name': 'python', 'role': 'function'}, {'content': \"The two agents have been drawn, each represented as a circle, and an example of their dialogue is displayed above them. Since `plt.show()` was not to be included, the plot is not displayed here, but the agents along with their dialogue would appear within the figure's coordinate system, which extends from 0 to 1 on both the x and y axes.\", 'role': 'user'}, {'content': '', 'role': 'assistant'}, {'content': 'TERMINATE', 'role': 'user'}], summary='', cost=({'total_cost': 0.04767, 'gpt-4': {'cost': 0.04767, 'prompt_tokens': 973, 'completion_tokens': 308, 'total_tokens': 1281}}, {'total_cost': 0.04767, 'gpt-4': {'cost': 0.04767, 'prompt_tokens': 973, 'completion_tokens': 308, 'total_tokens': 1281}}), human_input=[])"
351
      ]
352
     },
353
     "execution_count": 4,
354
     "metadata": {},
355
     "output_type": "execute_result"
356
    }
357
   ],
358
   "source": [
359
    "llm_config = {\n",
360
    "    \"model\": \"gpt-4-1106-preview\",\n",
361
    "    \"functions\": [\n",
362
    "        {\n",
363
    "            \"name\": \"python\",\n",
364
    "            \"description\": \"run cell in ipython and return the execution result.\",\n",
365
    "            \"parameters\": {\n",
366
    "                \"type\": \"object\",\n",
367
    "                \"properties\": {\n",
368
    "                    \"cell\": {\n",
369
    "                        \"type\": \"string\",\n",
370
    "                        \"description\": \"Valid Python cell to execute.\",\n",
371
    "                    }\n",
372
    "                },\n",
373
    "                \"required\": [\"cell\"],\n",
374
    "            },\n",
375
    "        },\n",
376
    "        {\n",
377
    "            \"name\": \"sh\",\n",
378
    "            \"description\": \"run a shell script and return the execution result.\",\n",
379
    "            \"parameters\": {\n",
380
    "                \"type\": \"object\",\n",
381
    "                \"properties\": {\n",
382
    "                    \"script\": {\n",
383
    "                        \"type\": \"string\",\n",
384
    "                        \"description\": \"Valid shell script to execute.\",\n",
385
    "                    }\n",
386
    "                },\n",
387
    "                \"required\": [\"script\"],\n",
388
    "            },\n",
389
    "        },\n",
390
    "    ],\n",
391
    "    \"config_list\": config_list,\n",
392
    "    \"timeout\": 120,\n",
393
    "}\n",
394
    "\n",
395
    "chatbot = CompressibleAgent(\n",
396
    "    name=\"chatbot\",\n",
397
    "    system_message=\"For coding tasks, only use the functions you have been provided with. Reply TERMINATE when the task is done.\",\n",
398
    "    llm_config=llm_config,\n",
399
    "    compress_config={\n",
400
    "        \"mode\": \"COMPRESS\",\n",
401
    "        \"trigger_count\": 600,  # set this to a large number for less frequent compression\n",
402
    "        \"verbose\": True,  # set this to False to suppress the compression log\n",
403
    "        \"leave_last_n\": 2,\n",
404
    "    },\n",
405
    ")\n",
406
    "\n",
407
    "# create a UserProxyAgent instance named \"user_proxy\"\n",
408
    "user_proxy = autogen.UserProxyAgent(\n",
409
    "    name=\"user_proxy\",\n",
410
    "    is_termination_msg=lambda x: x.get(\"content\", \"\") and x.get(\"content\", \"\").rstrip().endswith(\"TERMINATE\"),\n",
411
    "    human_input_mode=\"NEVER\",\n",
412
    "    max_consecutive_auto_reply=10,\n",
413
    "    code_execution_config={\n",
414
    "        \"work_dir\": \"coding\",\n",
415
    "        \"use_docker\": False,\n",
416
    "    },  # Please set use_docker=True if docker is available to run the generated code. Using docker is safer than running the generated code directly.\n",
417
    ")\n",
418
    "\n",
419
    "\n",
420
    "def exec_python(cell):\n",
421
    "    ipython = get_ipython()\n",
422
    "    result = ipython.run_cell(cell)\n",
423
    "    log = str(result.result)\n",
424
    "    if result.error_before_exec is not None:\n",
425
    "        log += f\"\\n{result.error_before_exec}\"\n",
426
    "    if result.error_in_exec is not None:\n",
427
    "        log += f\"\\n{result.error_in_exec}\"\n",
428
    "    return log\n",
429
    "\n",
430
    "\n",
431
    "def exec_sh(script):\n",
432
    "    return user_proxy.execute_code_blocks([(\"sh\", script)])\n",
433
    "\n",
434
    "\n",
435
    "# register the functions\n",
436
    "user_proxy.register_function(\n",
437
    "    function_map={\n",
438
    "        \"python\": exec_python,\n",
439
    "        \"sh\": exec_sh,\n",
440
    "    }\n",
441
    ")\n",
442
    "\n",
443
    "# start the conversation\n",
444
    "user_proxy.initiate_chat(\n",
445
    "    chatbot,\n",
446
    "    message=\"Draw two agents chatting with each other with an example dialog. Don't add plt.show().\",\n",
447
    ")"
448
   ]
449
  },
450
  {
451
   "cell_type": "markdown",
452
   "metadata": {},
453
   "source": [
454
    "## Example 3\n",
455
    "This example is from [agent_chat_web_info.ipynb](https://github.com/microsoft/autogen/blob/main/notebook/agentchat_web_info.ipynb). \n",
456
    "We use this example to demonstrate how to pass in a customized compression function. We pass in an compression function `constrain_num_messages`, which constrains the number of messages to be 3 or less. \n",
457
    "The customized function should accept a list of messages as input and return a tuple of `(is_success: bool, compressed_messages: List[Dict])`."
458
   ]
459
  },
460
  {
461
   "cell_type": "code",
462
   "execution_count": 5,
463
   "metadata": {},
464
   "outputs": [
465
    {
466
     "name": "stdout",
467
     "output_type": "stream",
468
     "text": [
469
      "\u001b[33muser_proxy\u001b[0m (to assistant):\n",
470
      "\n",
471
      "Show me the YTD gain of 10 largest technology companies as of today.\n",
472
      "\n",
473
      "--------------------------------------------------------------------------------\n",
474
      "\u001b[33massistant\u001b[0m (to user_proxy):\n",
475
      "\n",
476
      "To compute the Year-To-Date (YTD) gains of the 10 largest technology companies, I can fetch the latest stock price and the closing price from the last trading day of the previous year. Then calculate the percentage increase for each company.\n",
477
      "\n",
478
      "First, we should fetch the current stock prices and the closing prices as of the last trading day of the previous year for these companies. For this, we can use a financial data API like Alpha Vantage, Yahoo Finance, or similar, which would require an API key and internet access, but I can't perform actions that require internet access.\n",
479
      "\n",
480
      "Instead, I will provide you with Python code that you'd need to run on your local machine. This code utilizes the `yfinance` Python library, which is widely used for retrieving historical market data from Yahoo Finance. If you don't have `yfinance` installed, you'll need to install it by running `pip install yfinance` in your command line.\n",
481
      "\n",
482
      "Here is the code you'll need to execute:\n",
483
      "\n",
484
      "```python\n",
485
      "# filename: ytd_gains.py\n",
486
      "\n",
487
      "import yfinance as yf\n",
488
      "from datetime import datetime, timedelta\n",
489
      "\n",
490
      "# Define the ticker symbols for the 10 largest tech companies.\n",
491
      "# This is a sample list and may not represent the current top 10 companies.\n",
492
      "# You would need to replace this with the actual tickers of the top 10 tech companies.\n",
493
      "tech_companies = [\"AAPL\", \"MSFT\", \"GOOGL\", \"AMZN\", \"FB\", \"TSLA\", \"NVDA\", \"V\", \"ADBE\", \"INTC\"]\n",
494
      "\n",
495
      "# Compute the last day of the last year\n",
496
      "end_of_last_year = datetime(datetime.now().year - 1, 12, 31)\n",
497
      "\n",
498
      "# Retrieve the data and calculate YTD gain for each company\n",
499
      "ytd_gains = {}\n",
500
      "for symbol in tech_companies:\n",
501
      "    try:\n",
502
      "        # Fetch historical data\n",
503
      "        stock = yf.Ticker(symbol)\n",
504
      "        last_price = stock.history(period=\"1d\")['Close'][-1]\n",
505
      "        prev_close = stock.history(start=end_of_last_year, end=end_of_last_year + timedelta(days=1))['Close'][0]\n",
506
      "\n",
507
      "        # Calculate YTD gain\n",
508
      "        ytd_gain = ((last_price - prev_close) / prev_close) * 100\n",
509
      "        ytd_gains[symbol] = ytd_gain\n",
510
      "    except Exception as e:\n",
511
      "        # Handle errors by skipping the company and printing an error message\n",
512
      "        print(f\"Error retrieving data for {symbol}: {e}\")\n",
513
      "\n",
514
      "# Print the YTD gains\n",
515
      "for symbol, gain in ytd_gains.items():\n",
516
      "    print(f\"{symbol}: {gain:.2f}% YTD Gain\")\n",
517
      "\n",
518
      "```\n",
519
      "\n",
520
      "Make sure that `yfinance` is installed and then run this Python script (`ytd_gains.py`). The script will print out the YTD gains for the listed technology companies as a percentage.\n",
521
      "\n",
522
      "Note that the list of the 10 largest technology companies must be updated to reflect the current market situation. If you do not have the updated list, let me know, and I can attempt to retrieve this information for you using different methods.\n",
523
      "\n",
524
      "--------------------------------------------------------------------------------\n",
525
      "\u001b[31m\n",
526
      ">>>>>>>> USING AUTO REPLY...\u001b[0m\n",
527
      "\u001b[31m\n",
528
      ">>>>>>>> EXECUTING CODE BLOCK 0 (inferred language is python)...\u001b[0m\n",
529
      "\u001b[33muser_proxy\u001b[0m (to assistant):\n",
530
      "\n",
531
      "exitcode: 0 (execution succeeded)\n",
532
      "Code output: \n",
533
      "Error retrieving data for AAPL: index 0 is out of bounds for axis 0 with size 0\n",
534
      "Error retrieving data for MSFT: index 0 is out of bounds for axis 0 with size 0\n",
535
      "Error retrieving data for GOOGL: index 0 is out of bounds for axis 0 with size 0\n",
536
      "Error retrieving data for AMZN: index 0 is out of bounds for axis 0 with size 0\n",
537
      "Error retrieving data for FB: index -1 is out of bounds for axis 0 with size 0\n",
538
      "Error retrieving data for TSLA: index 0 is out of bounds for axis 0 with size 0\n",
539
      "Error retrieving data for NVDA: index 0 is out of bounds for axis 0 with size 0\n",
540
      "Error retrieving data for V: index 0 is out of bounds for axis 0 with size 0\n",
541
      "Error retrieving data for ADBE: index 0 is out of bounds for axis 0 with size 0\n",
542
      "Error retrieving data for INTC: index 0 is out of bounds for axis 0 with size 0\n",
543
      "\n",
544
      "\n",
545
      "--------------------------------------------------------------------------------\n",
546
      "\u001b[33massistant\u001b[0m (to user_proxy):\n",
547
      "\n",
548
      "It seems that the script encountered an error when trying to fetch data for the provided ticker symbols. This might be because either the market is closed and the latest data is not yet available, or because the dates specified do not have available data (e.g., the end of last year might have been a weekend or holiday).\n",
549
      "\n",
550
      "Let's adjust the code to be more robust by checking for valid trading days around the end of last year and to handle cases where the stock data might not be available. Here's the updated code:\n",
551
      "\n",
552
      "```python\n",
553
      "# filename: ytd_gains.py\n",
554
      "\n",
555
      "import yfinance as yf\n",
556
      "from datetime import datetime\n",
557
      "\n",
558
      "def get_last_valid_trading_day(year):\n",
559
      "    last_day = datetime(year, 12, 31)\n",
560
      "    # Start moving backwards from December 31st to find the last valid trading day of the year\n",
561
      "    while True:\n",
562
      "        stock_data = yf.download('SPY', start=last_day.strftime('%Y-%m-%d'), end=(last_day + timedelta(days=1)).strftime('%Y-%m-%d'))\n",
563
      "        if not stock_data.empty:\n",
564
      "            return last_day\n",
565
      "        last_day -= timedelta(days=1)\n",
566
      "\n",
567
      "# Define the ticker symbols for the 10 largest tech companies.\n",
568
      "tech_companies = [\"AAPL\", \"MSFT\", \"GOOGL\", \"AMZN\", \"FB\", \"TSLA\", \"NVDA\", \"V\", \"ADBE\", \"INTC\"]\n",
569
      "\n",
570
      "# Compute the last valid trading day of the last year\n",
571
      "end_of_last_year = get_last_valid_trading_day(datetime.now().year - 1)\n",
572
      "\n",
573
      "# Retrieve the data and calculate YTD gain for each company\n",
574
      "ytd_gains = {}\n",
575
      "for symbol in tech_companies:\n",
576
      "    try:\n",
577
      "        # Fetch historical data\n",
578
      "        stock = yf.Ticker(symbol)\n",
579
      "        last_price = stock.history(period='1d')['Close'].iloc[-1]\n",
580
      "        prev_close = stock.history(start=end_of_last_year, end=end_of_last_year + timedelta(days=1))['Close'].iloc[0]\n",
581
      "\n",
582
      "        # Calculate YTD gain\n",
583
      "        ytd_gain = ((last_price - prev_close) / prev_close) * 100\n",
584
      "        ytd_gains[symbol] = ytd_gain\n",
585
      "    except Exception as e:\n",
586
      "        # Handle errors by skipping the company and printing an error message\n",
587
      "        print(f\"Error retrieving data for {symbol}: {e}\")\n",
588
      "\n",
589
      "# Print the YTD gains\n",
590
      "for symbol, gain in ytd_gains.items():\n",
591
      "    print(f\"{symbol}: {gain:.2f}% YTD Gain\")\n",
592
      "```\n",
593
      "\n",
594
      "Please execute the updated `ytd_gains.py` script. The function `get_last_valid_trading_day` will find the last valid trading day of the previous year to handle non-trading days correctly, and the fetch for current price will get the latest available data point even if the market has not yet closed for today.\n",
595
      "\n",
596
      "--------------------------------------------------------------------------------\n",
597
      "\u001b[31m\n",
598
      ">>>>>>>> USING AUTO REPLY...\u001b[0m\n",
599
      "\u001b[31m\n",
600
      ">>>>>>>> EXECUTING CODE BLOCK 0 (inferred language is python)...\u001b[0m\n",
601
      "\u001b[33muser_proxy\u001b[0m (to assistant):\n",
602
      "\n",
603
      "exitcode: 1 (execution failed)\n",
604
      "Code output: \n",
605
      "Traceback (most recent call last):\n",
606
      "  File \"ytd_gains.py\", line 19, in <module>\n",
607
      "    end_of_last_year = get_last_valid_trading_day(datetime.now().year - 1)\n",
608
      "  File \"ytd_gains.py\", line 10, in get_last_valid_trading_day\n",
609
      "    stock_data = yf.download('SPY', start=last_day.strftime('%Y-%m-%d'), end=(last_day + timedelta(days=1)).strftime('%Y-%m-%d'))\n",
610
      "NameError: name 'timedelta' is not defined\n",
611
      "\n",
612
      "\n",
613
      "--------------------------------------------------------------------------------\n",
614
      "\u001b[35mToken Count (including 468 tokens from system msg and function descriptions). Before compression : 2115 | After: 1223\u001b[0m\n",
615
      "--------------------------------------------------------------------------------\n",
616
      "\u001b[33massistant\u001b[0m (to user_proxy):\n",
617
      "\n",
618
      "It seems I forgot to import the `timedelta` class from the `datetime` module. I will correct this oversight and provide the updated code. Here is the corrected code including the missed import:\n",
619
      "\n",
620
      "```python\n",
621
      "# filename: ytd_gains.py\n",
622
      "\n",
623
      "import yfinance as yf\n",
624
      "from datetime import datetime, timedelta\n",
625
      "\n",
626
      "def get_last_valid_trading_day(year):\n",
627
      "    last_day = datetime(year, 12, 31)\n",
628
      "    # Start moving backwards from December 31st to find the last valid trading day of the year\n",
629
      "    while True:\n",
630
      "        stock_data = yf.download('SPY', start=last_day.strftime('%Y-%m-%d'), end=(last_day + timedelta(days=1)).strftime('%Y-%m-%d'))\n",
631
      "        if not stock_data.empty:\n",
632
      "            return last_day\n",
633
      "        last_day -= timedelta(days=1)\n",
634
      "\n",
635
      "# Define the ticker symbols for the 10 largest tech companies.\n",
636
      "tech_companies = [\"AAPL\", \"MSFT\", \"GOOGL\", \"AMZN\", \"FB\", \"TSLA\", \"NVDA\", \"V\", \"ADBE\", \"INTC\"]\n",
637
      "\n",
638
      "# Compute the last valid trading day of the last year\n",
639
      "end_of_last_year = get_last_valid_trading_day(datetime.now().year - 1)\n",
640
      "\n",
641
      "# Retrieve the data and calculate YTD gain for each company\n",
642
      "ytd_gains = {}\n",
643
      "for symbol in tech_companies:\n",
644
      "    try:\n",
645
      "        # Fetch historical data\n",
646
      "        stock = yf.Ticker(symbol)\n",
647
      "        last_price = stock.history(period='1d')['Close'].iloc[-1]\n",
648
      "        prev_close = stock.history(start=end_of_last_year, end=end_of_last_year + timedelta(days=1))['Close'].iloc[0]\n",
649
      "\n",
650
      "        # Calculate YTD gain\n",
651
      "        ytd_gain = ((last_price - prev_close) / prev_close) * 100\n",
652
      "        ytd_gains[symbol] = ytd_gain\n",
653
      "    except Exception as e:\n",
654
      "        # Handle errors by skipping the company and printing an error message\n",
655
      "        print(f\"Error retrieving data for {symbol}: {e}\")\n",
656
      "\n",
657
      "# Print the YTD gains\n",
658
      "for symbol, gain in ytd_gains.items():\n",
659
      "    print(f\"{symbol}: {gain:.2f}% YTD Gain\")\n",
660
      "```\n",
661
      "\n",
662
      "Please execute the corrected `ytd_gains.py` script. This should resolve the `NameError` and provide you with the YTD gain for each company.\n",
663
      "\n",
664
      "--------------------------------------------------------------------------------\n",
665
      "\u001b[31m\n",
666
      ">>>>>>>> USING AUTO REPLY...\u001b[0m\n",
667
      "\u001b[31m\n",
668
      ">>>>>>>> EXECUTING CODE BLOCK 0 (inferred language is python)...\u001b[0m\n",
669
      "\u001b[33muser_proxy\u001b[0m (to assistant):\n",
670
      "\n",
671
      "exitcode: 0 (execution succeeded)\n",
672
      "Code output: \n",
673
      "Error retrieving data for FB: single positional indexer is out-of-bounds\n",
674
      "AAPL: -6.57% YTD Gain\n",
675
      "MSFT: 10.70% YTD Gain\n",
676
      "GOOGL: -1.83% YTD Gain\n",
677
      "AMZN: 17.30% YTD Gain\n",
678
      "TSLA: -18.45% YTD Gain\n",
679
      "NVDA: 66.15% YTD Gain\n",
680
      "V: 8.96% YTD Gain\n",
681
      "ADBE: -4.30% YTD Gain\n",
682
      "INTC: -12.54% YTD Gain\n",
683
      "\n",
684
      "\n",
685
      "--------------------------------------------------------------------------------\n",
686
      "\u001b[35mToken Count (including 468 tokens from system msg and function descriptions). Before compression : 1865 | After: 1133\u001b[0m\n",
687
      "--------------------------------------------------------------------------------\n",
688
      "\u001b[33massistant\u001b[0m (to user_proxy):\n",
689
      "\n",
690
      "It looks like an error occurred while retrieving data for FB, which stands for Facebook. This can happen if the ticker symbol has changed or if there was an issue with the data for the date range we were trying to fetch. Facebook, Inc. has been renamed to Meta Platforms, Inc., and its stock symbol is now \"META.\" \n",
691
      "\n",
692
      "I will update the list of technology companies to include \"META\" instead of \"FB\" and run the code again:\n",
693
      "\n",
694
      "```python\n",
695
      "# filename: ytd_gains_updated.py\n",
696
      "\n",
697
      "import yfinance as yf\n",
698
      "from datetime import datetime, timedelta\n",
699
      "\n",
700
      "def get_last_valid_trading_day(year):\n",
701
      "    last_day = datetime(year, 12, 31)\n",
702
      "    # Start moving backwards from December 31st to find the last valid trading day of the year\n",
703
      "    while True:\n",
704
      "        stock_data = yf.download('SPY', start=last_day.strftime('%Y-%m-%d'), end=(last_day + timedelta(days=1)).strftime('%Y-%m-%d'))\n",
705
      "        if not stock_data.empty:\n",
706
      "            return last_day\n",
707
      "        last_day -= timedelta(days=1)\n",
708
      "\n",
709
      "# Define the ticker symbols for the 10 largest tech companies with FB replaced by META.\n",
710
      "tech_companies = [\"AAPL\", \"MSFT\", \"GOOGL\", \"AMZN\", \"META\", \"TSLA\", \"NVDA\", \"V\", \"ADBE\", \"INTC\"]\n",
711
      "\n",
712
      "# Compute the last valid trading day of the last year\n",
713
      "end_of_last_year = get_last_valid_trading_day(datetime.now().year - 1)\n",
714
      "\n",
715
      "# Retrieve the data and calculate YTD gain for each company\n",
716
      "ytd_gains = {}\n",
717
      "for symbol in tech_companies:\n",
718
      "    try:\n",
719
      "        # Fetch historical data\n",
720
      "        stock = yf.Ticker(symbol)\n",
721
      "        last_price = stock.history(period='1d')['Close'].iloc[-1]\n",
722
      "        prev_close = stock.history(start=end_of_last_year, end=end_of_last_year + timedelta(days=1))['Close'].iloc[0]\n",
723
      "\n",
724
      "        # Calculate YTD gain\n",
725
      "        ytd_gain = ((last_price - prev_close) / prev_close) * 100\n",
726
      "        ytd_gains[symbol] = ytd_gain\n",
727
      "    except Exception as e:\n",
728
      "        # Handle errors by skipping the company and printing an error message\n",
729
      "        print(f\"Error retrieving data for {symbol}: {e}\")\n",
730
      "\n",
731
      "# Print the YTD gains\n",
732
      "for symbol, gain in ytd_gains.items():\n",
733
      "    print(f\"{symbol}: {gain:.2f}% YTD Gain\")\n",
734
      "```\n",
735
      "\n",
736
      "Please execute the updated `ytd_gains_updated.py` script to get the YTD gain of Meta Platforms, Inc. along with the other technology companies.\n",
737
      "\n",
738
      "--------------------------------------------------------------------------------\n",
739
      "\u001b[31m\n",
740
      ">>>>>>>> USING AUTO REPLY...\u001b[0m\n",
741
      "\u001b[31m\n",
742
      ">>>>>>>> EXECUTING CODE BLOCK 0 (inferred language is python)...\u001b[0m\n",
743
      "\u001b[33muser_proxy\u001b[0m (to assistant):\n",
744
      "\n",
745
      "exitcode: 0 (execution succeeded)\n",
746
      "Code output: \n",
747
      "AAPL: -6.57% YTD Gain\n",
748
      "MSFT: 10.70% YTD Gain\n",
749
      "GOOGL: -1.83% YTD Gain\n",
750
      "AMZN: 17.30% YTD Gain\n",
751
      "META: 42.06% YTD Gain\n",
752
      "TSLA: -18.45% YTD Gain\n",
753
      "NVDA: 66.15% YTD Gain\n",
754
      "V: 8.96% YTD Gain\n",
755
      "ADBE: -4.30% YTD Gain\n",
756
      "INTC: -12.54% YTD Gain\n",
757
      "\n",
758
      "\n",
759
      "--------------------------------------------------------------------------------\n",
760
      "\u001b[35mToken Count (including 468 tokens from system msg and function descriptions). Before compression : 1828 | After: 1186\u001b[0m\n",
761
      "--------------------------------------------------------------------------------\n",
762
      "\u001b[33massistant\u001b[0m (to user_proxy):\n",
763
      "\n",
764
      "The YTD (Year-To-Date) gain for the 10 largest technology companies as of today are as follows:\n",
765
      "\n",
766
      "1. Apple Inc. (AAPL): -6.57% YTD Gain\n",
767
      "2. Microsoft Corporation (MSFT): 10.70% YTD Gain\n",
768
      "3. Alphabet Inc. (GOOGL): -1.83% YTD Gain\n",
769
      "4. Amazon.com, Inc. (AMZN): 17.30% YTD Gain\n",
770
      "5. Meta Platforms, Inc. (META, formerly FB): 42.06% YTD Gain\n",
771
      "6. Tesla, Inc. (TSLA): -18.45% YTD Gain\n",
772
      "7. NVIDIA Corporation (NVDA): 66.15% YTD Gain\n",
773
      "8. Visa Inc. (V): 8.96% YTD Gain\n",
774
      "9. Adobe Inc. (ADBE): -4.30% YTD Gain\n",
775
      "10. Intel Corporation (INTC): -12.54% YTD Gain\n",
776
      "\n",
777
      "These YTD gains reflect the percentage change in the stock price of each company from the last trading day of the previous year to the most recent available trading data.\n",
778
      "\n",
779
      "If you need any further assistance, please let me know.\n",
780
      "\n",
781
      "TERMINATE\n",
782
      "\n",
783
      "--------------------------------------------------------------------------------\n",
784
      "\u001b[31m\n",
785
      ">>>>>>>> NO HUMAN INPUT RECEIVED.\u001b[0m\n"
786
     ]
787
    },
788
    {
789
     "data": {
790
      "text/plain": [
791
       "ChatResult(chat_id=None, chat_history=[{'content': 'Show me the YTD gain of 10 largest technology companies as of today.', 'role': 'assistant'}, {'content': 'It looks like an error occurred while retrieving data for FB, which stands for Facebook. This can happen if the ticker symbol has changed or if there was an issue with the data for the date range we were trying to fetch. Facebook, Inc. has been renamed to Meta Platforms, Inc., and its stock symbol is now \"META.\" \\n\\nI will update the list of technology companies to include \"META\" instead of \"FB\" and run the code again:\\n\\n```python\\n# filename: ytd_gains_updated.py\\n\\nimport yfinance as yf\\nfrom datetime import datetime, timedelta\\n\\ndef get_last_valid_trading_day(year):\\n    last_day = datetime(year, 12, 31)\\n    # Start moving backwards from December 31st to find the last valid trading day of the year\\n    while True:\\n        stock_data = yf.download(\\'SPY\\', start=last_day.strftime(\\'%Y-%m-%d\\'), end=(last_day + timedelta(days=1)).strftime(\\'%Y-%m-%d\\'))\\n        if not stock_data.empty:\\n            return last_day\\n        last_day -= timedelta(days=1)\\n\\n# Define the ticker symbols for the 10 largest tech companies with FB replaced by META.\\ntech_companies = [\"AAPL\", \"MSFT\", \"GOOGL\", \"AMZN\", \"META\", \"TSLA\", \"NVDA\", \"V\", \"ADBE\", \"INTC\"]\\n\\n# Compute the last valid trading day of the last year\\nend_of_last_year = get_last_valid_trading_day(datetime.now().year - 1)\\n\\n# Retrieve the data and calculate YTD gain for each company\\nytd_gains = {}\\nfor symbol in tech_companies:\\n    try:\\n        # Fetch historical data\\n        stock = yf.Ticker(symbol)\\n        last_price = stock.history(period=\\'1d\\')[\\'Close\\'].iloc[-1]\\n        prev_close = stock.history(start=end_of_last_year, end=end_of_last_year + timedelta(days=1))[\\'Close\\'].iloc[0]\\n\\n        # Calculate YTD gain\\n        ytd_gain = ((last_price - prev_close) / prev_close) * 100\\n        ytd_gains[symbol] = ytd_gain\\n    except Exception as e:\\n        # Handle errors by skipping the company and printing an error message\\n        print(f\"Error retrieving data for {symbol}: {e}\")\\n\\n# Print the YTD gains\\nfor symbol, gain in ytd_gains.items():\\n    print(f\"{symbol}: {gain:.2f}% YTD Gain\")\\n```\\n\\nPlease execute the updated `ytd_gains_updated.py` script to get the YTD gain of Meta Platforms, Inc. along with the other technology companies.', 'role': 'user'}, {'content': 'exitcode: 0 (execution succeeded)\\nCode output: \\nAAPL: -6.57% YTD Gain\\nMSFT: 10.70% YTD Gain\\nGOOGL: -1.83% YTD Gain\\nAMZN: 17.30% YTD Gain\\nMETA: 42.06% YTD Gain\\nTSLA: -18.45% YTD Gain\\nNVDA: 66.15% YTD Gain\\nV: 8.96% YTD Gain\\nADBE: -4.30% YTD Gain\\nINTC: -12.54% YTD Gain\\n', 'role': 'assistant'}, {'content': 'The YTD (Year-To-Date) gain for the 10 largest technology companies as of today are as follows:\\n\\n1. Apple Inc. (AAPL): -6.57% YTD Gain\\n2. Microsoft Corporation (MSFT): 10.70% YTD Gain\\n3. Alphabet Inc. (GOOGL): -1.83% YTD Gain\\n4. Amazon.com, Inc. (AMZN): 17.30% YTD Gain\\n5. Meta Platforms, Inc. (META, formerly FB): 42.06% YTD Gain\\n6. Tesla, Inc. (TSLA): -18.45% YTD Gain\\n7. NVIDIA Corporation (NVDA): 66.15% YTD Gain\\n8. Visa Inc. (V): 8.96% YTD Gain\\n9. Adobe Inc. (ADBE): -4.30% YTD Gain\\n10. Intel Corporation (INTC): -12.54% YTD Gain\\n\\nThese YTD gains reflect the percentage change in the stock price of each company from the last trading day of the previous year to the most recent available trading data.\\n\\nIf you need any further assistance, please let me know.\\n\\nTERMINATE', 'role': 'user'}], summary='The YTD (Year-To-Date) gain for the 10 largest technology companies as of today are as follows:\\n\\n1. Apple Inc. (AAPL): -6.57% YTD Gain\\n2. Microsoft Corporation (MSFT): 10.70% YTD Gain\\n3. Alphabet Inc. (GOOGL): -1.83% YTD Gain\\n4. Amazon.com, Inc. (AMZN): 17.30% YTD Gain\\n5. Meta Platforms, Inc. (META, formerly FB): 42.06% YTD Gain\\n6. Tesla, Inc. (TSLA): -18.45% YTD Gain\\n7. NVIDIA Corporation (NVDA): 66.15% YTD Gain\\n8. Visa Inc. (V): 8.96% YTD Gain\\n9. Adobe Inc. (ADBE): -4.30% YTD Gain\\n10. Intel Corporation (INTC): -12.54% YTD Gain\\n\\nThese YTD gains reflect the percentage change in the stock price of each company from the last trading day of the previous year to the most recent available trading data.\\n\\nIf you need any further assistance, please let me know.\\n\\n', cost=({'total_cost': 0.31437, 'gpt-4': {'cost': 0.31437, 'prompt_tokens': 5401, 'completion_tokens': 2539, 'total_tokens': 7940}}, {'total_cost': 0.31437, 'gpt-4': {'cost': 0.31437, 'prompt_tokens': 5401, 'completion_tokens': 2539, 'total_tokens': 7940}}), human_input=[''])"
792
      ]
793
     },
794
     "execution_count": 5,
795
     "metadata": {},
796
     "output_type": "execute_result"
797
    }
798
   ],
799
   "source": [
800
    "def constrain_num_messages(messages):\n",
801
    "    \"\"\"Constrain the number of messages to 3.\n",
802
    "\n",
803
    "    This is an example of a customized compression function.\n",
804
    "\n",
805
    "    Returns:\n",
806
    "        bool: whether the compression is successful.\n",
807
    "        list: the compressed messages.\n",
808
    "    \"\"\"\n",
809
    "    if len(messages) <= 3:\n",
810
    "        # do nothing\n",
811
    "        return False, None\n",
812
    "\n",
813
    "    # save the first and last two messages\n",
814
    "    return True, messages[:1] + messages[-2:]\n",
815
    "\n",
816
    "\n",
817
    "# create a CompressibleAgent instance named \"assistant\"\n",
818
    "assistant = CompressibleAgent(\n",
819
    "    name=\"assistant\",\n",
820
    "    llm_config={\n",
821
    "        \"timeout\": 600,\n",
822
    "        \"cache_seed\": 43,\n",
823
    "        \"config_list\": config_list,\n",
824
    "        \"model\": \"gpt-4-1106-preview\",\n",
825
    "    },\n",
826
    "    compress_config={\n",
827
    "        \"mode\": \"CUSTOMIZED\",\n",
828
    "        \"compress_function\": constrain_num_messages,  # this is required for customized compression\n",
829
    "        \"trigger_count\": 1600,\n",
830
    "    },\n",
831
    ")\n",
832
    "\n",
833
    "# create a UserProxyAgent instance named \"user_proxy\"\n",
834
    "user_proxy = autogen.UserProxyAgent(\n",
835
    "    name=\"user_proxy\",\n",
836
    "    human_input_mode=\"TERMINATE\",\n",
837
    "    max_consecutive_auto_reply=10,\n",
838
    "    is_termination_msg=lambda x: x.get(\"content\", \"\").rstrip().endswith(\"TERMINATE\")\n",
839
    "    or x.get(\"content\", \"\").rstrip().endswith(\"TERMINATE.\"),\n",
840
    "    code_execution_config={\n",
841
    "        \"work_dir\": \"web\",\n",
842
    "        \"use_docker\": False,\n",
843
    "    },  # Please set use_docker=True if docker is available to run the generated code. Using docker is safer than running the generated code directly.\n",
844
    "    system_message=\"\"\"Reply TERMINATE if the task has been solved at full satisfaction.\n",
845
    "Otherwise, reply CONTINUE, or the reason why the task is not solved yet.\"\"\",\n",
846
    ")\n",
847
    "\n",
848
    "user_proxy.initiate_chat(\n",
849
    "    assistant,\n",
850
    "    message=\"\"\"Show me the YTD gain of 10 largest technology companies as of today.\"\"\",\n",
851
    ")"
852
   ]
853
  }
854
 ],
855
 "metadata": {
856
  "kernelspec": {
857
   "display_name": "msft",
858
   "language": "python",
859
   "name": "python3"
860
  },
861
  "language_info": {
862
   "codemirror_mode": {
863
    "name": "ipython",
864
    "version": 3
865
   },
866
   "file_extension": ".py",
867
   "mimetype": "text/x-python",
868
   "name": "python",
869
   "nbconvert_exporter": "python",
870
   "pygments_lexer": "ipython3",
871
   "version": "3.10.13"
872
  },
873
  "orig_nbformat": 4
874
 },
875
 "nbformat": 4,
876
 "nbformat_minor": 2
877
}
878

Использование cookies

Мы используем файлы cookie в соответствии с Политикой конфиденциальности и Политикой использования cookies.

Нажимая кнопку «Принимаю», Вы даете АО «СберТех» согласие на обработку Ваших персональных данных в целях совершенствования нашего веб-сайта и Сервиса GitVerse, а также повышения удобства их использования.

Запретить использование cookies Вы можете самостоятельно в настройках Вашего браузера.