browsergym-workarena 0.4.4__py3-none-any.whl → 0.5.0__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1,4 +1,4 @@
1
- __version__ = "0.4.4"
1
+ __version__ = "0.5.0"
2
2
 
3
3
  import inspect
4
4
  from logging import warning
@@ -11,6 +11,12 @@ SNOW_BROWSER_TIMEOUT = 30000 # Milliseconds
11
11
  SNOW_JS_UTILS_FILEPATH = str(resources.files(utils).joinpath("js_utils.js"))
12
12
  SNOW_SUPPORTED_RELEASES = ["washingtondc"]
13
13
 
14
+ # Hugging Face dataset containing available instances
15
+ INSTANCE_REPO_ID = "ServiceNow/WorkArena-Instances"
16
+ INSTANCE_REPO_FILENAME = "instances.json"
17
+ INSTANCE_REPO_TYPE = "dataset"
18
+ INSTANCE_XOR_SEED = "x3!+-9mi#nhlo%a02$9hna{]"
19
+
14
20
  # Path to the Menu navigation task configuration
15
21
  ALL_MENU_PATH = str(resources.files(data_files).joinpath("task_configs/all_menu.json"))
16
22
 
@@ -1,3 +1,6 @@
1
+ from __future__ import annotations
2
+
3
+ import argparse
1
4
  import html
2
5
  import json
3
6
  import logging
@@ -48,10 +51,36 @@ from .config import (
48
51
  UI_THEMES_UPDATE_SET,
49
52
  )
50
53
  from .api.user import set_user_preference
51
- from .instance import SNowInstance
54
+ from .instance import SNowInstance as _BaseSNowInstance
52
55
  from .utils import url_login
53
56
 
54
57
 
58
+ _CLI_INSTANCE_URL: str | None = None
59
+ _CLI_INSTANCE_PASSWORD: str | None = None
60
+
61
+
62
+ def SNowInstance(snow_credentials: tuple[str, str] | None = None):
63
+ """
64
+ Wrapper around the standard SNowInstance that uses CLI-provided instance URL and password if none are provided.
65
+ """
66
+ if not _CLI_INSTANCE_URL:
67
+ raise RuntimeError("Installer requires --instance-url to create a SNowInstance.")
68
+
69
+ resolved_creds = snow_credentials
70
+
71
+ if resolved_creds is None:
72
+ if not _CLI_INSTANCE_PASSWORD:
73
+ raise RuntimeError(
74
+ "Installer requires --instance-password (or explicit credentials) to create a SNowInstance."
75
+ )
76
+ resolved_creds = ("admin", _CLI_INSTANCE_PASSWORD)
77
+
78
+ return _BaseSNowInstance(
79
+ snow_url=_CLI_INSTANCE_URL,
80
+ snow_credentials=resolved_creds,
81
+ )
82
+
83
+
55
84
  def _is_dev_portal_instance() -> bool:
56
85
  """
57
86
  Check if the instance is a ServiceNow Developer Portal instance.
@@ -790,13 +819,20 @@ def disable_password_policies():
790
819
  set_sys_property(
791
820
  instance=SNowInstance(), property_name="glide.apply.password_policy.on_login", value="false"
792
821
  )
793
- # The following is not supported on developer portal instances
794
- if not _is_dev_portal_instance():
822
+ # Exception handling since this property is sometimes read-only on some instances
823
+ try:
795
824
  set_sys_property(
796
825
  instance=SNowInstance(),
797
826
  property_name="glide.authenticate.api.user.reset_password.mandatory",
798
827
  value="false",
799
828
  )
829
+ except Exception:
830
+ logging.warning(
831
+ "Warning: Failed to set sys property "
832
+ "'glide.authenticate.api.user.reset_password.mandatory'. Continuing.",
833
+ exc_info=True,
834
+ )
835
+
800
836
  logging.info("Password policies disabled.")
801
837
 
802
838
 
@@ -1098,6 +1134,23 @@ def main():
1098
1134
  Entrypoint for package CLI installation command
1099
1135
 
1100
1136
  """
