Spaces:
Sleeping
Sleeping
File size: 10,036 Bytes
076c26d 82cf6dd 076c26d 663480b 076c26d 663480b 076c26d 663480b 076c26d 663480b 076c26d 40dd678 076c26d 663480b ac4b648 076c26d 663480b 076c26d 663480b 076c26d 663480b 076c26d 663480b 076c26d 663480b 076c26d 663480b 40dd678 663480b 076c26d |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 |
import platform
import argparse
import time
import json
import re
import os
import shutil
import logging
from selenium import webdriver
from selenium.webdriver.common.by import By
from selenium.webdriver.common.keys import Keys
from selenium.webdriver.common.action_chains import ActionChains
from prompts import SYSTEM_PROMPT, SYSTEM_PROMPT_TEXT_ONLY
from openai import OpenAI
import httpx
from utils import get_web_element_rect, encode_image, extract_information, print_message,\
get_webarena_accessibility_tree, get_pdf_retrieval_ans_from_assistant, clip_message_and_obs, clip_message_and_obs_text_only
def setup_logger(folder_path):
log_file_path = os.path.join(folder_path, 'agent.log')
logger = logging.getLogger()
for handler in logger.handlers[:]:
logger.removeHandler(handler)
handler.close()
handler = logging.FileHandler(log_file_path)
formatter = logging.Formatter('%(message)s') # Keep logs clean
handler.setFormatter(formatter)
logger.addHandler(handler)
logger.setLevel(logging.INFO)
def driver_config(args):
options = webdriver.ChromeOptions()
if args.save_accessibility_tree:
args.force_device_scale = True
if args.force_device_scale:
options.add_argument("--force-device-scale-factor=1")
if args.headless:
options.add_argument("--headless")
options.add_argument("--no-sandbox")
options.add_argument("--disable-dev-shm-usage")
options.add_argument(
"--user-agent=Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/119.0.0.0 Safari/537.36"
)
options.add_experimental_option(
"prefs", {
"download.default_directory": args.download_dir,
"plugins.always_open_pdf_externally": True
}
)
return options
def format_msg(it, init_msg, pdf_obs, warn_obs, web_img_b64, web_text):
if it == 1:
init_msg += f"I've provided the tag name of each element and the text it contains (if text exists). Note that <textarea> or <input> may be textbox, but not exactly. Please focus more on the screenshot and then refer to the textual information.\n{web_text}"
init_msg_format = {
'role': 'user',
'content': [
{'type': 'text', 'text': init_msg},
]
}
init_msg_format['content'].append({"type": "image_url",
"image_url": {"url": f"data:image/png;base64,{web_img_b64}"}})
return init_msg_format
else:
# Similar formatting for subsequent messages
content = f"Observation:{warn_obs} please analyze the attached screenshot and give the Thought and Action. I've provided the tag name of each element and the text it contains (if text exists). Note that <textarea> or <input> may be textbox, but not exactly. Please focus more on the screenshot and then refer to the textual information.\n{web_text}"
if pdf_obs:
content = f"Observation: {pdf_obs} Please analyze the response given by Assistant, then consider whether to continue iterating or not. The screenshot of the current page is also attached, give the Thought and Action.\n{web_text}"
return {
'role': 'user',
'content': [
{'type': 'text', 'text': content},
{'type': 'image_url', 'image_url': {"url": f"data:image/png;base64,{web_img_b64}"}}
]
}
def call_gpt4v_api(args, openai_client, messages):
retry_times = 0
while True:
try:
if not args.text_only:
logging.info('Calling gpt4v API...')
openai_response = openai_client.chat.completions.create(
model=args.api_model, messages=messages, max_tokens=1000, seed=args.seed
)
else:
logging.info('Calling gpt4 API...')
openai_response = openai_client.chat.completions.create(
model=args.api_model, messages=messages, max_tokens=1000, seed=args.seed, timeout=30
)
prompt_tokens = openai_response.usage.prompt_tokens
completion_tokens = openai_response.usage.completion_tokens
logging.info(f'Prompt Tokens: {prompt_tokens}; Completion Tokens: {completion_tokens}')
gpt_call_error = False
return prompt_tokens, completion_tokens, gpt_call_error, openai_response
except Exception as e:
logging.info(f'Error occurred, retrying. Error type: {type(e).__name__}')
if type(e).__name__ == 'RateLimitError':
time.sleep(10)
elif type(e).__name__ == 'APIError':
time.sleep(15)
elif type(e).__name__ == 'InvalidRequestError':
gpt_call_error = True
return None, None, gpt_call_error, None
else:
gpt_call_error = True
return None, None, gpt_call_error, None
retry_times += 1
if retry_times == 10:
logging.info('Retrying too many times')
return None, None, True, None
def exec_action_click(info, web_ele, driver_task):
driver_task.execute_script("arguments[0].setAttribute('target', '_self')", web_ele)
web_ele.click()
time.sleep(3)
def exec_action_type(info, web_ele, driver_task):
warn_obs = ""
type_content = info['content']
ele_tag_name = web_ele.tag_name.lower()
ele_type = web_ele.get_attribute("type")
# outer_html = web_ele.get_attribute("outerHTML")
if (ele_tag_name != 'input' and ele_tag_name != 'textarea') or (ele_tag_name == 'input' and ele_type not in ['text', 'search', 'password', 'email', 'tel']):
warn_obs = f"note: The web element you're trying to type may not be a textbox, and its tag name is <{web_ele.tag_name}>, type is {ele_type}."
try:
# Not always work to delete
web_ele.clear()
# Another way to delete
if platform.system() == 'Darwin':
web_ele.send_keys(Keys.COMMAND + "a")
else:
web_ele.send_keys(Keys.CONTROL + "a")
web_ele.send_keys(" ")
web_ele.send_keys(Keys.BACKSPACE)
except:
pass
actions = ActionChains(driver_task)
actions.click(web_ele).perform()
actions.pause(1)
try:
driver_task.execute_script("""window.onkeydown = function(e) {if(e.keyCode == 32 && e.target.type != 'text' && e.target.type != 'textarea' && e.target.type != 'search') {e.preventDefault();}};""")
except:
pass
actions.send_keys(type_content)
actions.pause(2)
actions.send_keys(Keys.ENTER)
actions.perform()
time.sleep(10)
return warn_obs
def exec_action_scroll(info, web_eles, driver_task, args, obs_info):
scroll_ele_number = info['number']
scroll_content = info['content']
if scroll_ele_number == "WINDOW":
if scroll_content == 'down':
driver_task.execute_script(f"window.scrollBy(0, {args.window_height*2//3});")
else:
driver_task.execute_script(f"window.scrollBy(0, {-args.window_height*2//3});")
else:
if not args.text_only:
scroll_ele_number = int(scroll_ele_number)
web_ele = web_eles[scroll_ele_number]
else:
element_box = obs_info[scroll_ele_number]['union_bound']
element_box_center = (element_box[0] + element_box[2] // 2, element_box[1] + element_box[3] // 2)
web_ele = driver_task.execute_script("return document.elementFromPoint(arguments[0], arguments[1]);", element_box_center[0], element_box_center[1])
actions = ActionChains(driver_task)
driver_task.execute_script("arguments[0].focus();", web_ele)
if scroll_content == 'down':
actions.key_down(Keys.ALT).send_keys(Keys.ARROW_DOWN).key_up(Keys.ALT).perform()
else:
actions.key_down(Keys.ALT).send_keys(Keys.ARROW_UP).key_up(Keys.ALT).perform()
time.sleep(3)
def webvoyager_run(args, task, task_dir):
"""
A generator function that yields log messages for each step of the WebVoyager run.
"""
client = OpenAI(api_key=args.api_key, http_client=httpx.Client(trust_env=False))
options = driver_config(args)
setup_logger(task_dir)
driver_task = webdriver.Chrome(options=options)
driver_task.set_window_size(args.window_width, args.window_height)
driver_task.get(task['web'])
time.sleep(5)
messages = [{'role': 'system', 'content': SYSTEM_PROMPT}]
init_msg = f"Now given a task: {task['ques']} Please interact with {task['web']} and get the answer."
for it in range(1, args.max_iter + 1):
img_path = os.path.join(task_dir, f'screenshot{it}.png')
driver_task.save_screenshot(img_path)
b64_img = encode_image(img_path)
rects, web_eles, web_eles_text = get_web_element_rect(driver_task, fix_color=args.fix_box_color)
curr_msg = format_msg(it, init_msg, "", "", b64_img, web_eles_text)
messages.append(curr_msg)
# Log the user message
yield json.dumps(curr_msg)
_, _, _, openai_response = call_gpt4v_api(args, client, messages)
if not openai_response:
yield json.dumps({"error": "API call failed"})
break
gpt_4v_res = openai_response.choices[0].message.content
messages.append({'role': 'assistant', 'content': gpt_4v_res})
# Log the assistant message
yield json.dumps({'role': 'assistant', 'content': gpt_4v_res})
if 'rects' in locals() and rects:
for rect_ele in rects:
driver_task.execute_script("arguments[0].remove()", rect_ele)
action_key, info = extract_information(gpt_4v_res.split('Action:')[1].strip())
# ... (action execution logic)
if action_key == 'answer':
break
driver_task.quit()
|