1137
+ parser = argparse.ArgumentParser(
1138
+ description="Install WorkArena artifacts on a ServiceNow instance."
1139
+ )
1140
+ parser.add_argument(
1141
+ "--instance-url", required=True, help="URL of the target ServiceNow instance."
1142
+ )
1143
+ parser.add_argument(
1144
+ "--instance-password",
1145
+ required=True,
1146
+ help="Password for the admin user on the target ServiceNow instance.",
1147
+ )
1148
+ args = parser.parse_args()
1149
+
1150
+ global _CLI_INSTANCE_URL, _CLI_INSTANCE_PASSWORD
1151
+ _CLI_INSTANCE_URL = args.instance_url
1152
+ _CLI_INSTANCE_PASSWORD = args.instance_password
1153
+
1101
1154
  logging.basicConfig(level=logging.INFO)
1102
1155
 
1103
1156
  try:
@@ -1,12 +1,88 @@
1
+ import base64
1
2
  import json
3
+ import logging
2
4
  import os
5
+ import random
3
6
  import requests
4
- import re
7
+ from itertools import cycle
5
8
 
9
+ from huggingface_hub import hf_hub_download
10
+ from huggingface_hub.utils import disable_progress_bars
6
11
  from playwright.sync_api import sync_playwright
7
12
  from typing import Optional
8
13
 
9
- from .config import SNOW_BROWSER_TIMEOUT, REPORT_FILTER_PROPERTY
14
+ from .config import (
15
+ INSTANCE_REPO_FILENAME,
16
+ INSTANCE_REPO_ID,
17
+ INSTANCE_REPO_TYPE,
18
+ INSTANCE_XOR_SEED,
19
+ REPORT_FILTER_PROPERTY,
20
+ SNOW_BROWSER_TIMEOUT,
21
+ )
22
+
23
+
24
+ # Required to read the instance credentials
25
+ if not INSTANCE_XOR_SEED:
26
+ raise ValueError("INSTANCE_XOR_SEED must be configured")
27
+
28
+
29
+ def _xor_cipher(data: bytes, key: bytes) -> bytes:
30
+ return bytes(b ^ k for b, k in zip(data, cycle(key)))
31
+
32
+
33
+ def decrypt_instance_password(encrypted_password: str) -> str:
34
+ """Decrypt a base64-encoded XOR-obfuscated password using the shared key."""
35
+
36
+ cipher_bytes = base64.b64decode(encrypted_password)
37
+ plain_bytes = _xor_cipher(cipher_bytes, INSTANCE_XOR_SEED.encode("utf-8"))
38
+ return plain_bytes.decode("utf-8")
39
+
40
+
41
+ def encrypt_instance_password(password: str) -> str:
42
+ """Helper to produce encrypted passwords for populating the instance file."""
43
+
44
+ cipher_bytes = _xor_cipher(password.encode("utf-8"), INSTANCE_XOR_SEED.encode("utf-8"))
45
+ return base64.b64encode(cipher_bytes).decode("utf-8")
46
+
47
+
48
+ def fetch_instances():
49
+ """
50
+ Load the latest instances from either a custom pool (SNOW_INSTANCE_POOL env var) or the gated HF dataset.
51
+ """
52
+ pool_path = os.getenv("SNOW_INSTANCE_POOL")
53
+ if pool_path:
54
+ path = os.path.expanduser(pool_path)
55
+ if not os.path.exists(path):
56
+ raise FileNotFoundError(
57
+ f"SNOW_INSTANCE_POOL points to '{pool_path}', but the file does not exist."
58
+ )
59
+ logging.info("Loading ServiceNow instances from custom pool: %s", path)
60
+ else:
61
+ try:
62
+ disable_progress_bars()
63
+ path = hf_hub_download(
64
+ repo_id=INSTANCE_REPO_ID,
65
+ filename=INSTANCE_REPO_FILENAME,
66
+ repo_type=INSTANCE_REPO_TYPE,
67
+ )
68
+ logging.info("Loaded ServiceNow instances from the default instance pool.")
69
+ except Exception as e:
70
+ raise RuntimeError(
71
+ f"Could not access {INSTANCE_REPO_ID}/{INSTANCE_REPO_FILENAME}. "
72
+ "Make sure you have been granted access to the gated repo and that you are "
73
+ "authenticated (run `huggingface-cli login` or set HUGGING_FACE_HUB_TOKEN)."
74
+ ) from e
75
+
76
+ with open(path, "r", encoding="utf-8") as f:
77
+ entries = json.load(f)
78
+
79
+ for entry in entries:
80
+ entry["url"] = entry["u"]
81
+ entry["password"] = decrypt_instance_password(entry["p"])
82
+ del entry["u"]
83
+ del entry["p"]
84
+
85
+ return entries
10
86
 
11
87
 
12
88
  class SNowInstance:
@@ -26,31 +102,39 @@ class SNowInstance:
26
102
  Parameters:
27
103
  -----------
28
104
  snow_url: str
29
- The URL of a SNow instance. If None, will try to get the value from the environment variable SNOW_INSTANCE_URL.
105
+ The URL of a SNow instance. When omitted, the constructor first looks for SNOW_INSTANCE_URL and falls back
106
+ to a random instance from the benchmark's instance pool if the environment variable is not set.
30
107
  snow_credentials: (str, str)
31
- The username and password used to access the SNow instance. If None, will try to get the values from the
32
- environment variables SNOW_INSTANCE_UNAME and SNOW_INSTANCE_PWD.
108
+ The username and password used to access the SNow instance. When omitted, environment variables
109
+ SNOW_INSTANCE_UNAME/SNOW_INSTANCE_PWD are used if set; otherwise, a random instance from the benchmark's
110
+ instance pool is selected.
33
111
 
34
112
  """
35
113
  # try to get these values from environment variables if not provided
36
- if snow_url is None:
37
- if "SNOW_INSTANCE_URL" in os.environ:
114
+ if snow_url is None or snow_credentials is None:
115
+
116
+ # Check if all required environment variables are set and if yes, fetch url and credentials from there
117
+ if (
118
+ "SNOW_INSTANCE_URL" in os.environ
119
+ and "SNOW_INSTANCE_UNAME" in os.environ
120
+ and "SNOW_INSTANCE_PWD" in os.environ
121
+ ):
38
122
  snow_url = os.environ["SNOW_INSTANCE_URL"]
39
- else:
40
- raise ValueError(
41
- f"Please provide a ServiceNow instance URL (you can use the environment variable SNOW_INSTANCE_URL)"
42
- )
43
-
44
- if snow_credentials is None:
45
- if "SNOW_INSTANCE_UNAME" in os.environ and "SNOW_INSTANCE_PWD" in os.environ:
46
123
  snow_credentials = (
47
124
  os.environ["SNOW_INSTANCE_UNAME"],
48
125
  os.environ["SNOW_INSTANCE_PWD"],
49
126
  )
127
+
128
+ # Otherwise, load all instances and select one randomly
50
129
  else:
51
- raise ValueError(
52
- f"Please provide ServiceNow credentials (you can use the environment variables SNOW_INSTANCE_UNAME and SNOW_INSTANCE_PWD)"
53
- )
130
+ instances = fetch_instances()
131
+ if not instances:
132
+ raise ValueError(
133
+ f"No instances found in the dataset {INSTANCE_REPO_ID}. Please provide instance details via parameters or environment variables."
134
+ )
135
+ instance = random.choice(instances)
136
+ snow_url = instance["url"]
137
+ snow_credentials = ("admin", instance["password"])
54
138
 
55
139
  # remove trailing slashes in the URL, if any
56
140
  self.snow_url = snow_url.rstrip("/")
@@ -29,15 +29,6 @@ from .utils.utils import check_url_suffix_match
29
29
  # - We currently don't support maps because they are clickable and would require a more evolved cheat function
30
30
  SUPPORTED_PLOT_TYPES = ["area", "bar", "column", "line", "pie", "spline"]
31
31
 
32
- # Get report filter config
33
- config = SNowInstance().report_filter_config
34
- if config is None:
35
- REPORT_DATE_FILTER = REPORT_TIME_FILTER = None
36
- else:
37
- REPORT_DATE_FILTER = config["report_date_filter"]
38
- REPORT_TIME_FILTER = config["report_time_filter"]
39
- del config
40
-
41
32
 
42
33
  class DashboardRetrievalTask(AbstractServiceNowTask, ABC):
43
34
  """
@@ -303,14 +294,28 @@ class DashboardRetrievalTask(AbstractServiceNowTask, ABC):
303
294
  """,
304
295
  ]
305
296
 
306
- def setup_goal(self, page: playwright.sync_api.Page) -> Tuple[str | dict]:
307
- super().setup_goal(page=page)
297
+ def _get_filter_config(self) -> str:
298
+ # Get report filter config
299
+ config = self.instance.report_filter_config
300
+ if config is None:
301
+ REPORT_DATE_FILTER = REPORT_TIME_FILTER = None
302
+ else:
303
+ REPORT_DATE_FILTER = config["report_date_filter"]
304
+ REPORT_TIME_FILTER = config["report_time_filter"]
305
+ del config
308
306
 
309
307
  # Check that the report filters are properly setup
310
308
  if REPORT_DATE_FILTER is None or REPORT_TIME_FILTER is None:
311
309
  raise RuntimeError(
312
310
  "The report date and time filters are not set. Please run the install script to set them."
313
311
  )
312
+ return REPORT_DATE_FILTER, REPORT_TIME_FILTER
313
+
314
+ def setup_goal(self, page: playwright.sync_api.Page) -> Tuple[str | dict]:
315
+ super().setup_goal(page=page)
316
+
317
+ # Get the instance report filter config
318
+ REPORT_DATE_FILTER, REPORT_TIME_FILTER = self._get_filter_config()
314
319
 
315
320
  # Configure task
316
321
  # ... sample a configuration
@@ -632,6 +637,9 @@ class DashboardRetrievalTask(AbstractServiceNowTask, ABC):
632
637
  The types of questions to sample from (uniformely)
633
638
 
634
639
  """
640
+ # Get the instance report filter config
641
+ REPORT_DATE_FILTER, REPORT_TIME_FILTER = self._get_filter_config()
642
+
635
643
  # Check that the report filters are properly setup
636
644
  if REPORT_DATE_FILTER is None or REPORT_TIME_FILTER is None:
637
645
  raise RuntimeError(
@@ -798,7 +806,7 @@ class SingleChartMeanMedianModeRetrievalTask(
798
806
 
799
807
 
800
808
  class WorkLoadBalancingMinMaxRetrievalTask(
801
- MultiChartMinMaxRetrievalTask, CompositionalBuildingBlockTask
809
+ SingleChartMinMaxRetrievalTask, CompositionalBuildingBlockTask
802
810
  ):
803
811
  def all_configs(self):
804
812
  return json.load(open(REPORT_RETRIEVAL_MINMAX_CONFIG_PATH, "r"))
@@ -15,7 +15,6 @@ from playwright.sync_api import sync_playwright
15
15
 
16
16
  from browsergym.workarena.api.utils import table_api_call, table_column_info
17
17
  from browsergym.workarena.config import (
18
- REPORT_DATE_FILTER,
19
18
  REPORT_PATCH_FLAG,
20
19
  REPORT_RETRIEVAL_MINMAX_CONFIG_PATH,
21
20
  REPORT_RETRIEVAL_VALUE_CONFIG_PATH,
@@ -44,6 +43,10 @@ class DummyDashboard(DashboardRetrievalTask):
44
43
 
45
44
 
46
45
  def get_report_urls(instance):
46
+ # Get the instance report filter config
47
+ REPORT_DATE_FILTER, REPORT_TIME_FILTER = instance._get_filter_config()
48
+ raise NotImplementedError("TODO: Include the time filter as in dashboard.py")
49
+
47
50
  # Generate a bunch of reports on the fly based on valid table fields
48
51
  ON_THE_FLY_REPORTS = []
49
52
  for table in [
@@ -226,7 +229,13 @@ def get_all_configs_by_url(url, is_report):
226
229
 
227
230
 
228
231
  if __name__ == "__main__":
229
- instance = SNowInstance()
232
+
233
+ # XXX: Make sure to specific the exact instance on which to generate configs (and not use a random one)
234
+ raise NotImplementedError(
235
+ "Make sure to specific instance URL and credentials below, then comment this line."
236
+ )
237
+ instance = SNowInstance(snow_url=None, snow_credentials=None)
238
+
230
239
  reports = get_report_urls(instance)
231
240
  gen_func = partial(get_all_configs_by_url, is_report=REPORT)
232
241
 
@@ -6,7 +6,10 @@ NUM_CONFIGS = 650 # number of impersonation tasks in the paper
6
6
 
7
7
 
8
8
  def get_all_impersonation_users():
9
- instance = SNowInstance()
9
+ raise NotImplementedError(
10
+ "Make sure to specific instance URL and credentials below, then comment this line."
11
+ )
12
+ instance = SNowInstance(snow_url=None, snow_credentials=None)
10
13
  candidate_users = [
11
14
  u["first_name"] + " " + u["last_name"]
12
15
  for u in table_api_call(
@@ -1,3 +1,4 @@
1
+ # TODO: Can we delete this file?
1
2
  import json
2
3
  import random
3
4
 
@@ -9,9 +10,8 @@ from tenacity import retry, stop_after_attempt
9
10
  from tqdm import tqdm
10
11
 
11
12
 
12
- def generate_all_kb_configs(instance=None, num_configs=1000) -> list[dict]:
13
+ def generate_all_kb_configs(instance, num_configs=1000) -> list[dict]:
13
14
  """Generate all possible KB configs"""
14
- instance = instance if instance is not None else SNowInstance()
15
15
  with open(KB_FILEPATH, "r") as f:
16
16
  kb_entries = json.load(f)
17
17
  all_configs = []
@@ -33,5 +33,7 @@ def generate_all_kb_configs(instance=None, num_configs=1000) -> list[dict]:
33
33
 
34
34
 
35
35
  if __name__ == "__main__":
36
-
37
- validate_kb_configs()
36
+ raise NotImplementedError(
37
+ "Make sure to specific instance URL and credentials below, then comment this line."
38
+ )
39
+ generate_all_kb_configs(instance=SNowInstance(snow_url=None))
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: browsergym-workarena
3
- Version: 0.4.4
3
+ Version: 0.5.0
4
4
  Summary: WorkArena benchmark for BrowserGym
5
5
  Project-URL: homepage, https://github.com/ServiceNow/WorkArena
6
6
  Author: Léo Boisvert, Alex Drouin, Maxime Gasse, Alex Lacoste, Manuel Del Verme, Megh Thakkar
@@ -16,6 +16,7 @@ Requires-Python: >3.7
16
16
  Requires-Dist: browsergym-core>=0.2
17
17
  Requires-Dist: english-words>=2.0.1
18
18
  Requires-Dist: faker>=24.8.0
19
+ Requires-Dist: huggingface-hub>=0.23
19
20
  Requires-Dist: numpy>=1.14
20
21
  Requires-Dist: requests>=2.31
21
22
  Requires-Dist: tenacity>=8.2.3
@@ -65,28 +66,19 @@ https://github.com/ServiceNow/WorkArena/assets/2374980/68640f09-7d6f-4eb1-b556-c
65
66
 
66
67
  ## Getting Started
67
68
 
68
- To setup WorkArena, you will need to get your own ServiceNow instance, install our Python package, and upload some data to your instance. Follow the steps below to achieve this.
69
+ To setup WorkArena, you will need to gain access to ServiceNow instances and install our Python package locally. Follow the steps below to achieve this.
69
70
 
70
- ### a) Create a ServiceNow Developer Instance
71
+ ### a) Gain Access to ServiceNow Instances
71
72
 
72
- 1. Go to https://developer.servicenow.com/ and create an account.
73
- 2. Click on `Request an instance` and select the `Washington` release (initializing the instance will take a few minutes)
74
- 3. Once the instance is ready, you should see your instance URL and credentials. If not, click _Return to the Developer Portal_, then navigate to _Manage instance password_ and click _Reset instance password_.
75
- 4. Change the role of the user to admin in yoyr instance parameters ![image](https://github.com/user-attachments/assets/6f0fbf8e-f40f-411a-84cb-fead93d85f60)
73
+ 1. Navigate to https://huggingface.co/datasets/ServiceNow/WorkArena-Instances.
74
+ 2. Fill the form, accept the terms to gain access to the gated repository and wait for approval.
75
+ 3. Ensure that the machine where you will run WorkArena is [authenticated with Hugging Face](https://huggingface.co/docs/hub/en/datasets-polars-auth) (e.g., via huggingface-cli login or the HUGGING_FACE_HUB_TOKEN environment variable).
76
76
 
77
- 5. You should now see your URL and credentials. Based on this information, set the following environment variables:
78
- * `SNOW_INSTANCE_URL`: The URL of your ServiceNow developer instance
79
- * `SNOW_INSTANCE_UNAME`: The username, should be "admin"
80
- * `SNOW_INSTANCE_PWD`: The password, make sure you place the value in quotes "" and be mindful of [escaping special shell characters](https://onlinelinuxtools.com/escape-shell-characters). Running `echo $SNOW_INSTANCE_PWD` should print the correct password.
81
- 6. Log into your instance via a browser using the admin credentials. Close any popup that appears on the main screen (e.g., agreeing to analytics).
82
-
83
- **Warning:** Feel free to look around the platform, but please make sure you revert any changes (e.g., changes to list views, pinning some menus, etc.) as these changes will be persistent and affect the benchmarking process.
84
-
85
- ### b) Install WorkArena and Initialize your Instance
77
+ ### b) Install WorkArena
86
78
 
87
79
  Run the following command to install WorkArena in the [BrowswerGym](https://github.com/servicenow/browsergym) environment:
88
80
  ```
89
- pip install browsergym
81
+ pip install browsergym-workarena
90
82
  ```
91
83
 
92
84
  Then, install [Playwright](https://github.com/microsoft/playwright):
@@ -94,10 +86,6 @@ Then, install [Playwright](https://github.com/microsoft/playwright):
94
86
  playwright install
95
87
  ```
96
88
 
97
- Finally, run this command in a terminal to upload the benchmark data to your ServiceNow instance:
98
- ```
99
- workarena-install
100
- ```
101
89
  Your installation is now complete! 🎉
102
90
 
103
91
 
@@ -1,7 +1,7 @@
1
- browsergym/workarena/__init__.py,sha256=gqvx_SVwq31CU-T1XoNP9EDZsjivUgMCXS7lbH_uc84,6289
2
- browsergym/workarena/config.py,sha256=Fmx4sl3B1Ee2m2fGnnEYJfsQ0TkCV0VdKhNZ-gNytRU,8608
3
- browsergym/workarena/install.py,sha256=Dy9cTbT_LMDW0Dhmd2CpVnj4W_aB-xaxPubjGRTThxQ,41493
4
- browsergym/workarena/instance.py,sha256=pLlYBrKu-GCwYPzfYO2w0BYc2u_n5jMt3HZdpplCD40,4997
1
+ browsergym/workarena/__init__.py,sha256=j1vzWGs3kd_e-AU-jyudHdtLCA7NrjkBdPuQTe9oBcs,6289
2
+ browsergym/workarena/config.py,sha256=8Ahq35y5-VKsbf9QN0mP4zAZGiK_lZR1-tVL5rHF-qs,8835
3
+ browsergym/workarena/install.py,sha256=sgj8h0VXMqXue7xrFrvlXHm2XryvyWEf6v_SJSUd9yc,43197
4
+ browsergym/workarena/instance.py,sha256=lEi6ESlTwbucE_hvAtlE59eStshvnJqIbX8pnAmjPas,8073
5
5
  browsergym/workarena/utils.py,sha256=mD6RqVua-m1-mKM1RGGlUEu1s6un0ZI9a5ZTPN7g1hY,3199
6
6
  browsergym/workarena/api/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
7
7
  browsergym/workarena/api/category.py,sha256=4oiwPnRas0ZWCdky76zhNpu_9PfB_HmhnFa_DJZyGfA,2084
@@ -77,7 +77,7 @@ browsergym/workarena/human_eval/tool.py,sha256=SwPqArNnvEeOPLRgem6kwl8ho345o-1f3
77
77
  browsergym/workarena/tasks/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
78
78
  browsergym/workarena/tasks/base.py,sha256=Ikh_A5I9_9acHFQCcnVMEnlBg3u3QHQD2I_NbGvD6SE,6411
79
79
  browsergym/workarena/tasks/comp_building_block.py,sha256=Lg3KbAWrxzAHe5XbPN6L8bvdu7mfJpmBvI7jXeSDwKE,194
80
- browsergym/workarena/tasks/dashboard.py,sha256=LnLRyn6VdQVZyCYJtQl51UKh-aQxuNZIvWcSKVC5WI8,35435
80
+ browsergym/workarena/tasks/dashboard.py,sha256=6ohpC40zpK1NLlfYM7RIqeenmuEuoIL9wOBUdG3JTFI,35842
81
81
  browsergym/workarena/tasks/form.py,sha256=_s07yZ-zcZbi5v6VK6km1BPzUfIFfMEVWFm56QhoznM,64141
82
82
  browsergym/workarena/tasks/knowledge.py,sha256=kANjlC7DpptMbRlUlZGdDjqZeWIwwyJzozV58qEA6KU,13751
83
83
  browsergym/workarena/tasks/list.py,sha256=7eb9F1JooLzFGIciul2_E1bCmNyBo5AzOPozO1p1HaM,55778
@@ -118,11 +118,11 @@ browsergym/workarena/tasks/compositional/utils/infeasible_configs.py,sha256=iByO
118
118
  browsergym/workarena/tasks/compositional/utils/knapsack.py,sha256=T5zBuJsphOmLwIz64imX7h5KlMxTrXPHcRAE32nv9Rk,9155
119
119
  browsergym/workarena/tasks/scripts/README.md,sha256=-jOtGf9k2zoBhrBkesmfDnr9-s0PhOEi0KWI9xfOw1s,296
120
120
  browsergym/workarena/tasks/scripts/extract_all_menu_items.py,sha256=vPxa5Y06RXiQC6YaR30B9ap_Zu34hTddxohLKqKmjzw,10044
121
- browsergym/workarena/tasks/scripts/generate_dashboard_configs.py,sha256=r2cDLR1n1pnf5m_8XITNx93zuYt5JaBVaiut4OqYlkc,10063
121
+ browsergym/workarena/tasks/scripts/generate_dashboard_configs.py,sha256=vduPAX3XXuzQNw7KDRtgIxwqsg6pVvWTRc253PZh32M,10516
122
122
  browsergym/workarena/tasks/scripts/generate_forms.py,sha256=wnqXE1b5eQdwQB0ZqsqQS5z9VNKyObUnYoYVvsq4sM0,3695
123
- browsergym/workarena/tasks/scripts/knowledge.py,sha256=Qrv3AY9i6vjXhitDFITGjNjMvOL6H7FLKCJR8hA6Qdo,1259
123
+ browsergym/workarena/tasks/scripts/generate_navigation_tasks.py,sha256=M2MNf4NZnfgI2j0QmCfTosNU-KKhcj8URcX_eAzo28Y,1018
124
+ browsergym/workarena/tasks/scripts/knowledge.py,sha256=Wj2_Gnvx7wincXgLt-T8wzIqFTiECti9yT03m2jtnjI,1387
124
125
  browsergym/workarena/tasks/scripts/list.py,sha256=Cy9pvUHqKRwSH5yWT746ZW9TMGZC9qrBzvPKZDGWYTM,4803
125
- browsergym/workarena/tasks/scripts/navigation.py,sha256=2GIIGoW6Ad2YpwX99_MTuLoijSk-EgsjfRNiRaYaitE,853
126
126
  browsergym/workarena/tasks/scripts/service_catalog.py,sha256=_jllQWEfiUidRgiX-hFbdrTRKmiufvQO4RJ558h8HuQ,4879
127
127
  browsergym/workarena/tasks/scripts/validate.py,sha256=Q4SXNEtjSN8Pm6_Fz8ddOv5hbSaxclzii_Bm3dSHveE,7555
128
128
  browsergym/workarena/tasks/utils/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
@@ -132,8 +132,8 @@ browsergym/workarena/tasks/utils/js_utils.js,sha256=n97fmY2Jkr59rEcQSuSbCnn1L2ZN
132
132
  browsergym/workarena/tasks/utils/private_tasks.py,sha256=r7Z9SnBMuZdZ2i-tK6eULj0q8hclANXFSzdLl49KYHI,2128
133
133
  browsergym/workarena/tasks/utils/string.py,sha256=ir5_ASD9QSFMZ9kuHo2snSXRuSfv_wROH6nxBLOTP4I,330
134
134
  browsergym/workarena/tasks/utils/utils.py,sha256=xQD-njEwgN7qxfn1dLBN8MYfd3kl3TuVfpmI1yxML9k,955
135
- browsergym_workarena-0.4.4.dist-info/METADATA,sha256=Oh9OgOSknd_krKVFxUzvq2dtZN70-VBLoINxi31s6co,11698
136
- browsergym_workarena-0.4.4.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
137
- browsergym_workarena-0.4.4.dist-info/entry_points.txt,sha256=1lCeAbQFCcU6UTFwS5QIA3TKhT2P9ZabaZKT7sIShKc,137
138
- browsergym_workarena-0.4.4.dist-info/licenses/LICENSE,sha256=sZLFiZHo_1hcxXRhXUDnQYVATUuWwRCdQjBxqxNnNEs,579
139
- browsergym_workarena-0.4.4.dist-info/RECORD,,
135
+ browsergym_workarena-0.5.0.dist-info/METADATA,sha256=RxpMe8nqLAg9bsPHMxq5C7KXVg-qLJ7w_AcZrZWVzbY,10533
136
+ browsergym_workarena-0.5.0.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
137
+ browsergym_workarena-0.5.0.dist-info/entry_points.txt,sha256=1lCeAbQFCcU6UTFwS5QIA3TKhT2P9ZabaZKT7sIShKc,137
138
+ browsergym_workarena-0.5.0.dist-info/licenses/LICENSE,sha256=sZLFiZHo_1hcxXRhXUDnQYVATUuWwRCdQjBxqxNnNEs,579
139
+ browsergym_workarena-0.5.0.dist-info/RECORD,,