diff --git a/.gitignore b/.gitignore
index 8999268f..4e0529de 100644
--- a/.gitignore
+++ b/.gitignore
@@ -1,3 +1,4 @@
+*.sh
.idea/
notebooks/
__pycache__/
@@ -16,7 +17,7 @@ gpt-plan-benchmark/
.DS_Store
.vscode/
dataset/
-/*.json
+*.json
/data_to_check/
*.jsonl
sas_plan
diff --git a/examples/WebAgent/README.md b/examples/WebAgent/README.md
new file mode 100644
index 00000000..4ebfc260
--- /dev/null
+++ b/examples/WebAgent/README.md
@@ -0,0 +1,54 @@
+# Web Agent Example:
+
+This is an example code for running the web agent implemented by LLM Reasoners. We also offer a baseline agent based on `BrowsingAgent` from [OpenHands](https://github.com/All-Hands-AI/OpenHands).
+
+## Setup
+
+Aside from installing `reasoners`, please also install the dependencies specific to this example using the command below:
+
+```
+pip install -r requirements.txt
+```
+
+## Datasets
+
+We provide two datasets for evaluating web agents as informational assistants:
+1. [FanOutQA](https://fanoutqa.com/index.html), which requires the agent to answer questions that require searching for and compiling information from multiple websites. We include their development set of 310 examples.
+2. FlightQA, a dataset prepared by us to evaluate the ability of LLM agents in answering queries with varying number of constraints, specifically while searching for live flight tickets using the internet. To control for confounding variables like specific query content, we iteratively add to lists of constraints to form new questions. In total we have 120 examples consisted of 20 groups of questions ranging from 3 to 8 constraints.
+
+## Commands
+
+To run evaluation using one of our datasets, use the following command as an example:
+
+```
+python main.py \
+ [job_name] \
+ --dataset [fanout, flightqa] \
+ --agent [reasoner, openhands] \
+ --config_name [only applies to reasoner agent;
+ options: browsergym, browsergym-world-model, browsergym-llama;
+ default: browsergym]
+ --model [any model accessible via litellm; default: gpt-4o]
+ --start_idx [index of the first example] \
+ --end_idx [index of the last example]
+```
+
+One way to speed up the inference is to open several terminals and run inference on separate slices of the data.
+
+Before that, you'll need to enter your default API key at `default_api_key.txt`.
+
+The agent outputs will be stored under `browsing_data` and will be automatically loaded for evaluation.
+
+## Evaluation
+
+```
+python evaluation/fanout/run.py [job_name]
+
+python evaluation/flight/run.py [job_name]
+```
+
+Note: Running evaluation for FlightQA involves calling `gpt-4o`, which may incur costs to you. So please run judiciously.
+
+## Installation
+
+If any issue arises while trying to install BrowserGym, please refer to the [official repo](https://github.com/ServiceNow/BrowserGym).
\ No newline at end of file
diff --git a/examples/WebAgent/baseline/__init__.py b/examples/WebAgent/baseline/__init__.py
new file mode 100644
index 00000000..4f268abf
--- /dev/null
+++ b/examples/WebAgent/baseline/__init__.py
@@ -0,0 +1,3 @@
+from .openhands_browsing_agent import BrowsingAgent
+
+__all__ = ['BrowsingAgent']
\ No newline at end of file
diff --git a/examples/WebAgent/baseline/openhands_browsing_agent.py b/examples/WebAgent/baseline/openhands_browsing_agent.py
new file mode 100644
index 00000000..a9bffe04
--- /dev/null
+++ b/examples/WebAgent/baseline/openhands_browsing_agent.py
@@ -0,0 +1,211 @@
+import os
+from datetime import datetime
+
+from browsergym.core.action.highlevel import HighLevelActionSet
+from browsergym.utils.obs import flatten_axtree_to_str
+
+import sys
+sys.path.append(os.path.join(os.path.dirname(__file__), '..'))
+from utils.llm import LLM
+from logging import Logger
+from .openhands_response_parser import BrowsingResponseParser
+
+USE_NAV = (
+ os.environ.get('USE_NAV', 'true') == 'true'
+) # only disable NAV actions when running webarena and miniwob benchmarks
+USE_CONCISE_ANSWER = (
+ os.environ.get('USE_CONCISE_ANSWER', 'false') == 'true'
+) # only return concise answer when running webarena and miniwob benchmarks
+
+if not USE_NAV and USE_CONCISE_ANSWER:
+ EVAL_MODE = True # disabled NAV actions and only return concise answer, for webarena and miniwob benchmarks\
+else:
+ EVAL_MODE = False
+
+
+def get_error_prefix(last_browser_action: str) -> str:
+ return f'IMPORTANT! Last action is incorrect:\n{last_browser_action}\nThink again with the current observation of the page.\n'
+
+
+def get_system_message(goal: str, action_space: str) -> str:
+ current_datetime = datetime.now().strftime('%a, %b %d, %Y %H:%M:%S')
+
+ return f"""\
+# Instructions
+Review the current state of the page and all other information to find the best
+possible next action to accomplish your goal. Use Google Flights for questions \
+related to flight search. Your answer will be interpreted
+and executed by a program, make sure to follow the formatting instructions.
+
+# Goal:
+{goal}
+
+# Action Space
+{action_space}
+
+# Current Date and Time:
+{current_datetime}
+"""
+
+
+CONCISE_INSTRUCTION = """\
+
+Here is another example with chain of thought of a valid action when providing a concise answer to user:
+"
+In order to accomplish my goal I need to send the information asked back to the user. This page list the information of HP Inkjet Fax Machine, which is the product identified in the objective. Its price is $279.49. I will send a message back to user with the answer.
+```send_msg_to_user("$279.49")```
+"
+"""
+
+
+def get_prompt(
+ error_prefix: str, cur_url: str, cur_axtree_txt: str, prev_action_str: str
+) -> str:
+ prompt = f"""\
+{error_prefix}
+
+# Current Page URL:
+{cur_url}
+
+# Current Accessibility Tree:
+{cur_axtree_txt}
+
+# Previous Actions
+{prev_action_str}
+
+Here is an example with chain of thought of a valid action when clicking on a button:
+"
+In order to accomplish my goal I need to click on the button with bid 12
+```click("12")```
+"
+""".strip()
+ if USE_CONCISE_ANSWER:
+ prompt += CONCISE_INSTRUCTION
+ return prompt
+
+
+class BrowsingAgent():
+ def __init__(self,
+ llm: LLM,
+ logger: Logger,
+ **kwargs):
+ self.llm = llm
+ self.logger = logger
+
+ action_subsets = ['chat', 'bid']
+ if USE_NAV:
+ action_subsets.append('nav')
+ self.action_space = HighLevelActionSet(
+ subsets=action_subsets,
+ strict=False, # less strict on the parsing of the actions
+ multiaction=True, # enable to agent to take multiple actions at once
+ )
+ self.response_parser = BrowsingResponseParser(logger=self.logger)
+
+ self.reset()
+
+ def reset(self):
+ """Resets the Browsing Agent."""
+ self.cost_accumulator = 0
+ self.error_accumulator = 0
+
+ self.prev_actions = []
+
+ def step(self, raw_obs):
+ """Performs one step using the Browsing Agent.
+ This includes gathering information on previous steps and prompting the model to make a browsing command to execute.
+
+ Parameters:
+ - state (State): used to get updated info
+
+ Returns:
+ - BrowseInteractiveAction(browsergym_command) - BrowserGym commands to run
+ - MessageAction(content) - Message action to run (e.g. ask for clarification)
+ - AgentFinishAction() - end the interaction
+ """
+ # messages: list[Message] = []
+ # prev_actions = []
+ cur_url = ''
+ cur_axtree_txt = ''
+ error_prefix = ''
+ # last_obs = None
+ # last_action = None
+ goal = raw_obs['goal']
+
+ observation = {
+ 'clean_axtree_txt': cur_axtree_txt,
+ 'error_prefix': error_prefix,
+ 'goal': goal,
+ }
+
+ step = {
+ 'observation': observation,
+ 'state': None,
+ 'intent': None,
+ 'action': None,
+ }
+
+ prev_action_str = '\n'.join(self.prev_actions)
+ # last_action = self.prev_actions[-1]
+
+ if raw_obs['last_action_error']:
+ error_prefix = get_error_prefix(raw_obs['last_action'])
+ observation.update({'error_prefix': error_prefix})
+
+ self.error_accumulator += 1
+ if self.error_accumulator > 5:
+ action = "send_msg_to_user('Too many errors encountered. Task failed.')"
+ step.update({'action': action})
+ return action, step
+
+ cur_url = raw_obs['url']
+ try:
+ cur_axtree_txt = flatten_axtree_to_str(
+ raw_obs['axtree_object'],
+ extra_properties=raw_obs['extra_element_properties'],
+ with_clickable=True,
+ filter_visible_only=True,
+ )
+ obs_txt = cur_url + '\n' + cur_axtree_txt
+ observation.update({'clean_axtree_txt': obs_txt})
+
+ self.logger.info(f'*Observation*: {obs_txt}')
+
+ except Exception as e:
+ self.logger.error(
+ 'Error when trying to process the accessibility tree: %s', e
+ )
+ action = "send_msg_to_user('Error encountered when browsing.')"
+ step.update({'action': action})
+ return action, step
+ # return {'return_action': "send_msg_to_user('Error encountered when browsing.')"}
+
+
+ system_msg = get_system_message(
+ goal,
+ self.action_space.describe(with_long_description=False, with_examples=True),
+ )
+ prompt = get_prompt(error_prefix, cur_url, cur_axtree_txt, prev_action_str)
+
+ messages = [
+ {'role': 'system', 'content': system_msg},
+ {'role': 'user', 'content': prompt}
+ ]
+
+ response = self.llm.completion(
+ messages=messages,
+ stop=[')```', ')\n```'],
+ )
+
+ parser_output = self.response_parser.parse(response)
+ thought, action = parser_output['thought'], parser_output['action']
+ step.update({'state': thought,
+ 'action': action})
+
+ self.prev_actions.append(action)
+
+ self.logger.info(f'*Thought*: {thought}')
+ self.logger.info(f'*Action*: {action}')
+
+ return action, step
+
diff --git a/examples/WebAgent/baseline/openhands_response_parser.py b/examples/WebAgent/baseline/openhands_response_parser.py
new file mode 100644
index 00000000..c7ef6b41
--- /dev/null
+++ b/examples/WebAgent/baseline/openhands_response_parser.py
@@ -0,0 +1,139 @@
+import ast
+import re
+
+# from openhands.controller.action_parser import ActionParser, ResponseParser
+# from openhands.core.logger import openhands_logger as logger
+# from openhands.events.action import (
+# Action,
+# BrowseInteractiveAction,
+# )
+
+
+# class BrowsingResponseParser(ResponseParser):
+class BrowsingResponseParser:
+ def __init__(self, logger=None):
+ # Need to pay attention to the item order in self.action_parsers
+ # super().__init__()
+ self.action_parsers = [BrowsingActionParserMessage()]
+ self.default_parser = BrowsingActionParserBrowseInteractive(logger)
+ self.logger = logger
+
+ def parse(self, response: str) -> str:
+ action_str = self.parse_response(response)
+ # return action_str
+ return self.parse_action(action_str)
+
+ def parse_response(self, response) -> str:
+ action_str = response['choices'][0]['message']['content']
+ if action_str is None:
+ return ''
+ action_str = action_str.strip()
+ # Ensure action_str ends with ')```'
+ if action_str:
+ if not action_str.endswith('```'):
+ if action_str.endswith(')'):
+ action_str += '```' # prevent duplicate ending paranthesis, e.g. send_msg_to_user('Done'))
+ else:
+ action_str += ')```' # expected format
+ # if self.logger:
+ # self.logger.info(f'*Action String*: {action_str}')
+
+ return action_str
+
+ def parse_action(self, action_str: str):
+ for action_parser in self.action_parsers:
+ if action_parser.check_condition(action_str):
+ return action_parser.parse(action_str)
+ return self.default_parser.parse(action_str)
+
+
+class BrowsingActionParserMessage:
+ """Parser action:
+ - BrowseInteractiveAction(browser_actions) - unexpected response format, message back to user
+ """
+
+ def __init__(
+ self,
+ ):
+ pass
+
+ def check_condition(self, action_str: str) -> bool:
+ return '```' not in action_str
+
+ def parse(self, action_str: str):
+ msg = f'send_msg_to_user("""{action_str}""")'
+
+ return {'action': msg,
+ 'thought': action_str}
+
+ # return BrowseInteractiveAction(
+ # browser_actions=msg,
+ # thought=action_str,
+ # browsergym_send_msg_to_user=action_str,
+ # )
+
+
+class BrowsingActionParserBrowseInteractive:
+ """Parser action:
+ - BrowseInteractiveAction(browser_actions) - handle send message to user function call in BrowserGym
+ """
+
+ def __init__(
+ self,
+ logger=None
+ ):
+ self.logger = logger
+
+ def check_condition(self, action_str: str) -> bool:
+ return True
+
+ def parse(self, action_str: str):
+ # parse the action string into browser_actions and thought
+ # the LLM can return only one string, or both
+
+ # when both are returned, it looks like this:
+ ### Based on the current state of the page and the goal of finding out the president of the USA, the next action should involve searching for information related to the president.
+ ### To achieve this, we can navigate to a reliable source such as a search engine or a specific website that provides information about the current president of the USA.
+ ### Here is an example of a valid action to achieve this:
+ ### ```
+ ### goto('https://www.whitehouse.gov/about-the-white-house/presidents/'
+ # in practice, BrowsingResponseParser.parse_response also added )``` to the end of the string
+
+ # when the LLM returns only one string, it looks like this:
+ ### goto('https://www.whitehouse.gov/about-the-white-house/presidents/')
+ # and parse_response added )``` to the end of the string
+ parts = action_str.split('```')
+ browser_actions = (
+ parts[1].strip() if parts[1].strip() != '' else parts[0].strip()
+ )
+ thought = parts[0].strip() if parts[1].strip() != '' else ''
+
+ # if the LLM wants to talk to the user, we extract the message
+ msg_content = ''
+ for sub_action in browser_actions.split('\n'):
+ if 'send_msg_to_user(' in sub_action:
+ try:
+ tree = ast.parse(sub_action)
+ args = tree.body[0].value.args # type: ignore
+ msg_content = args[0].value
+ except SyntaxError:
+ if self.logger:
+ self.logger.error(f'Error parsing action: {sub_action}')
+ # the syntax was not correct, but we can still try to get the message
+ # e.g. send_msg_to_user("Hello, world!") or send_msg_to_user('Hello, world!'
+ match = re.search(r'send_msg_to_user\((["\'])(.*?)\1\)', sub_action)
+ if match:
+ msg_content = match.group(2)
+ else:
+ msg_content = ''
+ # print(thought)
+ # print(browser_actions)
+
+ return {'action': browser_actions,
+ 'thought': thought}
+
+ # return BrowseInteractiveAction(
+ # browser_actions=browser_actions,
+ # thought=thought,
+ # browsergym_send_msg_to_user=msg_content,
+ # )
\ No newline at end of file
diff --git a/examples/WebAgent/data/fanout-final-dev.json b/examples/WebAgent/data/fanout-final-dev.json
new file mode 100644
index 00000000..76ad1feb
--- /dev/null
+++ b/examples/WebAgent/data/fanout-final-dev.json
@@ -0,0 +1,39520 @@
+[
+ {
+ "id": "7dcbbbdc7f1120cd",
+ "question": "What is the batting hand of each of the first five picks in the 1998 MLB draft?",
+ "decomposition": [
+ {
+ "id": "bca4ab7d1f4df703",
+ "question": "Who were the first 5 picks in the 1998 MLB Draft?",
+ "decomposition": [],
+ "answer": [
+ "Pat Burrell",
+ "Mark Mulder",
+ "Corey Patterson",
+ "Jeff Austin",
+ "JD Drew"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 18468611,
+ "revid": 1172527864,
+ "title": "1998 Major League Baseball draft",
+ "url": "https://en.wikipedia.org/wiki/1998_Major_League_Baseball_draft"
+ }
+ },
+ {
+ "id": "739617a754ded71f",
+ "question": "What is the batting hand of Pat Burrell?",
+ "decomposition": [],
+ "answer": "Right",
+ "depends_on": [
+ "bca4ab7d1f4df703"
+ ],
+ "evidence": {
+ "pageid": 428791,
+ "revid": 1184558033,
+ "title": "Pat Burrell",
+ "url": "https://en.wikipedia.org/wiki/Pat_Burrell"
+ }
+ },
+ {
+ "id": "2891593cc0531647",
+ "question": "What is the batting hand of Mark Mulder?",
+ "decomposition": [],
+ "answer": "Left",
+ "depends_on": [
+ "bca4ab7d1f4df703"
+ ],
+ "evidence": {
+ "pageid": 1224672,
+ "revid": 1169013077,
+ "title": "Mark Mulder",
+ "url": "https://en.wikipedia.org/wiki/Mark_Mulder"
+ }
+ },
+ {
+ "id": "704cca854386d810",
+ "question": "What is the batting hand of Corey Patterson?",
+ "decomposition": [],
+ "answer": "Left",
+ "depends_on": [
+ "bca4ab7d1f4df703"
+ ],
+ "evidence": {
+ "pageid": 966752,
+ "revid": 1178045549,
+ "title": "Corey Patterson",
+ "url": "https://en.wikipedia.org/wiki/Corey_Patterson"
+ }
+ },
+ {
+ "id": "3e4b89409b6fae40",
+ "question": "What is the batting hand of Jeff Austin?",
+ "decomposition": [],
+ "answer": "Right",
+ "depends_on": [
+ "bca4ab7d1f4df703"
+ ],
+ "evidence": {
+ "pageid": 21964523,
+ "revid": 1160882537,
+ "title": "Jeff Austin (baseball)",
+ "url": "https://en.wikipedia.org/wiki/Jeff_Austin_(baseball)"
+ }
+ },
+ {
+ "id": "8592de009cf61a86",
+ "question": "What is the batting hand of JD Drew?",
+ "decomposition": [],
+ "answer": "Left",
+ "depends_on": [
+ "bca4ab7d1f4df703"
+ ],
+ "evidence": {
+ "pageid": 1084979,
+ "revid": 1169999583,
+ "title": "J. D. Drew",
+ "url": "https://en.wikipedia.org/wiki/J._D._Drew"
+ }
+ }
+ ],
+ "answer": {
+ "Pat Burrell": "Right",
+ "Mark Mulder": "Left",
+ "Corey Patterson": "Left",
+ "Jeff Austin": "Right",
+ "JD Drew": "Left"
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "2120afba8009bad3",
+ "question": "What were box office values of the Star Wars films in the prequel and sequel trilogies?",
+ "decomposition": [
+ {
+ "id": "0aa4e637db6918ab",
+ "question": "What are the Star Wars films in the prequel and sequel trilogies?",
+ "decomposition": [],
+ "answer": [
+ "The Phantom Menace",
+ "Attack of the Clones",
+ "Revenge of the Sith",
+ "The Force Awakens",
+ "The Last Jedi",
+ "The Rise of Skywalker"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 26678,
+ "revid": 1185937156,
+ "title": "Star Wars",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars"
+ }
+ },
+ {
+ "id": "495f497083959290",
+ "question": "What was the box office value of The Phantom Menace?",
+ "decomposition": [],
+ "answer": "$1.027 billion",
+ "depends_on": [
+ "0aa4e637db6918ab"
+ ],
+ "evidence": {
+ "pageid": 50793,
+ "revid": 1185883860,
+ "title": "Star Wars: Episode I \u2013 The Phantom Menace",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_Episode_I_%E2%80%93_The_Phantom_Menace"
+ }
+ },
+ {
+ "id": "26f342a172002bc2",
+ "question": "What was the box office value of The Attack of the Clones?",
+ "decomposition": [],
+ "answer": "$653.8 million",
+ "depends_on": [
+ "0aa4e637db6918ab"
+ ],
+ "evidence": {
+ "pageid": 50957,
+ "revid": 1185896387,
+ "title": "Star Wars: Episode II \u2013 Attack of the Clones",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_Episode_II_%E2%80%93_Attack_of_the_Clones"
+ }
+ },
+ {
+ "id": "00f938b6484f0126",
+ "question": "What was the box office value of The Revenge of the Sith?",
+ "decomposition": [],
+ "answer": "$868.4 million",
+ "depends_on": [
+ "0aa4e637db6918ab"
+ ],
+ "evidence": {
+ "pageid": 55447,
+ "revid": 1185897706,
+ "title": "Star Wars: Episode III \u2013 Revenge of the Sith",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_Episode_III_%E2%80%93_Revenge_of_the_Sith"
+ }
+ },
+ {
+ "id": "f2c713a6d423337d",
+ "question": "What was the box office value of The Force Awakens?",
+ "decomposition": [],
+ "answer": "$2.071 billion",
+ "depends_on": [
+ "0aa4e637db6918ab"
+ ],
+ "evidence": {
+ "pageid": 14723194,
+ "revid": 1185889585,
+ "title": "Star Wars: The Force Awakens",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Force_Awakens"
+ }
+ },
+ {
+ "id": "4237f2229604cf90",
+ "question": "What was the box office value of The Last Jedi?",
+ "decomposition": [],
+ "answer": "$1.334 billion",
+ "depends_on": [
+ "0aa4e637db6918ab"
+ ],
+ "evidence": {
+ "pageid": 43910621,
+ "revid": 1185873947,
+ "title": "Star Wars: The Last Jedi",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Last_Jedi"
+ }
+ },
+ {
+ "id": "9a09d57951b9034a",
+ "question": "What was the box office value of The Rise of Skywalker?",
+ "decomposition": [],
+ "answer": "$1.077 billion",
+ "depends_on": [
+ "0aa4e637db6918ab"
+ ],
+ "evidence": {
+ "pageid": 43910733,
+ "revid": 1185946963,
+ "title": "Star Wars: The Rise of Skywalker",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Rise_of_Skywalker"
+ }
+ }
+ ],
+ "answer": {
+ "The Phantom Menace": "$1.027 billion",
+ "Attack of the Clones": "$653.8 million",
+ "Revenge of the Sith": "$868.4 million",
+ "The Force Awakens": "$2.071 billion",
+ "The Last Jedi": "$1.334 billion",
+ "The Rise of Skywalker": "$1.077 billion"
+ },
+ "categories": [
+ "Economics",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "a047ca3f750a134d",
+ "question": "Who won the World Car of the Year Award from 2019 to 2023, and what was the height of each winning car in inches?",
+ "decomposition": [
+ {
+ "id": "f80aa1dcf29dc7cc",
+ "question": "Who won the World Car of the Year Award from 2019-2023?",
+ "decomposition": [],
+ "answer": [
+ "Jaguar I-Pace",
+ "Kia Telluride",
+ "Volkswagen ID.4",
+ "Hyundai Ioniq 5",
+ "Hyundai Ioniq 6"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1462671,
+ "revid": 1183989397,
+ "title": "World Car Awards",
+ "url": "https://en.wikipedia.org/wiki/World_Car_Awards"
+ }
+ },
+ {
+ "id": "dd7b8780971e896f",
+ "question": "What is the height of the Jaguar I-Pace in inches?",
+ "decomposition": [],
+ "answer": 61.6,
+ "depends_on": [
+ "f80aa1dcf29dc7cc"
+ ],
+ "evidence": {
+ "pageid": 52331455,
+ "revid": 1185467557,
+ "title": "Jaguar I-Pace",
+ "url": "https://en.wikipedia.org/wiki/Jaguar_I-Pace"
+ }
+ },
+ {
+ "id": "f60a75173c104ca1",
+ "question": "What is the height of the Kia Telluride in inches?",
+ "decomposition": [],
+ "answer": 68.9,
+ "depends_on": [
+ "f80aa1dcf29dc7cc"
+ ],
+ "evidence": {
+ "pageid": 49416953,
+ "revid": 1182552469,
+ "title": "Kia Telluride",
+ "url": "https://en.wikipedia.org/wiki/Kia_Telluride"
+ }
+ },
+ {
+ "id": "2be44a26f462f8e3",
+ "question": "What is the height of the Volkswagen ID.4 in inches?",
+ "decomposition": [],
+ "answer": 64.4,
+ "depends_on": [
+ "f80aa1dcf29dc7cc"
+ ],
+ "evidence": {
+ "pageid": 63265580,
+ "revid": 1180728563,
+ "title": "Volkswagen ID.4",
+ "url": "https://en.wikipedia.org/wiki/Volkswagen_ID.4"
+ }
+ },
+ {
+ "id": "8f56eecc43a2bdc5",
+ "question": "What is the height of the Hyundai Ioniq 5 in inches?",
+ "decomposition": [],
+ "answer": 63.2,
+ "depends_on": [
+ "f80aa1dcf29dc7cc"
+ ],
+ "evidence": {
+ "pageid": 65319960,
+ "revid": 1181510929,
+ "title": "Hyundai Ioniq 5",
+ "url": "https://en.wikipedia.org/wiki/Hyundai_Ioniq_5"
+ }
+ },
+ {
+ "id": "8c045810b3c91a3b",
+ "question": "What is the height of the Hyundai Ioniq 6 in inches?",
+ "decomposition": [],
+ "answer": 58.9,
+ "depends_on": [
+ "f80aa1dcf29dc7cc"
+ ],
+ "evidence": {
+ "pageid": 65440428,
+ "revid": 1184425441,
+ "title": "Hyundai Ioniq 6",
+ "url": "https://en.wikipedia.org/wiki/Hyundai_Ioniq_6"
+ }
+ }
+ ],
+ "answer": {
+ "Jaguar I-Pace": 61.6,
+ "Kia Telluride": 68.9,
+ "Volkswagen ID.4": 64.4,
+ "Hyundai Ioniq 5": 63.2,
+ "Hyundai Ioniq 6": 58.9
+ },
+ "categories": [
+ "Automobiles",
+ "Awards",
+ "Measurement"
+ ]
+ },
+ {
+ "id": "563b95ed6141123c",
+ "question": "What is the population of the five smallest countries, by area, located in the largest continent?",
+ "decomposition": [
+ {
+ "id": "5452b8a8f7c7d609",
+ "question": "Find the largest continent",
+ "decomposition": [],
+ "answer": "Asia",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19630739,
+ "revid": 1185821688,
+ "title": "Continent",
+ "url": "https://en.wikipedia.org/wiki/Continent"
+ }
+ },
+ {
+ "id": "09da94dbd375f894",
+ "question": "What is the population of the 5 smallest (by area) countries in it?",
+ "decomposition": [
+ {
+ "id": "ad6fb04f3cb620ef",
+ "question": "What are the 5 smallest (by area) countries in it?",
+ "decomposition": [],
+ "answer": [
+ "Macau",
+ "Maldives",
+ "Singapore",
+ "Bahrain",
+ "Hong Kong"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 47659173,
+ "revid": 1183148166,
+ "title": "List of Asian countries by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_Asian_countries_by_area"
+ }
+ },
+ {
+ "id": "8f328da12f4c2b17",
+ "question": "What is the population of Macau?",
+ "decomposition": [],
+ "answer": 680000,
+ "depends_on": [
+ "ad6fb04f3cb620ef"
+ ],
+ "evidence": {
+ "pageid": 19068,
+ "revid": 1185350217,
+ "title": "Macau",
+ "url": "https://en.wikipedia.org/wiki/Macau"
+ }
+ },
+ {
+ "id": "3abcbad7082b0929",
+ "question": "What is the population of Maldives?",
+ "decomposition": [],
+ "answer": 521000,
+ "depends_on": [
+ "ad6fb04f3cb620ef"
+ ],
+ "evidence": {
+ "pageid": 19117,
+ "revid": 1185750716,
+ "title": "Maldives",
+ "url": "https://en.wikipedia.org/wiki/Maldives"
+ }
+ },
+ {
+ "id": "0c01398f995f8732",
+ "question": "What is the population of Singapore?",
+ "decomposition": [],
+ "answer": 5917000,
+ "depends_on": [
+ "ad6fb04f3cb620ef"
+ ],
+ "evidence": {
+ "pageid": 27318,
+ "revid": 1185356760,
+ "title": "Singapore",
+ "url": "https://en.wikipedia.org/wiki/Singapore"
+ }
+ },
+ {
+ "id": "6a2c982c9a83eecb",
+ "question": "What is the population of Bahrain?",
+ "decomposition": [],
+ "answer": 1463000,
+ "depends_on": [
+ "ad6fb04f3cb620ef"
+ ],
+ "evidence": {
+ "pageid": 18933277,
+ "revid": 1185880801,
+ "title": "Bahrain",
+ "url": "https://en.wikipedia.org/wiki/Bahrain"
+ }
+ },
+ {
+ "id": "2b34ad3f3019c22c",
+ "question": "What is the population of Hong Kong?",
+ "decomposition": [],
+ "answer": 7498000,
+ "depends_on": [
+ "ad6fb04f3cb620ef"
+ ],
+ "evidence": {
+ "pageid": 13404,
+ "revid": 1185841020,
+ "title": "Hong Kong",
+ "url": "https://en.wikipedia.org/wiki/Hong_Kong"
+ }
+ }
+ ],
+ "answer": {
+ "Macau": 680000,
+ "Maldives": 521000,
+ "Singapore": 5917000,
+ "Bahrain": 1463000,
+ "Hong Kong": 7498000
+ },
+ "depends_on": [
+ "5452b8a8f7c7d609"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Macau": 680000,
+ "Maldives": 521000,
+ "Singapore": 5917000,
+ "Bahrain": 1463000,
+ "Hong Kong": 7498000
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "8c82924e2ce017a9",
+ "question": "Who are the directors of the top 5 highest-grossing films?",
+ "decomposition": [
+ {
+ "id": "4359cb60388ba650",
+ "question": "What are the top 5 highest-grossing films?",
+ "decomposition": [],
+ "answer": [
+ "Avatar",
+ "Avengers: Endgame",
+ "Avatar: The Way of Water",
+ "Titanic",
+ "Star Wars: The Force Awakens"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59892,
+ "revid": 1185890055,
+ "title": "List of highest-grossing films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_films"
+ }
+ },
+ {
+ "id": "a161acd81975b8e7",
+ "question": "Who is the director of Avatar?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "4359cb60388ba650"
+ ],
+ "evidence": {
+ "pageid": 4273140,
+ "revid": 1185356274,
+ "title": "Avatar (2009 film)",
+ "url": "https://en.wikipedia.org/wiki/Avatar_(2009_film)"
+ }
+ },
+ {
+ "id": "4f5a9ba1952d90e8",
+ "question": "Who is the director of Avengers: Endgame?",
+ "decomposition": [],
+ "answer": "Anthony Russo and Joe Russo",
+ "depends_on": [
+ "4359cb60388ba650"
+ ],
+ "evidence": {
+ "pageid": 44254295,
+ "revid": 1185724642,
+ "title": "Avengers: Endgame",
+ "url": "https://en.wikipedia.org/wiki/Avengers:_Endgame"
+ }
+ },
+ {
+ "id": "a9d0e999efd3da47",
+ "question": "Who is the director of Avatar: The Way of Water?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "4359cb60388ba650"
+ ],
+ "evidence": {
+ "pageid": 25813358,
+ "revid": 1185376874,
+ "title": "Avatar: The Way of Water",
+ "url": "https://en.wikipedia.org/wiki/Avatar:_The_Way_of_Water"
+ }
+ },
+ {
+ "id": "8407e998c35f6da7",
+ "question": "Who is the director of Titanic?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "4359cb60388ba650"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "90d5c8d707ea63e2",
+ "question": "Who is the director of Star Wars: The Force Awakens?",
+ "decomposition": [],
+ "answer": "J. J. Abrams",
+ "depends_on": [
+ "4359cb60388ba650"
+ ],
+ "evidence": {
+ "pageid": 14723194,
+ "revid": 1185889585,
+ "title": "Star Wars: The Force Awakens",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Force_Awakens"
+ }
+ }
+ ],
+ "answer": {
+ "Avatar": "James Cameron",
+ "Avengers: Endgame": "Anthony Russo and Joe Russo",
+ "Avatar: The Way of Water": "James Cameron",
+ "Titanic": "James Cameron",
+ "Star Wars: The Force Awakens": "J. J. Abrams"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "a8144c2b180759f1",
+ "question": "Who are the nominees of the 2024 Taiwanese presidential election and what are their birth dates?",
+ "decomposition": [
+ {
+ "id": "671fb9a9b6b200b3",
+ "question": "Who are the nominees of the 2024 Taiwanese presidential election?",
+ "decomposition": [],
+ "answer": [
+ "Lai Ching-te",
+ "Hou Yu-ih",
+ "Ko Wen-je",
+ "Terry Gou"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 66879039,
+ "revid": 1185861671,
+ "title": "2024 Taiwanese presidential election",
+ "url": "https://en.wikipedia.org/wiki/2024_Taiwanese_presidential_election"
+ }
+ },
+ {
+ "id": "54f0b035fd01c307",
+ "question": "What is Lai Ching-te's birth date?",
+ "decomposition": [],
+ "answer": "6 October 1959",
+ "depends_on": [
+ "671fb9a9b6b200b3"
+ ],
+ "evidence": {
+ "pageid": 22609914,
+ "revid": 1184783506,
+ "title": "Lai Ching-te",
+ "url": "https://en.wikipedia.org/wiki/Lai_Ching-te"
+ }
+ },
+ {
+ "id": "dd29086cd004518b",
+ "question": "What is Hou Yu-ih's birth date?",
+ "decomposition": [],
+ "answer": "7 June 1957",
+ "depends_on": [
+ "671fb9a9b6b200b3"
+ ],
+ "evidence": {
+ "pageid": 48287259,
+ "revid": 1185875261,
+ "title": "Hou Yu-ih",
+ "url": "https://en.wikipedia.org/wiki/Hou_Yu-ih"
+ }
+ },
+ {
+ "id": "7ca8481fefa5e63d",
+ "question": "What is Ko Wen-je's birth date?",
+ "decomposition": [],
+ "answer": "6 August 1959",
+ "depends_on": [
+ "671fb9a9b6b200b3"
+ ],
+ "evidence": {
+ "pageid": 43919669,
+ "revid": 1185874908,
+ "title": "Ko Wen-je",
+ "url": "https://en.wikipedia.org/wiki/Ko_Wen-je"
+ }
+ },
+ {
+ "id": "a2096fe39dacacee",
+ "question": "What is Terry Gou's birth date?",
+ "decomposition": [],
+ "answer": "18 October 1950",
+ "depends_on": [
+ "671fb9a9b6b200b3"
+ ],
+ "evidence": {
+ "pageid": 933792,
+ "revid": 1185394450,
+ "title": "Terry Gou",
+ "url": "https://en.wikipedia.org/wiki/Terry_Gou"
+ }
+ }
+ ],
+ "answer": {
+ "Lai Ching-te": "6 October 1959",
+ "Hou Yu-ih": "7 June 1957",
+ "Ko Wen-je": "6 August 1959",
+ "Terry Gou": "18 October 1950"
+ },
+ "categories": [
+ "History",
+ "Politics"
+ ]
+ },
+ {
+ "id": "2c472f015b5e38fd",
+ "question": "What are the names of 6 Metropolitan cities in Korea and their respective symbol flowers?",
+ "decomposition": [
+ {
+ "id": "551eb5a1ab3cf3da",
+ "question": "What are 6 Metropolitan cities of Korea?",
+ "decomposition": [],
+ "answer": [
+ "Busan",
+ "Daegu",
+ "Incheon",
+ "Gwang-ju",
+ "Daejeon",
+ "Ulsan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 27019,
+ "revid": 1185407120,
+ "title": "South Korea",
+ "url": "https://en.wikipedia.org/wiki/South_Korea"
+ }
+ },
+ {
+ "id": "2ed3775e02abd3b5",
+ "question": "What is symbol flower of Busan?",
+ "decomposition": [],
+ "answer": "Camellia",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 68115,
+ "revid": 1182540450,
+ "title": "Busan",
+ "url": "https://en.wikipedia.org/wiki/Busan"
+ }
+ },
+ {
+ "id": "321954b5911f2644",
+ "question": "What is symbol flower of Daegu?",
+ "decomposition": [],
+ "answer": "Magnolia",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 323135,
+ "revid": 1184363042,
+ "title": "Daegu",
+ "url": "https://en.wikipedia.org/wiki/Daegu"
+ }
+ },
+ {
+ "id": "10e610789fb636e8",
+ "question": "What is symbol flower of Incheon?",
+ "decomposition": [],
+ "answer": "Rose",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 68074,
+ "revid": 1185284469,
+ "title": "Incheon",
+ "url": "https://en.wikipedia.org/wiki/Incheon"
+ }
+ },
+ {
+ "id": "f7e77555d8b10499",
+ "question": "What is symbol flower of Gwang-ju?",
+ "decomposition": [],
+ "answer": "Royal Azalea",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 323128,
+ "revid": 1179792599,
+ "title": "Gwangju",
+ "url": "https://en.wikipedia.org/wiki/Gwangju"
+ }
+ },
+ {
+ "id": "b7546d50cf190b15",
+ "question": "What is symbol flower of Daejeon?",
+ "decomposition": [],
+ "answer": "White Magnolia",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 284812,
+ "revid": 1185355560,
+ "title": "Daejeon",
+ "url": "https://en.wikipedia.org/wiki/Daejeon"
+ }
+ },
+ {
+ "id": "9a81044854287220",
+ "question": "What is symbol flower of Ulsan?",
+ "decomposition": [],
+ "answer": "Pear flower",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 323111,
+ "revid": 1183489092,
+ "title": "Ulsan",
+ "url": "https://en.wikipedia.org/wiki/Ulsan"
+ }
+ }
+ ],
+ "answer": {
+ "Busan": "Camellia",
+ "Daegu": "Magnolia",
+ "Incheon": "Rose",
+ "Gwang-ju": "Royal Azalea",
+ "Daejeon": "White Magnolia",
+ "Ulsan": "Pear flower"
+ },
+ "categories": [
+ "Botany",
+ "Geography"
+ ]
+ },
+ {
+ "id": "3bd8400a1174f1a0",
+ "question": "What law schools did the most recent four Supreme Court justices attend?",
+ "decomposition": [
+ {
+ "id": "efa1252c1d774faa",
+ "question": "Who are the last four justices appointed to the Supreme Court?",
+ "decomposition": [],
+ "answer": [
+ "Ketanji Brown Jackson",
+ "Amy Coney Barrett",
+ "Brett Kavanaugh",
+ "Neil Gorsuch"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 216429,
+ "revid": 1180184921,
+ "title": "List of justices of the Supreme Court of the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_justices_of_the_Supreme_Court_of_the_United_States"
+ }
+ },
+ {
+ "id": "4659f48987c2f0e9",
+ "question": "What law school did Ketanji Brown Jackson attend?",
+ "decomposition": [
+ {
+ "id": "96d752f86dbc05e7",
+ "question": "Where did Ketanji Brown Jackson study law?",
+ "decomposition": [],
+ "answer": "Harvard Law School",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 23741955,
+ "revid": 1185494927,
+ "title": "Ketanji Brown Jackson",
+ "url": "https://en.wikipedia.org/wiki/Ketanji_Brown_Jackson"
+ }
+ }
+ ],
+ "answer": "Harvard Law School",
+ "depends_on": [
+ "efa1252c1d774faa"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "cc7b573461114c5d",
+ "question": "What law school did Amy Coney Barrett attend?",
+ "decomposition": [
+ {
+ "id": "38da9033f0ecefeb",
+ "question": "Where did Amy Coney Barrett study law?",
+ "decomposition": [],
+ "answer": "Notre Dame Law School",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 53992581,
+ "revid": 1184345665,
+ "title": "Amy Coney Barrett",
+ "url": "https://en.wikipedia.org/wiki/Amy_Coney_Barrett"
+ }
+ }
+ ],
+ "answer": "Notre Dame Law School",
+ "depends_on": [
+ "efa1252c1d774faa"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "53fc567b53548dbd",
+ "question": "What law school did Brett Kavanaugh attend?",
+ "decomposition": [
+ {
+ "id": "3038a62fc130552a",
+ "question": "Where did Brett Kavanaugh study law?",
+ "decomposition": [],
+ "answer": "Yale Law School",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21816987,
+ "revid": 1183477870,
+ "title": "Brett Kavanaugh",
+ "url": "https://en.wikipedia.org/wiki/Brett_Kavanaugh"
+ }
+ }
+ ],
+ "answer": "Yale Law School",
+ "depends_on": [
+ "efa1252c1d774faa"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "8e3838e9858207b0",
+ "question": "What law school did Neil Gorsuch attend?",
+ "decomposition": [
+ {
+ "id": "3b9da1f58b764217",
+ "question": "Where did Neil Gorsuch study law?",
+ "decomposition": [],
+ "answer": "Harvard Law School",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 6049434,
+ "revid": 1185809196,
+ "title": "Neil Gorsuch",
+ "url": "https://en.wikipedia.org/wiki/Neil_Gorsuch"
+ }
+ }
+ ],
+ "answer": "Harvard Law School",
+ "depends_on": [
+ "efa1252c1d774faa"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Ketanji Brown Jackson": "Harvard Law School",
+ "Amy Coney Barrett": "Notre Dame Law School",
+ "Brett Kavanaugh": "Yale Law School",
+ "Neil Gorsuch": "Harvard Law School"
+ },
+ "categories": [
+ "History",
+ "Law"
+ ]
+ },
+ {
+ "id": "33b87d71522e6ea7",
+ "question": "Name the U.S. Senators who represent the states in the Pacific region, as defined by the U.S. Census Bureau.",
+ "decomposition": [
+ {
+ "id": "b7e71e2669792419",
+ "question": "According to the U.S. Census Bureau, which states make up the Pacific region?",
+ "decomposition": [],
+ "answer": [
+ "Washington",
+ "Oregon",
+ "California",
+ "Alaska",
+ "Hawaii"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 179578,
+ "revid": 1182462822,
+ "title": "Western United States",
+ "url": "https://en.wikipedia.org/wiki/Western_United_States"
+ }
+ },
+ {
+ "id": "75deb54d35bdcad1",
+ "question": "Who are the U.S. Senators who represent Washington?",
+ "decomposition": [],
+ "answer": [
+ "Patty Murray",
+ "Maria Cantwell"
+ ],
+ "depends_on": [
+ "b7e71e2669792419"
+ ],
+ "evidence": {
+ "pageid": 13015878,
+ "revid": 1185500647,
+ "title": "Washington (state)",
+ "url": "https://en.wikipedia.org/wiki/Washington_(state)"
+ }
+ },
+ {
+ "id": "90f158ff4729cf52",
+ "question": "Who are the U.S. Senators who represent Oregon?",
+ "decomposition": [],
+ "answer": [
+ "Ron Wyden",
+ "Jeff Merkley"
+ ],
+ "depends_on": [
+ "b7e71e2669792419"
+ ],
+ "evidence": {
+ "pageid": 26811621,
+ "revid": 1185886227,
+ "title": "Oregon",
+ "url": "https://en.wikipedia.org/wiki/Oregon"
+ }
+ },
+ {
+ "id": "dce7154db52f4d02",
+ "question": "Who are the U.S. Senators who represent California?",
+ "decomposition": [],
+ "answer": [
+ "Alex Padilla",
+ "Laphonza Butler"
+ ],
+ "depends_on": [
+ "b7e71e2669792419"
+ ],
+ "evidence": {
+ "pageid": 5407,
+ "revid": 1185824790,
+ "title": "California",
+ "url": "https://en.wikipedia.org/wiki/California"
+ }
+ },
+ {
+ "id": "c3ba84e739a713da",
+ "question": "Who are the U.S. Senators who represent Alaska?",
+ "decomposition": [],
+ "answer": [
+ "Lisa Murkowski",
+ "Dan Sullivan"
+ ],
+ "depends_on": [
+ "b7e71e2669792419"
+ ],
+ "evidence": {
+ "pageid": 624,
+ "revid": 1185663816,
+ "title": "Alaska",
+ "url": "https://en.wikipedia.org/wiki/Alaska"
+ }
+ },
+ {
+ "id": "ed4269fd855258f2",
+ "question": "Who are the U.S. Senators who represent Hawaii?",
+ "decomposition": [],
+ "answer": [
+ "Brian Schatz",
+ "Mazie Hirono"
+ ],
+ "depends_on": [
+ "b7e71e2669792419"
+ ],
+ "evidence": {
+ "pageid": 13270,
+ "revid": 1185456145,
+ "title": "Hawaii",
+ "url": "https://en.wikipedia.org/wiki/Hawaii"
+ }
+ }
+ ],
+ "answer": [
+ "Patty Murray",
+ "Maria Cantwell",
+ "Ron Wyden",
+ "Jeff Merkley",
+ "Alex Padilla",
+ "Laphonza Butler",
+ "Lisa Murkowski",
+ "Dan Sullivan",
+ "Brian Schatz",
+ "Mazie Hirono"
+ ],
+ "categories": [
+ "Politics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "66d9d79aea844c0d",
+ "question": "What is the highest elevation (in feet) of the 5 largest states (by land mass) in the U.S.?",
+ "decomposition": [
+ {
+ "id": "b057ce0e67ca5bd6",
+ "question": "What are the 5 largest states by land mass in the U.S.?",
+ "decomposition": [],
+ "answer": [
+ "Alaska",
+ "Texas",
+ "California",
+ "Montana",
+ "New Mexico"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 87513,
+ "revid": 1173100807,
+ "title": "List of U.S. states and territories by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_U.S._states_and_territories_by_area"
+ }
+ },
+ {
+ "id": "2293b48c75f14958",
+ "question": "What is the highest elevation (in feet) of Alaska?",
+ "decomposition": [],
+ "answer": 20310,
+ "depends_on": [
+ "b057ce0e67ca5bd6"
+ ],
+ "evidence": {
+ "pageid": 624,
+ "revid": 1185663816,
+ "title": "Alaska",
+ "url": "https://en.wikipedia.org/wiki/Alaska"
+ }
+ },
+ {
+ "id": "5c2ac42dcbb3cad2",
+ "question": "What is the highest elevation (in feet) of Texas?",
+ "decomposition": [],
+ "answer": 8751,
+ "depends_on": [
+ "b057ce0e67ca5bd6"
+ ],
+ "evidence": {
+ "pageid": 29810,
+ "revid": 1184801241,
+ "title": "Texas",
+ "url": "https://en.wikipedia.org/wiki/Texas"
+ }
+ },
+ {
+ "id": "eb2afe0bc3635297",
+ "question": "What is the highest elevation (in feet) of California?",
+ "decomposition": [],
+ "answer": 14505,
+ "depends_on": [
+ "b057ce0e67ca5bd6"
+ ],
+ "evidence": {
+ "pageid": 5407,
+ "revid": 1185824790,
+ "title": "California",
+ "url": "https://en.wikipedia.org/wiki/California"
+ }
+ },
+ {
+ "id": "cc3f1d78598b0b37",
+ "question": "What is the highest elevation (in feet) of Montana?",
+ "decomposition": [],
+ "answer": 12807,
+ "depends_on": [
+ "b057ce0e67ca5bd6"
+ ],
+ "evidence": {
+ "pageid": 19978,
+ "revid": 1180753026,
+ "title": "Montana",
+ "url": "https://en.wikipedia.org/wiki/Montana"
+ }
+ },
+ {
+ "id": "254dfe978909b491",
+ "question": "What is the highest elevation (in feet) of New Mexico?",
+ "decomposition": [],
+ "answer": 13161,
+ "depends_on": [
+ "b057ce0e67ca5bd6"
+ ],
+ "evidence": {
+ "pageid": 21649,
+ "revid": 1185671361,
+ "title": "New Mexico",
+ "url": "https://en.wikipedia.org/wiki/New_Mexico"
+ }
+ }
+ ],
+ "answer": {
+ "Alaska": 20310,
+ "Texas": 8751,
+ "California": 14505,
+ "Montana": 12807,
+ "New Mexico": 13161
+ },
+ "categories": [
+ "History",
+ "Geography"
+ ]
+ },
+ {
+ "id": "d65057f597c21114",
+ "question": "What is the signed form of each of the top 5 languages spoken in the world by number of native speakers?",
+ "decomposition": [
+ {
+ "id": "45068fac92b6467a",
+ "question": "What are the top 5 languages spoken in the world by dialect?",
+ "decomposition": [],
+ "answer": [
+ "Mandarin Chinese",
+ "Spanish",
+ "English",
+ "Hindi",
+ "Portuguese"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 405385,
+ "revid": 1184830752,
+ "title": "List of languages by number of native speakers",
+ "url": "https://en.wikipedia.org/wiki/List_of_languages_by_number_of_native_speakers"
+ }
+ },
+ {
+ "id": "a49c19adf3359a6b",
+ "question": "What is the signed form of Mandarin Chinese called?",
+ "decomposition": [],
+ "answer": "Wenfa Shouyu",
+ "depends_on": [
+ "45068fac92b6467a"
+ ],
+ "evidence": {
+ "pageid": 19359,
+ "revid": 1185741123,
+ "title": "Mandarin Chinese",
+ "url": "https://en.wikipedia.org/wiki/Mandarin_Chinese"
+ }
+ },
+ {
+ "id": "77b03f8e3a5facef",
+ "question": "What is the signed form of Spanish called?",
+ "decomposition": [],
+ "answer": "Signed Spanish",
+ "depends_on": [
+ "45068fac92b6467a"
+ ],
+ "evidence": {
+ "pageid": 26825,
+ "revid": 1185541806,
+ "title": "Spanish language",
+ "url": "https://en.wikipedia.org/wiki/Spanish_language"
+ }
+ },
+ {
+ "id": "8b88fd17b136cd38",
+ "question": "What is the signed form of English called?",
+ "decomposition": [],
+ "answer": "Manually coded English",
+ "depends_on": [
+ "45068fac92b6467a"
+ ],
+ "evidence": {
+ "pageid": 8569916,
+ "revid": 1185405094,
+ "title": "English language",
+ "url": "https://en.wikipedia.org/wiki/English_language"
+ }
+ },
+ {
+ "id": "be71146a7ef85084",
+ "question": "What is the signed form of Hindi called?",
+ "decomposition": [],
+ "answer": "Signed Hindi",
+ "depends_on": [
+ "45068fac92b6467a"
+ ],
+ "evidence": {
+ "pageid": 13652,
+ "revid": 1185803484,
+ "title": "Hindi",
+ "url": "https://en.wikipedia.org/wiki/Hindi"
+ }
+ },
+ {
+ "id": "92ec245ac3c4fe3e",
+ "question": "What is the signed form of Portuguese called?",
+ "decomposition": [],
+ "answer": "Manually coded Portuguese",
+ "depends_on": [
+ "45068fac92b6467a"
+ ],
+ "evidence": {
+ "pageid": 23915,
+ "revid": 1185886886,
+ "title": "Portuguese language",
+ "url": "https://en.wikipedia.org/wiki/Portuguese_language"
+ }
+ }
+ ],
+ "answer": {
+ "Mandarin Chinese": "Wenfa Shouyu",
+ "Spanish": "Signed Spanish",
+ "English": "Manually coded English",
+ "Hindi": "Signed Hindi",
+ "Portuguese": "Manually coded Portuguese"
+ },
+ "categories": [
+ "Culture",
+ "Linguistics"
+ ]
+ },
+ {
+ "id": "44e89b3eac9c16fc",
+ "question": "What are the mythical Pokemon introduced between generations 1 and 3, and what is their typing?",
+ "decomposition": [
+ {
+ "id": "b7bea4f2a958cf52",
+ "question": "What are the mythical Pokemon introduced between generations 1 and 4?",
+ "decomposition": [],
+ "answer": [
+ "Mew",
+ "Celebi",
+ "Jirachi",
+ "Deoxys"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 23840,
+ "revid": 1185245170,
+ "title": "List of Pok\u00e9mon",
+ "url": "https://en.wikipedia.org/wiki/List_of_Pok%C3%A9mon"
+ }
+ },
+ {
+ "id": "b794e88c6a7af6d8",
+ "question": "What typing is Mew?",
+ "decomposition": [],
+ "answer": "Psychic",
+ "depends_on": [
+ "b7bea4f2a958cf52"
+ ],
+ "evidence": {
+ "pageid": 428082,
+ "revid": 1173471883,
+ "title": "Mew (Pok\u00e9mon)",
+ "url": "https://en.wikipedia.org/wiki/Mew_(Pok%C3%A9mon)"
+ }
+ },
+ {
+ "id": "e52334b61ea98efd",
+ "question": "What typing is Celebi?",
+ "decomposition": [],
+ "answer": "Psychic Grass",
+ "depends_on": [
+ "b7bea4f2a958cf52"
+ ],
+ "evidence": {
+ "pageid": 49391776,
+ "revid": 1185560297,
+ "title": "List of generation II Pok\u00e9mon",
+ "url": "https://en.wikipedia.org/wiki/List_of_generation_II_Pok%C3%A9mon#Celebi"
+ }
+ },
+ {
+ "id": "2dea946bb7496831",
+ "question": "What typing is Jirachi?",
+ "decomposition": [],
+ "answer": "Steel Psychic",
+ "depends_on": [
+ "b7bea4f2a958cf52"
+ ],
+ "evidence": {
+ "pageid": 49392702,
+ "revid": 1185464080,
+ "title": "List of generation III Pok\u00e9mon",
+ "url": "https://en.wikipedia.org/wiki/List_of_generation_III_Pok%C3%A9mon#Jirachi"
+ }
+ },
+ {
+ "id": "69ad23f08c9d0137",
+ "question": "What typing is Deoxys?",
+ "decomposition": [],
+ "answer": "Psychic",
+ "depends_on": [
+ "b7bea4f2a958cf52"
+ ],
+ "evidence": {
+ "pageid": 49392702,
+ "revid": 1185464080,
+ "title": "List of generation III Pok\u00e9mon",
+ "url": "https://en.wikipedia.org/wiki/List_of_generation_III_Pok%C3%A9mon#Deoxys"
+ }
+ }
+ ],
+ "answer": {
+ "Mew": "Psychic",
+ "Celebi": "Psychic Grass",
+ "Jirachi": "Steel Psychic",
+ "Deoxys": "Psychic"
+ },
+ "categories": [
+ "Video Games",
+ "Mythology"
+ ]
+ },
+ {
+ "id": "2b19d0853e149804",
+ "question": "What are the symptoms of the top 5 mortality cancers in the world amongst females?",
+ "decomposition": [
+ {
+ "id": "d22f945690374041",
+ "question": "What are the top 5 mortality cancers in the world amongst females?",
+ "decomposition": [],
+ "answer": [
+ "Lung",
+ "Breast",
+ "Colorectal",
+ "Pancreatic",
+ "Ovarian"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21499583,
+ "revid": 1175444387,
+ "title": "Epidemiology of cancer",
+ "url": "https://en.wikipedia.org/wiki/Epidemiology_of_cancer"
+ }
+ },
+ {
+ "id": "10d3f602cca66ae6",
+ "question": "What are the symptoms of Lung Cancer?",
+ "decomposition": [],
+ "answer": "Coughing (including coughing up blood), shortness of breath, chest pain",
+ "depends_on": [
+ "d22f945690374041"
+ ],
+ "evidence": {
+ "pageid": 18450,
+ "revid": 1182616742,
+ "title": "Lung cancer",
+ "url": "https://en.wikipedia.org/wiki/Lung_cancer"
+ }
+ },
+ {
+ "id": "e59d9fef12da5c75",
+ "question": "What are the symptoms of Breast Cancer?",
+ "decomposition": [],
+ "answer": "A lump in a breast, a change in breast shape, dimpling of the skin, fluid from the nipple, a newly inverted nipple, a red scaly patch of skin on the breast",
+ "depends_on": [
+ "d22f945690374041"
+ ],
+ "evidence": {
+ "pageid": 70547,
+ "revid": 1185527758,
+ "title": "Breast cancer",
+ "url": "https://en.wikipedia.org/wiki/Breast_cancer"
+ }
+ },
+ {
+ "id": "3efe2f93aa207b4b",
+ "question": "What are the symptoms of Colorectal Cancer?",
+ "decomposition": [],
+ "answer": "Blood in stool, change in bowel movements, unintentional weight loss, vomiting, fatigue",
+ "depends_on": [
+ "d22f945690374041"
+ ],
+ "evidence": {
+ "pageid": 206979,
+ "revid": 1185068172,
+ "title": "Colorectal cancer",
+ "url": "https://en.wikipedia.org/wiki/Colorectal_cancer"
+ }
+ },
+ {
+ "id": "57eaa6861a966d14",
+ "question": "What are the symptoms of Pancreatic Cancer?",
+ "decomposition": [],
+ "answer": "Yellow skin, abdominal or back pain, unexplained weight loss, light-colored stools, dark urine, loss of appetite",
+ "depends_on": [
+ "d22f945690374041"
+ ],
+ "evidence": {
+ "pageid": 363559,
+ "revid": 1185354102,
+ "title": "Pancreatic cancer",
+ "url": "https://en.wikipedia.org/wiki/Pancreatic_cancer"
+ }
+ },
+ {
+ "id": "e2a41c40d5474efc",
+ "question": "What are the symptoms of Ovarian Cancer?",
+ "decomposition": [],
+ "answer": "Bloating, pelvic pain, constipation, abdominal swelling, loss of appetite",
+ "depends_on": [
+ "d22f945690374041"
+ ],
+ "evidence": {
+ "pageid": 414192,
+ "revid": 1185929045,
+ "title": "Ovarian cancer",
+ "url": "https://en.wikipedia.org/wiki/Ovarian_cancer"
+ }
+ }
+ ],
+ "answer": {
+ "Lung": "Coughing (including coughing up blood), shortness of breath, chest pain",
+ "Breast": "A lump in a breast, a change in breast shape, dimpling of the skin, fluid from the nipple, a newly inverted nipple, a red scaly patch of skin on the breast",
+ "Colorectal": "Blood in stool, change in bowel movements, unintentional weight loss, vomiting, fatigue",
+ "Pancreatic": "Yellow skin, abdominal or back pain, unexplained weight loss, light-colored stools, dark urine, loss of appetite",
+ "Ovarian": "Bloating, pelvic pain, constipation, abdominal swelling, loss of appetite"
+ },
+ "categories": [
+ "Women's Health",
+ "Oncology"
+ ]
+ },
+ {
+ "id": "9eb4feb88c3f980b",
+ "question": "What were the release dates of the studio albums released by the band Destiny's Child?",
+ "decomposition": [
+ {
+ "id": "c1c05151c5a498ec",
+ "question": "What are the studio albums released by Destiny's Child?",
+ "decomposition": [],
+ "answer": [
+ "Destiny's Child",
+ "The Writing's on the Wall",
+ "Survivor",
+ "8 Days of Christmas",
+ "Destiny Fulfilled"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2652289,
+ "revid": 1182206124,
+ "title": "Destiny's Child discography",
+ "url": "https://en.wikipedia.org/wiki/Destiny%27s_Child_discography"
+ }
+ },
+ {
+ "id": "2578b779da292859",
+ "question": "What was the release date of Destiny's Child?",
+ "decomposition": [],
+ "answer": "February 17, 1998",
+ "depends_on": [
+ "c1c05151c5a498ec"
+ ],
+ "evidence": {
+ "pageid": 3310186,
+ "revid": 1182557118,
+ "title": "Destiny's Child (album)",
+ "url": "https://en.wikipedia.org/wiki/Destiny%27s_Child_(album)"
+ }
+ },
+ {
+ "id": "e06cbafa71f04891",
+ "question": "What was the release date of The Writing's on the Wall?",
+ "decomposition": [],
+ "answer": "July 14, 1999",
+ "depends_on": [
+ "c1c05151c5a498ec"
+ ],
+ "evidence": {
+ "pageid": 2113034,
+ "revid": 1185884998,
+ "title": "The Writing's on the Wall",
+ "url": "https://en.wikipedia.org/wiki/The_Writing%27s_on_the_Wall"
+ }
+ },
+ {
+ "id": "d778fa6562812eb8",
+ "question": "What was the release date of Survivor?",
+ "decomposition": [],
+ "answer": "April 25, 2001",
+ "depends_on": [
+ "c1c05151c5a498ec"
+ ],
+ "evidence": {
+ "pageid": 1272199,
+ "revid": 1182609538,
+ "title": "Survivor (Destiny's Child album)",
+ "url": "https://en.wikipedia.org/wiki/Survivor_(Destiny%27s_Child_album)"
+ }
+ },
+ {
+ "id": "3bdc080a425d211e",
+ "question": "What was the release date of 8 Days of Christmas?",
+ "decomposition": [],
+ "answer": "October 30, 2001",
+ "depends_on": [
+ "c1c05151c5a498ec"
+ ],
+ "evidence": {
+ "pageid": 6540549,
+ "revid": 1170243271,
+ "title": "8 Days of Christmas",
+ "url": "https://en.wikipedia.org/wiki/8_Days_of_Christmas"
+ }
+ },
+ {
+ "id": "6c52f3180ec9a017",
+ "question": "What was the release date of Destiny Fulfilled?",
+ "decomposition": [],
+ "answer": "November 16, 2004",
+ "depends_on": [
+ "c1c05151c5a498ec"
+ ],
+ "evidence": {
+ "pageid": 972631,
+ "revid": 1185391470,
+ "title": "Destiny Fulfilled",
+ "url": "https://en.wikipedia.org/wiki/Destiny_Fulfilled"
+ }
+ }
+ ],
+ "answer": {
+ "Destiny's Child": "February 17, 1998",
+ "The Writing's on the Wall": "July 14, 1999",
+ "Survivor": "April 25, 2001",
+ "8 Days of Christmas": "October 30, 2001",
+ "Destiny Fulfilled": "November 16, 2004"
+ },
+ "categories": [
+ "Music"
+ ]
+ },
+ {
+ "id": "9bf015e9abca6d73",
+ "question": "What is the projected GDP in US dollars of the top 5 countries or territories with the highest GDP per capita, including non-IMF members, for the year 2023?",
+ "decomposition": [
+ {
+ "id": "9dfd13096058a406",
+ "question": "What are the 5 highest GDP per capita country or territory or non IMF members in 2023?",
+ "decomposition": [],
+ "answer": [
+ "Luxembourg",
+ "Ireland",
+ "Singapore",
+ "Qatar",
+ "Macau"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 695403,
+ "revid": 1184371248,
+ "title": "List of countries by GDP (PPP) per capita",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_GDP_(PPP)_per_capita"
+ }
+ },
+ {
+ "id": "f72fee295890c29e",
+ "question": "What is the GDP of Luxembourg in 2023?",
+ "decomposition": [],
+ "answer": "$87 billion",
+ "depends_on": [
+ "9dfd13096058a406"
+ ],
+ "evidence": {
+ "pageid": 17834,
+ "revid": 1185796524,
+ "title": "Economy of Luxembourg",
+ "url": "https://en.wikipedia.org/wiki/Economy_of_Luxembourg"
+ }
+ },
+ {
+ "id": "25db25feb5af33a0",
+ "question": "What is the GDP of Ireland in 2023?",
+ "decomposition": [],
+ "answer": "$516 billion",
+ "depends_on": [
+ "9dfd13096058a406"
+ ],
+ "evidence": {
+ "pageid": 18933019,
+ "revid": 1185002235,
+ "title": "Economy of the Republic of Ireland",
+ "url": "https://en.wikipedia.org/wiki/Economy_of_the_Republic_of_Ireland"
+ }
+ },
+ {
+ "id": "b11037f63408693d",
+ "question": "What is the GDP of Singapore in 2023?",
+ "decomposition": [],
+ "answer": "$515 billion",
+ "depends_on": [
+ "9dfd13096058a406"
+ ],
+ "evidence": {
+ "pageid": 57011,
+ "revid": 1185760381,
+ "title": "Economy of Singapore",
+ "url": "https://en.wikipedia.org/wiki/Economy_of_Singapore"
+ }
+ },
+ {
+ "id": "1c4447875f55bcc0",
+ "question": "What is the GDP of Qatar in 2023?",
+ "decomposition": [],
+ "answer": "$219.576 billion",
+ "depends_on": [
+ "9dfd13096058a406"
+ ],
+ "evidence": {
+ "pageid": 25191,
+ "revid": 1181711237,
+ "title": "Economy of Qatar",
+ "url": "https://en.wikipedia.org/wiki/Economy_of_Qatar"
+ }
+ },
+ {
+ "id": "9ada78a3177ebc15",
+ "question": "What is the GDP of Macau in 2023?",
+ "decomposition": [],
+ "answer": "$38.480 billion",
+ "depends_on": [
+ "9dfd13096058a406"
+ ],
+ "evidence": {
+ "pageid": 19073,
+ "revid": 1185381140,
+ "title": "Economy of Macau",
+ "url": "https://en.wikipedia.org/wiki/Economy_of_Macau"
+ }
+ }
+ ],
+ "answer": {
+ "Luxembourg": "$87 billion",
+ "Ireland": "$516 billion",
+ "Singapore": "$515 billion",
+ "Qatar": "$219.576 billion",
+ "Macau": "$38.480 billion"
+ },
+ "categories": [
+ "Economics"
+ ]
+ },
+ {
+ "id": "daaf58facccf012d",
+ "question": "In what years did the top four most subscribed YouTube channels start?",
+ "decomposition": [
+ {
+ "id": "44a7d34763a6109b",
+ "question": "What are the top four most subscribed YouTube channels?",
+ "decomposition": [],
+ "answer": [
+ "T-Series",
+ "MrBeast",
+ "Cocomelon",
+ "Sony Entertainment Television India"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 40199886,
+ "revid": 1185924728,
+ "title": "List of most-subscribed YouTube channels",
+ "url": "https://en.wikipedia.org/wiki/List_of_most-subscribed_YouTube_channels"
+ }
+ },
+ {
+ "id": "46270350fbf5da64",
+ "question": "When did the channel of T-Series start?",
+ "decomposition": [],
+ "answer": 2006,
+ "depends_on": [
+ "44a7d34763a6109b"
+ ],
+ "evidence": {
+ "pageid": 21844874,
+ "revid": 1185743653,
+ "title": "T-Series (company)",
+ "url": "https://en.wikipedia.org/wiki/T-Series_(company)"
+ }
+ },
+ {
+ "id": "65898eadae9bc4a4",
+ "question": "When did the channel of MrBeast start?",
+ "decomposition": [],
+ "answer": 2012,
+ "depends_on": [
+ "44a7d34763a6109b"
+ ],
+ "evidence": {
+ "pageid": 58920328,
+ "revid": 1185656775,
+ "title": "MrBeast",
+ "url": "https://en.wikipedia.org/wiki/MrBeast"
+ }
+ },
+ {
+ "id": "84327de6c1035bf5",
+ "question": "When did the channel of Cocomelon start?",
+ "decomposition": [],
+ "answer": 2006,
+ "depends_on": [
+ "44a7d34763a6109b"
+ ],
+ "evidence": {
+ "pageid": 58728524,
+ "revid": 1185359161,
+ "title": "Cocomelon",
+ "url": "https://en.wikipedia.org/wiki/Cocomelon"
+ }
+ },
+ {
+ "id": "509f92bec7caf60d",
+ "question": "When did the channel of Sony Entertainment Television India start?",
+ "decomposition": [],
+ "answer": 1995,
+ "depends_on": [
+ "44a7d34763a6109b"
+ ],
+ "evidence": {
+ "pageid": 1429265,
+ "revid": 1182843124,
+ "title": "Sony Entertainment Television",
+ "url": "https://en.wikipedia.org/wiki/Sony_Entertainment_Television"
+ }
+ }
+ ],
+ "answer": [
+ 2006,
+ 2012,
+ 2006,
+ 1995
+ ],
+ "categories": [
+ "Film Studies",
+ "Internet"
+ ]
+ },
+ {
+ "id": "626c8dd35bd2f3e2",
+ "question": "In what months were the 5 highest-scoring small forwards in NBA history born?",
+ "decomposition": [
+ {
+ "id": "a40d41a7e53cb075",
+ "question": "Who are the 5 highest-scoring small forwards in NBA history?",
+ "decomposition": [],
+ "answer": [
+ "Lebron James",
+ "Carmelo Anthony",
+ "Kevin Durant",
+ "Dominique Wilkins",
+ "Paul Pierce"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 8588996,
+ "revid": 1185862434,
+ "title": "List of National Basketball Association career scoring leaders",
+ "url": "https://en.wikipedia.org/wiki/List_of_National_Basketball_Association_career_scoring_leaders"
+ }
+ },
+ {
+ "id": "fe640839f292d47e",
+ "question": "In what month was Lebron James born?",
+ "decomposition": [],
+ "answer": "December",
+ "depends_on": [
+ "a40d41a7e53cb075"
+ ],
+ "evidence": {
+ "pageid": 240940,
+ "revid": 1185865019,
+ "title": "LeBron James",
+ "url": "https://en.wikipedia.org/wiki/LeBron_James"
+ }
+ },
+ {
+ "id": "93eb65f25b2f607e",
+ "question": "In what month was Carmelo Anthony born?",
+ "decomposition": [],
+ "answer": "May",
+ "depends_on": [
+ "a40d41a7e53cb075"
+ ],
+ "evidence": {
+ "pageid": 878643,
+ "revid": 1185454964,
+ "title": "Carmelo Anthony",
+ "url": "https://en.wikipedia.org/wiki/Carmelo_Anthony"
+ }
+ },
+ {
+ "id": "e8ba23b7c2da52c4",
+ "question": "In what month was Kevin Durant born?",
+ "decomposition": [],
+ "answer": "September",
+ "depends_on": [
+ "a40d41a7e53cb075"
+ ],
+ "evidence": {
+ "pageid": 6933101,
+ "revid": 1185725438,
+ "title": "Kevin Durant",
+ "url": "https://en.wikipedia.org/wiki/Kevin_Durant"
+ }
+ },
+ {
+ "id": "0a41a91e04c74d71",
+ "question": "In what month was Dominique Wilkins born?",
+ "decomposition": [],
+ "answer": "January",
+ "depends_on": [
+ "a40d41a7e53cb075"
+ ],
+ "evidence": {
+ "pageid": 613063,
+ "revid": 1185787017,
+ "title": "Dominique Wilkins",
+ "url": "https://en.wikipedia.org/wiki/Dominique_Wilkins"
+ }
+ },
+ {
+ "id": "53dc9d31263f2a18",
+ "question": "In what month was Paul Pierce born?",
+ "decomposition": [],
+ "answer": "October",
+ "depends_on": [
+ "a40d41a7e53cb075"
+ ],
+ "evidence": {
+ "pageid": 956947,
+ "revid": 1185783356,
+ "title": "Paul Pierce",
+ "url": "https://en.wikipedia.org/wiki/Paul_Pierce"
+ }
+ }
+ ],
+ "answer": {
+ "Lebron James": "December",
+ "Carmelo Anthony": "May",
+ "Kevin Durant": "September",
+ "Dominique Wilkins": "January",
+ "Paul Pierce": "October"
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "a19574bcd377eda6",
+ "question": "Who are the members of the current British Royal Family and who are their respective fathers?",
+ "decomposition": [
+ {
+ "id": "257314fb5d04d075",
+ "question": "Find the members of the current British Royal Family.",
+ "decomposition": [],
+ "answer": [
+ "King Charles III",
+ "Queen Camilla",
+ "William, Prince of Wales",
+ "Catherine, Princess of Wales",
+ "Anne, Princess Royal",
+ "Prince Edward, Duke of Edinburgh",
+ "Sophie, Duchess of Edinburgh"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 46542,
+ "revid": 1185805524,
+ "title": "British royal family",
+ "url": "https://en.wikipedia.org/wiki/British_royal_family"
+ }
+ },
+ {
+ "id": "585d206f3454f25a",
+ "question": "Who are the parents of King Charles III?",
+ "decomposition": [],
+ "answer": "Prince Philip, Duke of Edinburgh",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 125248,
+ "revid": 1184891229,
+ "title": "Charles III",
+ "url": "https://en.wikipedia.org/wiki/Charles_III"
+ }
+ },
+ {
+ "id": "46bde360b16f674f",
+ "question": "Who are the parents of Queen Camilla?",
+ "decomposition": [],
+ "answer": "Bruce Shand",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 160811,
+ "revid": 1185555146,
+ "title": "Queen Camilla",
+ "url": "https://en.wikipedia.org/wiki/Queen_Camilla"
+ }
+ },
+ {
+ "id": "83c58057afbf0185",
+ "question": "Who are the parents of William, Prince of Wales?",
+ "decomposition": [],
+ "answer": "Charles III",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72201,
+ "revid": 1185102897,
+ "title": "William, Prince of Wales",
+ "url": "https://en.wikipedia.org/wiki/William,_Prince_of_Wales"
+ }
+ },
+ {
+ "id": "90f768a9214a7e25",
+ "question": "Who are the parents of Catherine, Princess of Wales?",
+ "decomposition": [],
+ "answer": "Michael Middleton",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1677192,
+ "revid": 1185420721,
+ "title": "Catherine, Princess of Wales",
+ "url": "https://en.wikipedia.org/wiki/Catherine,_Princess_of_Wales"
+ }
+ },
+ {
+ "id": "ced13268b54b050d",
+ "question": "Who are the parents of Anne, Princess Royal?",
+ "decomposition": [],
+ "answer": "Prince Philip, Duke of Edinburgh",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 125231,
+ "revid": 1184962270,
+ "title": "Anne, Princess Royal",
+ "url": "https://en.wikipedia.org/wiki/Anne,_Princess_Royal"
+ }
+ },
+ {
+ "id": "25dd7e13dc058b63",
+ "question": "Who are the parents of Prince Edward, Duke of Edinburgh?",
+ "decomposition": [],
+ "answer": "Prince Philip, Duke of Edinburgh",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 125209,
+ "revid": 1185301566,
+ "title": "Prince Edward, Duke of Edinburgh",
+ "url": "https://en.wikipedia.org/wiki/Prince_Edward,_Duke_of_Edinburgh"
+ }
+ },
+ {
+ "id": "127746860be2999f",
+ "question": "Who are the parents of Sophie, Duchess of Edinburgh?",
+ "decomposition": [],
+ "answer": "Christopher Rhys-Jones",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 125195,
+ "revid": 1183702809,
+ "title": "Sophie, Duchess of Edinburgh",
+ "url": "https://en.wikipedia.org/wiki/Sophie,_Duchess_of_Edinburgh"
+ }
+ }
+ ],
+ "answer": {
+ "King Charles III": "Prince Philip, Duke of Edinburgh",
+ "Queen Camilla": "Bruce Shand",
+ "William, Prince of Wales": "Charles III",
+ "Catherine, Princess of Wales": "Michael Middleton",
+ "Anne, Princess Royal": "Prince Philip, Duke of Edinburgh",
+ "Prince Edward, Duke of Edinburgh": "Prince Philip, Duke of Edinburgh",
+ "Sophie, Duchess of Edinburgh": "Christopher Rhys-Jones"
+ },
+ "categories": [
+ "History",
+ "Genealogy"
+ ]
+ },
+ {
+ "id": "1686afcc411d5bd7",
+ "question": "Where are the headquarters of the Big Five companies in the technology industry located?",
+ "decomposition": [
+ {
+ "id": "10e463e71a7401db",
+ "question": "What are the Big Five companies in the technology industry?",
+ "decomposition": [],
+ "answer": [
+ "Microsoft",
+ "Meta",
+ "Amazon",
+ "Apple",
+ "Alphabet"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 57174306,
+ "revid": 1185943779,
+ "title": "Big Tech",
+ "url": "https://en.wikipedia.org/wiki/Big_Tech"
+ }
+ },
+ {
+ "id": "3f4c33ef73f89225",
+ "question": "What is the headquarter of Alphabet?",
+ "decomposition": [],
+ "answer": "Mountain View, California",
+ "depends_on": [
+ "10e463e71a7401db"
+ ],
+ "evidence": {
+ "pageid": 47489893,
+ "revid": 1184949012,
+ "title": "Alphabet Inc.",
+ "url": "https://en.wikipedia.org/wiki/Alphabet_Inc."
+ }
+ },
+ {
+ "id": "e3a58076f01f3d62",
+ "question": "What is the headquarter of Amazon?",
+ "decomposition": [],
+ "answer": "Seattle, Washington and Arlington County, Virginia",
+ "depends_on": [
+ "10e463e71a7401db"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "5eee56847234e006",
+ "question": "What is the headquarter of Meta?",
+ "decomposition": [],
+ "answer": "Menlo Park, California",
+ "depends_on": [
+ "10e463e71a7401db"
+ ],
+ "evidence": {
+ "pageid": 62420226,
+ "revid": 1185758146,
+ "title": "Meta Platforms",
+ "url": "https://en.wikipedia.org/wiki/Meta_Platforms"
+ }
+ },
+ {
+ "id": "da93cfc7a2652169",
+ "question": "What is the headquarter of Apple?",
+ "decomposition": [],
+ "answer": "Cupertino, California",
+ "depends_on": [
+ "10e463e71a7401db"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "10b924df13208d5a",
+ "question": "What is the headquarter of Microsoft?",
+ "decomposition": [],
+ "answer": "Redmond, Washington",
+ "depends_on": [
+ "10e463e71a7401db"
+ ],
+ "evidence": {
+ "pageid": 19001,
+ "revid": 1185824087,
+ "title": "Microsoft",
+ "url": "https://en.wikipedia.org/wiki/Microsoft"
+ }
+ }
+ ],
+ "answer": {
+ "Alphabet": "Mountain View, California",
+ "Amazon": "Seattle, Washington and Arlington County, Virginia",
+ "Meta": "Menlo Park, California",
+ "Apple": "Cupertino, California",
+ "Microsoft": "Redmond, Washington"
+ },
+ "categories": [
+ "Business",
+ "Technology"
+ ]
+ },
+ {
+ "id": "95de313fdfef9d01",
+ "question": "What were the ages of the five most recent presidents of the United States?",
+ "decomposition": [
+ {
+ "id": "f3d4f7ce561a6963",
+ "question": "What are the 5 most recent presidents of the United States?",
+ "decomposition": [],
+ "answer": [
+ "Joe Biden",
+ "Donald Trump",
+ "Barack Obama",
+ "George W. Bush",
+ "Bill Clinton"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39707994,
+ "revid": 1183557170,
+ "title": "List of countries by population (United Nations)",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_population_(United_Nations)"
+ }
+ },
+ {
+ "id": "f88ed94d47aff8d3",
+ "question": "What is the age of Joe Biden?",
+ "decomposition": [],
+ "answer": 80,
+ "depends_on": [
+ "f3d4f7ce561a6963"
+ ],
+ "evidence": {
+ "pageid": 145422,
+ "revid": 1185946453,
+ "title": "Joe Biden",
+ "url": "https://en.wikipedia.org/wiki/Joe_Biden"
+ }
+ },
+ {
+ "id": "0a46dd907318ebc8",
+ "question": "What is the age of Donald Trump?",
+ "decomposition": [],
+ "answer": 77,
+ "depends_on": [
+ "f3d4f7ce561a6963"
+ ],
+ "evidence": {
+ "pageid": 4848272,
+ "revid": 1185888837,
+ "title": "Donald Trump",
+ "url": "https://en.wikipedia.org/wiki/Donald_Trump"
+ }
+ },
+ {
+ "id": "7901291571ee3e86",
+ "question": "What is the age of Barack Obama?",
+ "decomposition": [],
+ "answer": 62,
+ "depends_on": [
+ "f3d4f7ce561a6963"
+ ],
+ "evidence": {
+ "pageid": 534366,
+ "revid": 1185877587,
+ "title": "Barack Obama",
+ "url": "https://en.wikipedia.org/wiki/Barack_Obama"
+ }
+ },
+ {
+ "id": "ce4f98194a95d0b6",
+ "question": "What is the age of George W. Bush?",
+ "decomposition": [],
+ "answer": 77,
+ "depends_on": [
+ "f3d4f7ce561a6963"
+ ],
+ "evidence": {
+ "pageid": 3414021,
+ "revid": 1185789468,
+ "title": "George W. Bush",
+ "url": "https://en.wikipedia.org/wiki/George_W._Bush"
+ }
+ },
+ {
+ "id": "b9c3b9631ae519bb",
+ "question": "What is the age of Bill Clinton?",
+ "decomposition": [],
+ "answer": 77,
+ "depends_on": [
+ "f3d4f7ce561a6963"
+ ],
+ "evidence": {
+ "pageid": 3356,
+ "revid": 1185156347,
+ "title": "Bill Clinton",
+ "url": "https://en.wikipedia.org/wiki/Bill_Clinton"
+ }
+ }
+ ],
+ "answer": {
+ "Joe Biden": 80,
+ "Donald Trump": 77,
+ "Barack Obama": 62,
+ "George W. Bush": 77,
+ "Bill Clinton": 77
+ },
+ "categories": [
+ "History",
+ "Politics"
+ ]
+ },
+ {
+ "id": "dfc2faff26b2f26c",
+ "question": "What are the top 5 most widely spoken languages?",
+ "decomposition": [
+ {
+ "id": "d984c27366802cd8",
+ "question": "What are the top 5 most widely spoken languages?",
+ "decomposition": [],
+ "answer": [
+ "Mandarin Chinese",
+ "Spanish",
+ "English",
+ "Hindi",
+ "Portuguese"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 405385,
+ "revid": 1184830752,
+ "title": "List of languages by number of native speakers",
+ "url": "https://en.wikipedia.org/wiki/List_of_languages_by_number_of_native_speakers"
+ }
+ },
+ {
+ "id": "dff0e9a009ca92b5",
+ "question": "How many Mandarin Chinese speakers are there?",
+ "decomposition": [],
+ "answer": "920,000,000",
+ "depends_on": [
+ "d984c27366802cd8"
+ ],
+ "evidence": {
+ "pageid": 19359,
+ "revid": 1185741123,
+ "title": "Mandarin Chinese",
+ "url": "https://en.wikipedia.org/wiki/Mandarin_Chinese"
+ }
+ },
+ {
+ "id": "b5e7d5015b4e4754",
+ "question": "How many Spanish speakers are there?",
+ "decomposition": [],
+ "answer": "600,000,000",
+ "depends_on": [
+ "d984c27366802cd8"
+ ],
+ "evidence": {
+ "pageid": 26825,
+ "revid": 1185541806,
+ "title": "Spanish language",
+ "url": "https://en.wikipedia.org/wiki/Spanish_language"
+ }
+ },
+ {
+ "id": "59c969fef872ecd1",
+ "question": "How many English speakers are there?",
+ "decomposition": [],
+ "answer": "380,000,000",
+ "depends_on": [
+ "d984c27366802cd8"
+ ],
+ "evidence": {
+ "pageid": 8569916,
+ "revid": 1185405094,
+ "title": "English language",
+ "url": "https://en.wikipedia.org/wiki/English_language"
+ }
+ },
+ {
+ "id": "a18e0d23fec7d790",
+ "question": "How many Hindi speakers are there?",
+ "decomposition": [],
+ "answer": "322,000,000",
+ "depends_on": [
+ "d984c27366802cd8"
+ ],
+ "evidence": {
+ "pageid": 13652,
+ "revid": 1185803484,
+ "title": "Hindi",
+ "url": "https://en.wikipedia.org/wiki/Hindi"
+ }
+ },
+ {
+ "id": "9a0f985fdaf6f6f6",
+ "question": "How many Portuguese speakers are there?",
+ "decomposition": [],
+ "answer": "230,000,000",
+ "depends_on": [
+ "d984c27366802cd8"
+ ],
+ "evidence": {
+ "pageid": 23915,
+ "revid": 1185886886,
+ "title": "Portuguese language",
+ "url": "https://en.wikipedia.org/wiki/Portuguese_language"
+ }
+ }
+ ],
+ "answer": {
+ "Mandarin Chinese": "920,000,000",
+ "Hindi": "322,000,000",
+ "English": "380,000,000",
+ "Spanish": "600,000,000",
+ "Portuguese": "230,000,000"
+ },
+ "categories": [
+ "Linguistics"
+ ]
+ },
+ {
+ "id": "6ffa8a28719b1246",
+ "question": "Who are the five most recent mayors of Philadelphia and what are their hometowns?",
+ "decomposition": [
+ {
+ "id": "c43a2df2e437396c",
+ "question": "Who are the five most recent mayors of Philadelphia?",
+ "decomposition": [],
+ "answer": [
+ "Jim Kenney",
+ "Michael Nutter",
+ "John F. Street",
+ "Ed Rendell",
+ "Wilson Goode"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 538842,
+ "revid": 1184198832,
+ "title": "Mayor of Philadelphia",
+ "url": "https://en.wikipedia.org/wiki/Mayor_of_Philadelphia"
+ }
+ },
+ {
+ "id": "b62d32e012d3c6b5",
+ "question": "Which town/city is Jim Kenney from?",
+ "decomposition": [],
+ "answer": "Philadelphia, PA",
+ "depends_on": [
+ "c43a2df2e437396c"
+ ],
+ "evidence": {
+ "pageid": 26211264,
+ "revid": 1184303710,
+ "title": "Jim Kenney",
+ "url": "https://en.wikipedia.org/wiki/Jim_Kenney"
+ }
+ },
+ {
+ "id": "a88c8af3c12138c9",
+ "question": "Which town/city is Michael Nutter from?",
+ "decomposition": [],
+ "answer": "Philadelphia, PA",
+ "depends_on": [
+ "c43a2df2e437396c"
+ ],
+ "evidence": {
+ "pageid": 2151817,
+ "revid": 1179132314,
+ "title": "Michael Nutter",
+ "url": "https://en.wikipedia.org/wiki/Michael_Nutter"
+ }
+ },
+ {
+ "id": "1b24589f15c5eb38",
+ "question": "Which town/city is John F. Street from?",
+ "decomposition": [],
+ "answer": "Norristown, PA",
+ "depends_on": [
+ "c43a2df2e437396c"
+ ],
+ "evidence": {
+ "pageid": 451278,
+ "revid": 1178150503,
+ "title": "John F. Street",
+ "url": "https://en.wikipedia.org/wiki/John_F._Street"
+ }
+ },
+ {
+ "id": "64a5d79315ddcc3a",
+ "question": "Which town/city is Ed Rendell from?",
+ "decomposition": [],
+ "answer": "New York City, NY",
+ "depends_on": [
+ "c43a2df2e437396c"
+ ],
+ "evidence": {
+ "pageid": 195061,
+ "revid": 1172756628,
+ "title": "Ed Rendell",
+ "url": "https://en.wikipedia.org/wiki/Ed_Rendell"
+ }
+ },
+ {
+ "id": "25d80b67c1a3135c",
+ "question": "Which town/city is Wilson Goode from?",
+ "decomposition": [],
+ "answer": "Seaboard, NC",
+ "depends_on": [
+ "c43a2df2e437396c"
+ ],
+ "evidence": {
+ "pageid": 25125043,
+ "revid": 1165327726,
+ "title": "Wilson Goode",
+ "url": "https://en.wikipedia.org/wiki/Wilson_Goode"
+ }
+ }
+ ],
+ "answer": {
+ "Jim Kenney": "Philadelphia, PA",
+ "Michael Nutter": "Philadelphia, PA",
+ "John F. Street": "Norristown, PA",
+ "Ed Rendell": "New York City, NY",
+ "Wilson Goode": "Seaboard, NC"
+ },
+ "categories": [
+ "Politics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "31ec74ff936a0f36",
+ "question": "What were the budgets (in USD millions) of the top 5 grossing films of all time",
+ "decomposition": [
+ {
+ "id": "9e52607ede224a42",
+ "question": "What were the top 5 grossing films of all time?",
+ "decomposition": [],
+ "answer": [
+ "Avatar",
+ "Avengers: Endgame",
+ "Avatar: The Way of Water",
+ "Titanic",
+ "Star Wars: The Force Awakens"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59892,
+ "revid": 1185890055,
+ "title": "List of highest-grossing films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_films"
+ }
+ },
+ {
+ "id": "f07f1204bf42434c",
+ "question": "What was the budget (in USD Millions) of Avatar?",
+ "decomposition": [],
+ "answer": 237,
+ "depends_on": [
+ "9e52607ede224a42"
+ ],
+ "evidence": {
+ "pageid": 4273140,
+ "revid": 1185356274,
+ "title": "Avatar (2009 film)",
+ "url": "https://en.wikipedia.org/wiki/Avatar_(2009_film)"
+ }
+ },
+ {
+ "id": "d64cb1f507a9c8bb",
+ "question": "What was the budget (in USD Millions) of Avengers: Endgame?",
+ "decomposition": [],
+ "answer": 400,
+ "depends_on": [
+ "9e52607ede224a42"
+ ],
+ "evidence": {
+ "pageid": 44254295,
+ "revid": 1185724642,
+ "title": "Avengers: Endgame",
+ "url": "https://en.wikipedia.org/wiki/Avengers:_Endgame"
+ }
+ },
+ {
+ "id": "a533d28efe2ff285",
+ "question": "What was the budget (in USD Millions) of Avatar: The Way of Water?",
+ "decomposition": [],
+ "answer": 460,
+ "depends_on": [
+ "9e52607ede224a42"
+ ],
+ "evidence": {
+ "pageid": 25813358,
+ "revid": 1185376874,
+ "title": "Avatar: The Way of Water",
+ "url": "https://en.wikipedia.org/wiki/Avatar:_The_Way_of_Water"
+ }
+ },
+ {
+ "id": "046d5126ac67c2b8",
+ "question": "What was the budget (in USD Millions) of Titanic?",
+ "decomposition": [],
+ "answer": 200,
+ "depends_on": [
+ "9e52607ede224a42"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "32190a37d3b73591",
+ "question": "What was the budget (in USD Millions) of Star Wars: The Force Awakens?",
+ "decomposition": [],
+ "answer": 447,
+ "depends_on": [
+ "9e52607ede224a42"
+ ],
+ "evidence": {
+ "pageid": 14723194,
+ "revid": 1185889585,
+ "title": "Star Wars: The Force Awakens",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Force_Awakens"
+ }
+ }
+ ],
+ "answer": {
+ "Avatar": 237,
+ "Avengers: Endgame": 400,
+ "Avatar: The Way of Water": 460,
+ "Titanic": 200,
+ "Star Wars: The Force Awakens": 447
+ },
+ "categories": [
+ "Finance",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "114fef46b46c49e6",
+ "question": "Who were the heads of state of the belligerents in the War of the Third Coalition and when did they die?",
+ "decomposition": [
+ {
+ "id": "15c664b3d2e4b210",
+ "question": "Who were the heads of state of the belligerents in the War of the Third Coalition ?",
+ "decomposition": [],
+ "answer": [
+ "Francis I",
+ "William Grenville",
+ "Alexander I",
+ "Ferdinand IV",
+ "Gustav IV Adolf",
+ "Napoleon I",
+ "Maximilian I",
+ "Charles IV"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 178661,
+ "revid": 1177593069,
+ "title": "War of the Third Coalition",
+ "url": "https://en.wikipedia.org/wiki/War_of_the_Third_Coalition"
+ }
+ },
+ {
+ "id": "b2a2da23538b9ceb",
+ "question": "When did Francis I die?",
+ "decomposition": [],
+ "answer": "2 March 1835",
+ "depends_on": [
+ "15c664b3d2e4b210"
+ ],
+ "evidence": {
+ "pageid": 11551,
+ "revid": 1183832254,
+ "title": "Francis II, Holy Roman Emperor",
+ "url": "https://en.wikipedia.org/wiki/Francis_II,_Holy_Roman_Emperor"
+ }
+ },
+ {
+ "id": "8bdcf109ef645c07",
+ "question": "When did William Grenville die?",
+ "decomposition": [],
+ "answer": "12 January 1834",
+ "depends_on": [
+ "15c664b3d2e4b210"
+ ],
+ "evidence": {
+ "pageid": 232769,
+ "revid": 1185631324,
+ "title": "William Grenville, 1st Baron Grenville",
+ "url": "https://en.wikipedia.org/wiki/William_Grenville,_1st_Baron_Grenville"
+ }
+ },
+ {
+ "id": "af551c395e154521",
+ "question": "When did Alexander I die?",
+ "decomposition": [],
+ "answer": "1 December 1825",
+ "depends_on": [
+ "15c664b3d2e4b210"
+ ],
+ "evidence": {
+ "pageid": 27126603,
+ "revid": 1184929703,
+ "title": "Alexander I of Russia",
+ "url": "https://en.wikipedia.org/wiki/Alexander_I_of_Russia"
+ }
+ },
+ {
+ "id": "6474597cb6c326f3",
+ "question": "When did Ferdinand IV die?",
+ "decomposition": [],
+ "answer": "4 January 1825",
+ "depends_on": [
+ "15c664b3d2e4b210"
+ ],
+ "evidence": {
+ "pageid": 173245,
+ "revid": 1181828586,
+ "title": "Ferdinand I of the Two Sicilies",
+ "url": "https://en.wikipedia.org/wiki/Ferdinand_I_of_the_Two_Sicilies"
+ }
+ },
+ {
+ "id": "1527e94ec31ffbd5",
+ "question": "When did Gustav IV Adolf die?",
+ "decomposition": [],
+ "answer": "7 February 1837",
+ "depends_on": [
+ "15c664b3d2e4b210"
+ ],
+ "evidence": {
+ "pageid": 104462,
+ "revid": 1184810297,
+ "title": "Gustav IV Adolf",
+ "url": "https://en.wikipedia.org/wiki/Gustav_IV_Adolf"
+ }
+ },
+ {
+ "id": "864b68aabcc827cc",
+ "question": "When did Napoleon I die?",
+ "decomposition": [],
+ "answer": "5 May 1821",
+ "depends_on": [
+ "15c664b3d2e4b210"
+ ],
+ "evidence": {
+ "pageid": 69880,
+ "revid": 1185946354,
+ "title": "Napoleon",
+ "url": "https://en.wikipedia.org/wiki/Napoleon"
+ }
+ },
+ {
+ "id": "39066002efce73fa",
+ "question": "When did Maximilian I die?",
+ "decomposition": [],
+ "answer": "13 October 1825",
+ "depends_on": [
+ "15c664b3d2e4b210"
+ ],
+ "evidence": {
+ "pageid": 295384,
+ "revid": 1184711085,
+ "title": "Maximilian I Joseph of Bavaria",
+ "url": "https://en.wikipedia.org/wiki/Maximilian_I_Joseph_of_Bavaria"
+ }
+ },
+ {
+ "id": "18a4e09bd9c6113f",
+ "question": "When did Charles IV die?",
+ "decomposition": [],
+ "answer": "20 January 1819",
+ "depends_on": [
+ "15c664b3d2e4b210"
+ ],
+ "evidence": {
+ "pageid": 149439,
+ "revid": 1185535857,
+ "title": "Charles IV of Spain",
+ "url": "https://en.wikipedia.org/wiki/Charles_IV_of_Spain"
+ }
+ }
+ ],
+ "answer": {
+ "Francis I": "2 March 1835",
+ "William Grenville": "12 January 1834",
+ "Alexander I": "1 December 1825",
+ "Ferdinand IV": "4 January 1825",
+ "Gustav IV Adolf": "7 February 1837",
+ "Napoleon I": "5 May 1821",
+ "Maximilian I": "13 October 1825",
+ "Charles IV": "20 January 1819"
+ },
+ "categories": [
+ "History",
+ "Political Science"
+ ]
+ },
+ {
+ "id": "220852c6d47dfd38",
+ "question": "What are the heights in meters of Mount Everest, K2, Kangchenjunga, Lhotse, and Makalu?",
+ "decomposition": [
+ {
+ "id": "7e61ad90cab0ffab",
+ "question": "What is the height of Mount Everest?",
+ "decomposition": [],
+ "answer": "8,848.86 m",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 42179,
+ "revid": 1184999603,
+ "title": "Mount Everest",
+ "url": "https://en.wikipedia.org/wiki/Mount_Everest"
+ }
+ },
+ {
+ "id": "292325f4e20631ef",
+ "question": "What is the height of K2?",
+ "decomposition": [],
+ "answer": "8,611 m",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17359,
+ "revid": 1178193327,
+ "title": "K2",
+ "url": "https://en.wikipedia.org/wiki/K2"
+ }
+ },
+ {
+ "id": "c604c27a634fc812",
+ "question": "What is the height of Kangchenjunga?",
+ "decomposition": [],
+ "answer": "8,586 m",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17073,
+ "revid": 1184860365,
+ "title": "Kangchenjunga",
+ "url": "https://en.wikipedia.org/wiki/Kangchenjunga"
+ }
+ },
+ {
+ "id": "c688664adebe90a5",
+ "question": "What is the height of Lhotse?",
+ "decomposition": [],
+ "answer": "8,516 m",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 234548,
+ "revid": 1185539994,
+ "title": "Lhotse",
+ "url": "https://en.wikipedia.org/wiki/Lhotse"
+ }
+ },
+ {
+ "id": "3501e2046cf60d24",
+ "question": "What is the height of Makalu?",
+ "decomposition": [],
+ "answer": "8,485 m",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 295084,
+ "revid": 1174766353,
+ "title": "Makalu",
+ "url": "https://en.wikipedia.org/wiki/Makalu"
+ }
+ }
+ ],
+ "answer": {
+ "Mount Everest": "8,848.86 m",
+ "K2": "8,611 m",
+ "Kangchenjunga": "8,586 m",
+ "Lhotse": "8,516 m",
+ "Makalu": "8,485 m"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "6533545d9f5eb7b6",
+ "question": "What was the population in 2020 of the 5 most populous cities in the United States?",
+ "decomposition": [
+ {
+ "id": "1a51a91178d6b7c6",
+ "question": "What are the 5 most populous cities in the United States?",
+ "decomposition": [],
+ "answer": [
+ "New York",
+ "Los Angeles",
+ "Chicago",
+ "Houston",
+ "Phoenix"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1649321,
+ "revid": 1185657569,
+ "title": "List of United States cities by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_United_States_cities_by_population"
+ }
+ },
+ {
+ "id": "7aa39d69344fd5db",
+ "question": "What was the population of New York in 2020?",
+ "decomposition": [],
+ "answer": 8804190,
+ "depends_on": [
+ "1a51a91178d6b7c6"
+ ],
+ "evidence": {
+ "pageid": 33281496,
+ "revid": 1185637666,
+ "title": "Demographic history of New York City",
+ "url": "https://en.wikipedia.org/wiki/Demographic_history_of_New_York_City"
+ }
+ },
+ {
+ "id": "df657e5cdac8b7bd",
+ "question": "What was the population of Los Angeles in 2020?",
+ "decomposition": [],
+ "answer": 3898747,
+ "depends_on": [
+ "1a51a91178d6b7c6"
+ ],
+ "evidence": {
+ "pageid": 18110,
+ "revid": 1185453578,
+ "title": "Los Angeles",
+ "url": "https://en.wikipedia.org/wiki/Los_Angeles"
+ }
+ },
+ {
+ "id": "db7f503f19b626b8",
+ "question": "What was the population of Chicago in 2020?",
+ "decomposition": [],
+ "answer": 2746388,
+ "depends_on": [
+ "1a51a91178d6b7c6"
+ ],
+ "evidence": {
+ "pageid": 6886,
+ "revid": 1185815115,
+ "title": "Chicago",
+ "url": "https://en.wikipedia.org/wiki/Chicago"
+ }
+ },
+ {
+ "id": "b4b7cdae7357f9b9",
+ "question": "What was the population of Houston in 2020?",
+ "decomposition": [],
+ "answer": 2301572,
+ "depends_on": [
+ "1a51a91178d6b7c6"
+ ],
+ "evidence": {
+ "pageid": 13774,
+ "revid": 1185605911,
+ "title": "Houston",
+ "url": "https://en.wikipedia.org/wiki/Houston"
+ }
+ },
+ {
+ "id": "1129af322bb16850",
+ "question": "What was the population of Phoenix in 2020?",
+ "decomposition": [],
+ "answer": 1608139,
+ "depends_on": [
+ "1a51a91178d6b7c6"
+ ],
+ "evidence": {
+ "pageid": 49121,
+ "revid": 1185099906,
+ "title": "Phoenix, Arizona",
+ "url": "https://en.wikipedia.org/wiki/Phoenix,_Arizona"
+ }
+ }
+ ],
+ "answer": {
+ "New York": 8804190,
+ "Los Angeles": 3898747,
+ "Chicago": 2746388,
+ "Houston": 2301572,
+ "Phoenix": 1608139
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "c5a093133acd74a9",
+ "question": "What are the life expectancies at birth in years for the top five countries with the largest land area?",
+ "decomposition": [
+ {
+ "id": "bc611acfd40c174c",
+ "question": "What are the top five countries with the largest land area?",
+ "decomposition": [],
+ "answer": [
+ "Russia",
+ "Canada",
+ "China",
+ "United States",
+ "Brazil"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3989609,
+ "revid": 1185612973,
+ "title": "List of countries and dependencies by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_and_dependencies_by_area"
+ }
+ },
+ {
+ "id": "93d19dd3742cde23",
+ "question": "What is the life expectancy at birth in Russia?",
+ "decomposition": [],
+ "answer": 72.76,
+ "depends_on": [
+ "bc611acfd40c174c"
+ ],
+ "evidence": {
+ "pageid": 25703,
+ "revid": 1184467382,
+ "title": "Demographics of Russia",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Russia"
+ }
+ },
+ {
+ "id": "a12126d0efe14acb",
+ "question": "What is the life expectancy at birth in Canada?",
+ "decomposition": [],
+ "answer": 83.8,
+ "depends_on": [
+ "bc611acfd40c174c"
+ ],
+ "evidence": {
+ "pageid": 5193,
+ "revid": 1185242107,
+ "title": "Demographics of Canada",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Canada"
+ }
+ },
+ {
+ "id": "c8ebd78d2989e12f",
+ "question": "What is the life expectancy at birth in China?",
+ "decomposition": [],
+ "answer": 78.6,
+ "depends_on": [
+ "bc611acfd40c174c"
+ ],
+ "evidence": {
+ "pageid": 23238,
+ "revid": 1185025967,
+ "title": "Demographics of China",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_China"
+ }
+ },
+ {
+ "id": "c29f804b8fd45f34",
+ "question": "What is the life expectancy at birth in the United States?",
+ "decomposition": [],
+ "answer": 76.1,
+ "depends_on": [
+ "bc611acfd40c174c"
+ ],
+ "evidence": {
+ "pageid": 70197,
+ "revid": 1184146182,
+ "title": "Demographics of the United States",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_the_United_States"
+ }
+ },
+ {
+ "id": "990ae87dbad54886",
+ "question": "What is the life expectancy at birth in Brazil?",
+ "decomposition": [],
+ "answer": 77.76,
+ "depends_on": [
+ "bc611acfd40c174c"
+ ],
+ "evidence": {
+ "pageid": 18950570,
+ "revid": 1185882417,
+ "title": "Demographics of Brazil",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Brazil"
+ }
+ }
+ ],
+ "answer": {
+ "Russia": 72.76,
+ "Canada": 83.8,
+ "China": 78.6,
+ "United States": 76.1,
+ "Brazil": 77.76
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "5865c4b3f5b1456b",
+ "question": "Of both current and former members of South Korean boy band Astro, how many members were born in March?",
+ "decomposition": [
+ {
+ "id": "550dfed65d91c9a7",
+ "question": "Who are the current and former members of South Korean boy band Astro?",
+ "decomposition": [],
+ "answer": [
+ "MJ",
+ "Jinjin",
+ "Cha Eun-woo",
+ "Yoon San-ha",
+ "Moonbin",
+ "Rocky"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 49596116,
+ "revid": 1185049502,
+ "title": "Astro (South Korean band)",
+ "url": "https://en.wikipedia.org/wiki/Astro_(South_Korean_band)"
+ }
+ },
+ {
+ "id": "c1e87402804cb94e",
+ "question": "What month was MJ born?",
+ "decomposition": [],
+ "answer": "March",
+ "depends_on": [
+ "550dfed65d91c9a7"
+ ],
+ "evidence": {
+ "pageid": 65054639,
+ "revid": 1184096761,
+ "title": "MJ (South Korean singer)",
+ "url": "https://en.wikipedia.org/wiki/MJ_(South_Korean_singer)"
+ }
+ },
+ {
+ "id": "e47a8fedb7549873",
+ "question": "What month was Jinjin born?",
+ "decomposition": [],
+ "answer": "March",
+ "depends_on": [
+ "550dfed65d91c9a7"
+ ],
+ "evidence": {
+ "pageid": 66122854,
+ "revid": 1181988306,
+ "title": "Jinjin",
+ "url": "https://en.wikipedia.org/wiki/Jinjin"
+ }
+ },
+ {
+ "id": "679dc08f1ef2d4bf",
+ "question": "What month was Cha Eun-woo born?",
+ "decomposition": [],
+ "answer": "March",
+ "depends_on": [
+ "550dfed65d91c9a7"
+ ],
+ "evidence": {
+ "pageid": 57551413,
+ "revid": 1185877315,
+ "title": "Cha Eun-woo",
+ "url": "https://en.wikipedia.org/wiki/Cha_Eun-woo"
+ }
+ },
+ {
+ "id": "c4e35988f0142991",
+ "question": "What month was Yoon San-ha born?",
+ "decomposition": [],
+ "answer": "March",
+ "depends_on": [
+ "550dfed65d91c9a7"
+ ],
+ "evidence": {
+ "pageid": 65392724,
+ "revid": 1184451773,
+ "title": "Yoon San-ha",
+ "url": "https://en.wikipedia.org/wiki/Yoon_San-ha"
+ }
+ },
+ {
+ "id": "8dc177e51077ab18",
+ "question": "What month was Moonbin born?",
+ "decomposition": [],
+ "answer": "January",
+ "depends_on": [
+ "550dfed65d91c9a7"
+ ],
+ "evidence": {
+ "pageid": 65207637,
+ "revid": 1185091154,
+ "title": "Moonbin",
+ "url": "https://en.wikipedia.org/wiki/Moonbin"
+ }
+ },
+ {
+ "id": "e2aede124bc71d13",
+ "question": "What month was Rocky born?",
+ "decomposition": [],
+ "answer": "February",
+ "depends_on": [
+ "550dfed65d91c9a7"
+ ],
+ "evidence": {
+ "pageid": 66055305,
+ "revid": 1184751449,
+ "title": "Rocky (singer)",
+ "url": "https://en.wikipedia.org/wiki/Rocky_(singer)"
+ }
+ }
+ ],
+ "answer": 4,
+ "categories": [
+ "Music",
+ "Culture"
+ ]
+ },
+ {
+ "id": "4c82c308093e7dfd",
+ "question": "At which university did the last five presidents at the University of Pennsylvania complete their undergraduate degree (not including interim presidents)?",
+ "decomposition": [
+ {
+ "id": "1dca59474bd63852",
+ "question": "Who are the last five presidents at the University of Pennsylvania?",
+ "decomposition": [],
+ "answer": [
+ "M. Elizabeth Magill",
+ "Amy Gutmann",
+ "Judith Rodin",
+ "Sheldon Hackney",
+ "Martin Meyerson"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 35033632,
+ "revid": 1148715543,
+ "title": "List of presidents of the University of Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/List_of_presidents_of_the_University_of_Pennsylvania"
+ }
+ },
+ {
+ "id": "b157a6cbbf4e2541",
+ "question": "At which universities did M. Elizabeth Magill study?",
+ "decomposition": [],
+ "answer": "Yale University",
+ "depends_on": [
+ "1dca59474bd63852"
+ ],
+ "evidence": {
+ "pageid": 21921167,
+ "revid": 1183397162,
+ "title": "Liz Magill",
+ "url": "https://en.wikipedia.org/wiki/M._Elizabeth_Magill"
+ }
+ },
+ {
+ "id": "14b4a23a2c7862e4",
+ "question": "At which universities did Amy Gutmann study?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "1dca59474bd63852"
+ ],
+ "evidence": {
+ "pageid": 1910482,
+ "revid": 1184711240,
+ "title": "Amy Gutmann",
+ "url": "https://en.wikipedia.org/wiki/Amy_Gutmann"
+ }
+ },
+ {
+ "id": "fc4d168d791ef55e",
+ "question": "At which universities did Judith Rodin study?",
+ "decomposition": [],
+ "answer": "University of Pennsylvania",
+ "depends_on": [
+ "1dca59474bd63852"
+ ],
+ "evidence": {
+ "pageid": 3225568,
+ "revid": 1163174472,
+ "title": "Judith Rodin",
+ "url": "https://en.wikipedia.org/wiki/Judith_Rodin"
+ }
+ },
+ {
+ "id": "8b1d9cc17950755e",
+ "question": "At which universities did Sheldon Hackney study?",
+ "decomposition": [],
+ "answer": "Vanderbilt University",
+ "depends_on": [
+ "1dca59474bd63852"
+ ],
+ "evidence": {
+ "pageid": 2297624,
+ "revid": 1182188200,
+ "title": "Sheldon Hackney",
+ "url": "https://en.wikipedia.org/wiki/Sheldon_Hackney"
+ }
+ },
+ {
+ "id": "e61f03b10bc8a889",
+ "question": "At which universities did Martin Meyerson study?",
+ "decomposition": [],
+ "answer": "Columbia University",
+ "depends_on": [
+ "1dca59474bd63852"
+ ],
+ "evidence": {
+ "pageid": 11637028,
+ "revid": 1180600467,
+ "title": "Martin Meyerson",
+ "url": "https://en.wikipedia.org/wiki/Martin_Meyerson"
+ }
+ }
+ ],
+ "answer": {
+ "M. Elizabeth Magill": "Yale University",
+ "Amy Gutmann": "Harvard University",
+ "Judith Rodin": "University of Pennsylvania",
+ "Sheldon Hackney": "Vanderbilt University",
+ "Martin Meyerson": "Columbia University"
+ },
+ "categories": [
+ "Education",
+ "History"
+ ]
+ },
+ {
+ "id": "ca2bf128869985f6",
+ "question": "Where are the six marathon races in the world marathon majors hosted, and when was each first held?",
+ "decomposition": [
+ {
+ "id": "57d480006631a098",
+ "question": "Where are the six marathon races in the world marathon majors hosted??",
+ "decomposition": [],
+ "answer": [
+ "Tokyo",
+ "Boston",
+ "London",
+ "Berlin",
+ "Chicago",
+ "New York"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3836257,
+ "revid": 1183929702,
+ "title": "World Marathon Majors",
+ "url": "https://en.wikipedia.org/wiki/World_Marathon_Majors"
+ }
+ },
+ {
+ "id": "cddb2e30938b4ad3",
+ "question": "When was the Tokyo Marathon first held?",
+ "decomposition": [],
+ "answer": "2007",
+ "depends_on": [
+ "57d480006631a098"
+ ],
+ "evidence": {
+ "pageid": 8086554,
+ "revid": 1168808498,
+ "title": "Tokyo Marathon",
+ "url": "https://en.wikipedia.org/wiki/Tokyo_Marathon"
+ }
+ },
+ {
+ "id": "5e4a99e0a98e0435",
+ "question": "When was the Boston Marathon first held?",
+ "decomposition": [],
+ "answer": "1897",
+ "depends_on": [
+ "57d480006631a098"
+ ],
+ "evidence": {
+ "pageid": 182265,
+ "revid": 1185914342,
+ "title": "Boston Marathon",
+ "url": "https://en.wikipedia.org/wiki/Boston_Marathon"
+ }
+ },
+ {
+ "id": "450e2e180327b37a",
+ "question": "When was the London Marathon first held?",
+ "decomposition": [],
+ "answer": "1909",
+ "depends_on": [
+ "57d480006631a098"
+ ],
+ "evidence": {
+ "pageid": 48804,
+ "revid": 1183471126,
+ "title": "London Marathon",
+ "url": "https://en.wikipedia.org/wiki/London_Marathon"
+ }
+ },
+ {
+ "id": "393bf43236c4c45f",
+ "question": "When was the Berlin Marathon first held?",
+ "decomposition": [],
+ "answer": "1974",
+ "depends_on": [
+ "57d480006631a098"
+ ],
+ "evidence": {
+ "pageid": 1663911,
+ "revid": 1185234311,
+ "title": "Berlin Marathon",
+ "url": "https://en.wikipedia.org/wiki/Berlin_Marathon"
+ }
+ },
+ {
+ "id": "5d25a15359814952",
+ "question": "When was the Chicago Marathon first held?",
+ "decomposition": [],
+ "answer": "1905",
+ "depends_on": [
+ "57d480006631a098"
+ ],
+ "evidence": {
+ "pageid": 762701,
+ "revid": 1180934497,
+ "title": "Chicago Marathon",
+ "url": "https://en.wikipedia.org/wiki/Chicago_Marathon"
+ }
+ },
+ {
+ "id": "780dff2427412c5c",
+ "question": "When was the New York Marathon first held?",
+ "decomposition": [],
+ "answer": "1970",
+ "depends_on": [
+ "57d480006631a098"
+ ],
+ "evidence": {
+ "pageid": 429897,
+ "revid": 1185685127,
+ "title": "New York City Marathon",
+ "url": "https://en.wikipedia.org/wiki/New_York_City_Marathon"
+ }
+ }
+ ],
+ "answer": {
+ "Tokyo": "2007",
+ "Boston": "1897",
+ "London": "1909",
+ "Berlin": "1974",
+ "Chicago": "1905",
+ "New York": "1970"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "3f27dbe4ac7b2bc8",
+ "question": "From which cities did the top 5 best-selling music artists originate?",
+ "decomposition": [
+ {
+ "id": "db4ae62404c29b05",
+ "question": "What are the top 5 best-sellic music artists?",
+ "decomposition": [],
+ "answer": [
+ "The Beatles",
+ "Elvis Presley",
+ "Michael Jackson",
+ "Elton John",
+ "Queen"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1291598,
+ "revid": 1185710004,
+ "title": "List of best-selling music artists",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_music_artists"
+ }
+ },
+ {
+ "id": "60388a3ad855c948",
+ "question": "What is the origin city of The Beatles?",
+ "decomposition": [],
+ "answer": "Liverpool",
+ "depends_on": [
+ "db4ae62404c29b05"
+ ],
+ "evidence": {
+ "pageid": 29812,
+ "revid": 1185888175,
+ "title": "The Beatles",
+ "url": "https://en.wikipedia.org/wiki/The_Beatles"
+ }
+ },
+ {
+ "id": "1d06f76484a1952e",
+ "question": "What is the origin city of Elvis Presley?",
+ "decomposition": [],
+ "answer": "Tupelo",
+ "depends_on": [
+ "db4ae62404c29b05"
+ ],
+ "evidence": {
+ "pageid": 9288,
+ "revid": 1185947025,
+ "title": "Elvis Presley",
+ "url": "https://en.wikipedia.org/wiki/Elvis_Presley"
+ }
+ },
+ {
+ "id": "dd84482a5423929d",
+ "question": "What is the origin city of Michael Jackson?",
+ "decomposition": [],
+ "answer": "Gary",
+ "depends_on": [
+ "db4ae62404c29b05"
+ ],
+ "evidence": {
+ "pageid": 14995351,
+ "revid": 1184750557,
+ "title": "Michael Jackson",
+ "url": "https://en.wikipedia.org/wiki/Michael_Jackson"
+ }
+ },
+ {
+ "id": "c8fb51e8996c9359",
+ "question": "What is the origin city of Elton John?",
+ "decomposition": [],
+ "answer": "London",
+ "depends_on": [
+ "db4ae62404c29b05"
+ ],
+ "evidence": {
+ "pageid": 5052197,
+ "revid": 1185402776,
+ "title": "Elton John",
+ "url": "https://en.wikipedia.org/wiki/Elton_John"
+ }
+ },
+ {
+ "id": "8b17dc1d961d85f7",
+ "question": "What is the origin city of Queen?",
+ "decomposition": [],
+ "answer": "London",
+ "depends_on": [
+ "db4ae62404c29b05"
+ ],
+ "evidence": {
+ "pageid": 42010,
+ "revid": 1185439506,
+ "title": "Queen (band)",
+ "url": "https://en.wikipedia.org/wiki/Queen_(band)"
+ }
+ }
+ ],
+ "answer": {
+ "The Beatles": "Liverpool",
+ "Elvis Presley": "Tupelo",
+ "Michael Jackson": "Gary",
+ "Elton John": "London",
+ "Queen": "London"
+ },
+ "categories": [
+ "Music",
+ "Geography"
+ ]
+ },
+ {
+ "id": "96f91d21a3270a89",
+ "question": "What is the career average rebounds per game for each NBA player who has won the IBM award?",
+ "decomposition": [
+ {
+ "id": "ca361017b1fa6610",
+ "question": "Which NBA players have won the IBM award?",
+ "decomposition": [],
+ "answer": [
+ "Magic Johnson",
+ "Michael Jordan",
+ "Charles Barkley",
+ "David Robinson",
+ "Dennis Rodman",
+ "Hakeem Olajuwon",
+ "Grant Hill",
+ "Karl Malone",
+ "Dikembe Mutombo",
+ "Shaquille O'Neal",
+ "Tim Duncan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31043336,
+ "revid": 1185364336,
+ "title": "IBM Award",
+ "url": "https://en.wikipedia.org/wiki/IBM_Award"
+ }
+ },
+ {
+ "id": "55946acde9bc51bb",
+ "question": "What is Magic Johnson's career rebounds per game?",
+ "decomposition": [],
+ "answer": 7.2,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 36753,
+ "revid": 1185780053,
+ "title": "Magic Johnson",
+ "url": "https://en.wikipedia.org/wiki/Magic_Johnson"
+ }
+ },
+ {
+ "id": "d3676077ce073990",
+ "question": "What is Michael Jordan's career rebounds per game?",
+ "decomposition": [],
+ "answer": 6.2,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 20455,
+ "revid": 1185780376,
+ "title": "Michael Jordan",
+ "url": "https://en.wikipedia.org/wiki/Michael_Jordan"
+ }
+ },
+ {
+ "id": "62f21df42fffd1f8",
+ "question": "What is Charles Barkley's career rebounds per game?",
+ "decomposition": [],
+ "answer": 11.7,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 201184,
+ "revid": 1184790892,
+ "title": "Charles Barkley",
+ "url": "https://en.wikipedia.org/wiki/Charles_Barkley"
+ }
+ },
+ {
+ "id": "7cf2d7cbc9821442",
+ "question": "What is David Robinson's career rebounds per game?",
+ "decomposition": [],
+ "answer": 10.6,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 207750,
+ "revid": 1185784020,
+ "title": "David Robinson",
+ "url": "https://en.wikipedia.org/wiki/David_Robinson"
+ }
+ },
+ {
+ "id": "de64b2ffca70da12",
+ "question": "What is Dennis Rodman's career rebounds per game?",
+ "decomposition": [],
+ "answer": 13.1,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 355502,
+ "revid": 1185784120,
+ "title": "Dennis Rodman",
+ "url": "https://en.wikipedia.org/wiki/Dennis_Rodman"
+ }
+ },
+ {
+ "id": "e440ff03ec1e2c5f",
+ "question": "What is Hakeem Olajuwon's career rebounds per game?",
+ "decomposition": [],
+ "answer": 11.1,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 256369,
+ "revid": 1184975497,
+ "title": "Hakeem Olajuwon",
+ "url": "https://en.wikipedia.org/wiki/Hakeem_Olajuwon"
+ }
+ },
+ {
+ "id": "09655b1a7c3a584e",
+ "question": "What is Grant Hill's career rebounds per game?",
+ "decomposition": [],
+ "answer": 6.0,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 655424,
+ "revid": 1185779021,
+ "title": "Grant Hill",
+ "url": "https://en.wikipedia.org/wiki/Grant_Hill"
+ }
+ },
+ {
+ "id": "76aa81d92a313d59",
+ "question": "What is Karl Malone's career rebounds per game?",
+ "decomposition": [],
+ "answer": 10.1,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 459304,
+ "revid": 1185780810,
+ "title": "Karl Malone",
+ "url": "https://en.wikipedia.org/wiki/Karl_Malone"
+ }
+ },
+ {
+ "id": "e50de77b830a34f0",
+ "question": "What is Dikembe Mutombo's career rebounds per game?",
+ "decomposition": [],
+ "answer": 10.3,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 241113,
+ "revid": 1185753951,
+ "title": "Dikembe Mutombo",
+ "url": "https://en.wikipedia.org/wiki/Dikembe_Mutombo"
+ }
+ },
+ {
+ "id": "b75fbc019e5e0ab1",
+ "question": "What is Shaquille O'Neal's career rebounds per game?",
+ "decomposition": [],
+ "answer": 10.9,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 147726,
+ "revid": 1185782929,
+ "title": "Shaquille O'Neal",
+ "url": "https://en.wikipedia.org/wiki/Shaquille_O%27Neal"
+ }
+ },
+ {
+ "id": "841e9b2a92038720",
+ "question": "What is Tim Duncan's career rebounds per game?",
+ "decomposition": [],
+ "answer": 10.8,
+ "depends_on": [
+ "ca361017b1fa6610"
+ ],
+ "evidence": {
+ "pageid": 221812,
+ "revid": 1185776963,
+ "title": "Tim Duncan",
+ "url": "https://en.wikipedia.org/wiki/Tim_Duncan"
+ }
+ }
+ ],
+ "answer": {
+ "Magic Johnson": 7.2,
+ "Michael Jordan": 6.2,
+ "Charles Barkley": 11.7,
+ "David Robinson": 10.6,
+ "Dennis Rodman": 13.1,
+ "Hakeem Olajuwon": 11.1,
+ "Grant Hill": 6.0,
+ "Karl Malone": 10.1,
+ "Dikembe Mutombo": 10.3,
+ "Shaquille O'Neal": 10.9,
+ "Tim Duncan": 10.8
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "a5f1f57ef5909b83",
+ "question": "In which states do the NFL teams that have won four or more Super Bowls play?",
+ "decomposition": [
+ {
+ "id": "375b56b2a6615269",
+ "question": "What NFL teams have won four or more Super Bowls?",
+ "decomposition": [],
+ "answer": [
+ "New England Patriots",
+ "Pittsburgh Steelers",
+ "Dallas Cowboys",
+ "San Francisco 49ers",
+ "Green Bay Packers",
+ "New York Giants"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2145410,
+ "revid": 1185596189,
+ "title": "List of Super Bowl champions",
+ "url": "https://en.wikipedia.org/wiki/List_of_Super_Bowl_champions"
+ }
+ },
+ {
+ "id": "3b0359dc33c96f88",
+ "question": "What state do the New England Patriots play in?",
+ "decomposition": [],
+ "answer": "Massachusetts",
+ "depends_on": [
+ "375b56b2a6615269"
+ ],
+ "evidence": {
+ "pageid": 21719,
+ "revid": 1184907286,
+ "title": "New England Patriots",
+ "url": "https://en.wikipedia.org/wiki/New_England_Patriots"
+ }
+ },
+ {
+ "id": "a6bff21962cc626f",
+ "question": "What state do the Pittsburgh Steelers play in?",
+ "decomposition": [],
+ "answer": "Pennsylvania",
+ "depends_on": [
+ "375b56b2a6615269"
+ ],
+ "evidence": {
+ "pageid": 23338,
+ "revid": 1183985953,
+ "title": "Pittsburgh Steelers",
+ "url": "https://en.wikipedia.org/wiki/Pittsburgh_Steelers"
+ }
+ },
+ {
+ "id": "c8b35be530695682",
+ "question": "What state do the Dallas Cowboys play in?",
+ "decomposition": [],
+ "answer": "Texas",
+ "depends_on": [
+ "375b56b2a6615269"
+ ],
+ "evidence": {
+ "pageid": 8121,
+ "revid": 1185890062,
+ "title": "Dallas Cowboys",
+ "url": "https://en.wikipedia.org/wiki/Dallas_Cowboys"
+ }
+ },
+ {
+ "id": "578abf1b00d6424a",
+ "question": "What state do the San Francisco 49ers play in?",
+ "decomposition": [],
+ "answer": "California",
+ "depends_on": [
+ "375b56b2a6615269"
+ ],
+ "evidence": {
+ "pageid": 27169,
+ "revid": 1185779008,
+ "title": "San Francisco 49ers",
+ "url": "https://en.wikipedia.org/wiki/San_Francisco_49ers"
+ }
+ },
+ {
+ "id": "4fe40fb66fe06c30",
+ "question": "What state do the Green Bay Packers play in?",
+ "decomposition": [],
+ "answer": "Wisconsin",
+ "depends_on": [
+ "375b56b2a6615269"
+ ],
+ "evidence": {
+ "pageid": 12663,
+ "revid": 1185636406,
+ "title": "Green Bay Packers",
+ "url": "https://en.wikipedia.org/wiki/Green_Bay_Packers"
+ }
+ },
+ {
+ "id": "91313d776b91840c",
+ "question": "What state do the New York Giants play in?",
+ "decomposition": [],
+ "answer": "New Jersey",
+ "depends_on": [
+ "375b56b2a6615269"
+ ],
+ "evidence": {
+ "pageid": 21757,
+ "revid": 1183800234,
+ "title": "New York Giants",
+ "url": "https://en.wikipedia.org/wiki/New_York_Giants"
+ }
+ }
+ ],
+ "answer": {
+ "New England Patriots": "Massachusetts",
+ "Pittsburgh Steelers": "Pennsylvania",
+ "Dallas Cowboys": "Texas",
+ "San Francisco 49ers": "California",
+ "Green Bay Packers": "Wisconsin",
+ "New York Giants": "New Jersey"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "67eb3965cdd4f93f",
+ "question": "What are the five most popular grape varieties from the Bordeaux appellation, and which area of Bordeaux are they most planted in?",
+ "decomposition": [
+ {
+ "id": "2d79b6b8eabce5dd",
+ "question": "What are the five most popular grape varieties from the Bordeaux appellation",
+ "decomposition": [],
+ "answer": [
+ "Cabernet Sauvignon",
+ "Cabernet Franc",
+ "Merlot",
+ "Semillon",
+ "Sauvignon Blanc"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2166602,
+ "revid": 1177990897,
+ "title": "Bordeaux wine",
+ "url": "https://en.wikipedia.org/wiki/Bordeaux_wine"
+ }
+ },
+ {
+ "id": "a787282b066d920e",
+ "question": "Which area of Bordeaux is Cabernet Sauvignon most planted in?",
+ "decomposition": [],
+ "answer": "Haut-Medoc",
+ "depends_on": [
+ "2d79b6b8eabce5dd"
+ ],
+ "evidence": {
+ "pageid": 37591,
+ "revid": 1184903934,
+ "title": "Cabernet Sauvignon",
+ "url": "https://en.wikipedia.org/wiki/Cabernet_Sauvignon"
+ }
+ },
+ {
+ "id": "e23b4ee867cf76fd",
+ "question": "Which area of Bordeaux is Cabernet Franc most planted in?",
+ "decomposition": [],
+ "answer": "Saint-Emilion",
+ "depends_on": [
+ "2d79b6b8eabce5dd"
+ ],
+ "evidence": {
+ "pageid": 201196,
+ "revid": 1162750841,
+ "title": "Cabernet Franc",
+ "url": "https://en.wikipedia.org/wiki/Cabernet_Franc"
+ }
+ },
+ {
+ "id": "5a3bd959d23f8614",
+ "question": "Which area of Bordeaux is Merlot most planted in?",
+ "decomposition": [],
+ "answer": "Saint-Emilion and Pomerol",
+ "depends_on": [
+ "2d79b6b8eabce5dd"
+ ],
+ "evidence": {
+ "pageid": 18989,
+ "revid": 1184904015,
+ "title": "Merlot",
+ "url": "https://en.wikipedia.org/wiki/Merlot"
+ }
+ },
+ {
+ "id": "a75d4055c6178215",
+ "question": "Which area of Bordeaux is Semillon most planted in?",
+ "decomposition": [],
+ "answer": "Saint-Emilion",
+ "depends_on": [
+ "2d79b6b8eabce5dd"
+ ],
+ "evidence": {
+ "pageid": 1052621,
+ "revid": 1145101579,
+ "title": "S\u00e9millon",
+ "url": "https://en.wikipedia.org/wiki/S%C3%A9millon"
+ }
+ },
+ {
+ "id": "d5ea58a525da044b",
+ "question": "Which area of Bordeaux is Sauvignon Blanc most planted in?",
+ "decomposition": [],
+ "answer": "Pessac-Leognan and Graves",
+ "depends_on": [
+ "2d79b6b8eabce5dd"
+ ],
+ "evidence": {
+ "pageid": 170344,
+ "revid": 1176124234,
+ "title": "Sauvignon blanc",
+ "url": "https://en.wikipedia.org/wiki/Sauvignon_blanc"
+ }
+ }
+ ],
+ "answer": {
+ "Cabernet Sauvignon": "Haut-Medoc",
+ "Cabernet Franc": "Saint-Emilion",
+ "Merlot": "Saint-Emilion and Pomerol",
+ "Semillon": "Saint-Emilion",
+ "Sauvignon Blanc": "Pessac-Leognan and Graves"
+ },
+ "categories": [
+ "Wine Studies",
+ "Geography"
+ ]
+ },
+ {
+ "id": "27087ec0fb7299bc",
+ "question": "What is the Gini index of the countries that have the world's 4 tallest buildings?",
+ "decomposition": [
+ {
+ "id": "b74188ca49230fa3",
+ "question": "What are the countries that has the 4 tallest buildings in the world?",
+ "decomposition": [],
+ "answer": [
+ "United Arab Emirates",
+ "Malaysia",
+ "China",
+ "Saudi Arabia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 338344,
+ "revid": 1182478481,
+ "title": "List of tallest buildings",
+ "url": "https://en.wikipedia.org/wiki/List_of_tallest_buildings"
+ }
+ },
+ {
+ "id": "7a5ed718b31c0c74",
+ "question": "What is the Gini index of United Arab Emirates?",
+ "decomposition": [],
+ "answer": "26.0",
+ "depends_on": [
+ "b74188ca49230fa3"
+ ],
+ "evidence": {
+ "pageid": 69328,
+ "revid": 1185052525,
+ "title": "United Arab Emirates",
+ "url": "https://en.wikipedia.org/wiki/United_Arab_Emirates"
+ }
+ },
+ {
+ "id": "07eb520114e58c30",
+ "question": "What is the Gini index of Malaysia?",
+ "decomposition": [],
+ "answer": "41.2",
+ "depends_on": [
+ "b74188ca49230fa3"
+ ],
+ "evidence": {
+ "pageid": 3607937,
+ "revid": 1185487787,
+ "title": "Malaysia",
+ "url": "https://en.wikipedia.org/wiki/Malaysia"
+ }
+ },
+ {
+ "id": "c84981cb55a8cdbe",
+ "question": "What is the Gini index of China?",
+ "decomposition": [],
+ "answer": "38.2",
+ "depends_on": [
+ "b74188ca49230fa3"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "a5bd22118199c5a0",
+ "question": "What is the Gini index of Saudi Arabia?",
+ "decomposition": [],
+ "answer": "45.9",
+ "depends_on": [
+ "b74188ca49230fa3"
+ ],
+ "evidence": {
+ "pageid": 349303,
+ "revid": 1185594377,
+ "title": "Saudi Arabia",
+ "url": "https://en.wikipedia.org/wiki/Saudi_Arabia"
+ }
+ }
+ ],
+ "answer": {
+ "United Arab Emirates": "26.0",
+ "Malaysia": "41.2",
+ "China": "38.2",
+ "Saudi Arabia": "45.9"
+ },
+ "categories": [
+ "Economics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "71552a38345f892e",
+ "question": "What codons encode the essential amino acids?",
+ "decomposition": [
+ {
+ "id": "598b2af66ce17f45",
+ "question": "What are the essential amino acids",
+ "decomposition": [],
+ "answer": [
+ "valine",
+ "isoleucine",
+ "leucine",
+ "methionine",
+ "phenylalanine",
+ "tryptophan",
+ "threonine",
+ "histidine",
+ "lysine"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 102213,
+ "revid": 1175067896,
+ "title": "Essential amino acid",
+ "url": "https://en.wikipedia.org/wiki/Essential_amino_acid"
+ }
+ },
+ {
+ "id": "e6816dee4047b5e3",
+ "question": "What codons encodes valine?",
+ "decomposition": [],
+ "answer": "GUU, GUC, GUA, and GUG",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 63554,
+ "revid": 1177334916,
+ "title": "Valine",
+ "url": "https://en.wikipedia.org/wiki/Valine"
+ }
+ },
+ {
+ "id": "5a13637f944f60d1",
+ "question": "What codons encodes isoleucine?",
+ "decomposition": [],
+ "answer": "AUU, AUC, and AUA",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 63543,
+ "revid": 1184575266,
+ "title": "Isoleucine",
+ "url": "https://en.wikipedia.org/wiki/Isoleucine"
+ }
+ },
+ {
+ "id": "ef682c340740fbf1",
+ "question": "What codons encodes leucine?",
+ "decomposition": [],
+ "answer": "UUA, UUG, CUU, CUC, CUA, and CUG",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 63546,
+ "revid": 1175822179,
+ "title": "Leucine",
+ "url": "https://en.wikipedia.org/wiki/Leucine"
+ }
+ },
+ {
+ "id": "6160ff512527661d",
+ "question": "What codons encodes methionine?",
+ "decomposition": [],
+ "answer": "AUG",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 59364,
+ "revid": 1178607753,
+ "title": "Methionine",
+ "url": "https://en.wikipedia.org/wiki/Methionine"
+ }
+ },
+ {
+ "id": "f282edb00b7d5e1b",
+ "question": "What codons encodes phenylalanine?",
+ "decomposition": [],
+ "answer": "UUU and UUC",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 38001,
+ "revid": 1185241935,
+ "title": "Phenylalanine",
+ "url": "https://en.wikipedia.org/wiki/Phenylalanine"
+ }
+ },
+ {
+ "id": "99106ca427ff9cf9",
+ "question": "What codons encodes tryptophan?",
+ "decomposition": [],
+ "answer": "UGG",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 58358,
+ "revid": 1175822784,
+ "title": "Tryptophan",
+ "url": "https://en.wikipedia.org/wiki/Tryptophan"
+ }
+ },
+ {
+ "id": "9c831e66685e75dc",
+ "question": "What codons encodes threonine?",
+ "decomposition": [],
+ "answer": "ACU, ACC, ACA, and ACG",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 63553,
+ "revid": 1185043672,
+ "title": "Threonine",
+ "url": "https://en.wikipedia.org/wiki/Threonine"
+ }
+ },
+ {
+ "id": "258e17e8b9c0e738",
+ "question": "What codons encodes histidine?",
+ "decomposition": [],
+ "answer": "CAU and CAC",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 63542,
+ "revid": 1175822097,
+ "title": "Histidine",
+ "url": "https://en.wikipedia.org/wiki/Histidine"
+ }
+ },
+ {
+ "id": "14fb9c3631769082",
+ "question": "What codons encodes lysine?",
+ "decomposition": [],
+ "answer": "AAA and AAG",
+ "depends_on": [
+ "598b2af66ce17f45"
+ ],
+ "evidence": {
+ "pageid": 63544,
+ "revid": 1185179660,
+ "title": "Lysine",
+ "url": "https://en.wikipedia.org/wiki/Lysine"
+ }
+ }
+ ],
+ "answer": {
+ "valine": "GUU, GUC, GUA, and GUG",
+ "isoleucine": "AUU, AUC, and AUA",
+ "leucine": "UUA, UUG, CUU, CUC, CUA, and CUG",
+ "methionine": "AUG",
+ "phenylalanine": "UUU and UUC",
+ "tryptophan": "UGG",
+ "threonine": "ACU, ACC, ACA, and ACG",
+ "histidine": "CAU and CAC",
+ "lysine": "AAA and AAG"
+ },
+ "categories": [
+ "Genetics",
+ "Biochemistry"
+ ]
+ },
+ {
+ "id": "6f9b579bc0a11d6d",
+ "question": "Find the clubs which won the top five most titles of the European Cup and UEFA Champions League. What are the clubs names and their current home grounds?",
+ "decomposition": [
+ {
+ "id": "e50efc1e7ada5740",
+ "question": "Which clubs won the top five most titles of the European Cup and UEFA Champions League?",
+ "decomposition": [],
+ "answer": [
+ "Real Madrid",
+ "Milan",
+ "Bayern Munich",
+ "Liverpool",
+ "Barcelona"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2947773,
+ "revid": 1184229445,
+ "title": "European Cup and UEFA Champions League records and statistics",
+ "url": "https://en.wikipedia.org/wiki/European_Cup_and_UEFA_Champions_League_records_and_statistics"
+ }
+ },
+ {
+ "id": "b210361503ae599b",
+ "question": "What is the current home ground of Real Madrid?",
+ "decomposition": [],
+ "answer": "Santiago Bernab\u00e9u",
+ "depends_on": [
+ "e50efc1e7ada5740"
+ ],
+ "evidence": {
+ "pageid": 26413,
+ "revid": 1185388318,
+ "title": "Real Madrid CF",
+ "url": "https://en.wikipedia.org/wiki/Real_Madrid_CF"
+ }
+ },
+ {
+ "id": "d95a72f1d95119ed",
+ "question": "What is the current home ground of Milan?",
+ "decomposition": [],
+ "answer": "San Siro",
+ "depends_on": [
+ "e50efc1e7ada5740"
+ ],
+ "evidence": {
+ "pageid": 18940588,
+ "revid": 1185543055,
+ "title": "AC Milan",
+ "url": "https://en.wikipedia.org/wiki/AC_Milan"
+ }
+ },
+ {
+ "id": "f7e0dd39a0e821fc",
+ "question": "What is the current home ground of Bayern Munich?",
+ "decomposition": [],
+ "answer": "Allianz Arena",
+ "depends_on": [
+ "e50efc1e7ada5740"
+ ],
+ "evidence": {
+ "pageid": 172326,
+ "revid": 1185866323,
+ "title": "FC Bayern Munich",
+ "url": "https://en.wikipedia.org/wiki/FC_Bayern_Munich"
+ }
+ },
+ {
+ "id": "04770b93a54f15b3",
+ "question": "What is the current home ground of Liverpool?",
+ "decomposition": [],
+ "answer": "Anfield",
+ "depends_on": [
+ "e50efc1e7ada5740"
+ ],
+ "evidence": {
+ "pageid": 18119,
+ "revid": 1184583361,
+ "title": "Liverpool F.C.",
+ "url": "https://en.wikipedia.org/wiki/Liverpool_F.C."
+ }
+ },
+ {
+ "id": "4a340119325b3b40",
+ "question": "What is the current home ground of Barcelona?",
+ "decomposition": [],
+ "answer": "Estadi Ol\u00edmpic Llu\u00eds Companys",
+ "depends_on": [
+ "e50efc1e7ada5740"
+ ],
+ "evidence": {
+ "pageid": 68187,
+ "revid": 1184120848,
+ "title": "FC Barcelona",
+ "url": "https://en.wikipedia.org/wiki/FC_Barcelona"
+ }
+ }
+ ],
+ "answer": {
+ "Real Madrid": "Santiago Bernab\u00e9u",
+ "Milan": "San Siro",
+ "Bayern Munich": "Allianz Arena",
+ "Liverpool": "Anfield",
+ "Barcelona": "Estadi Ol\u00edmpic Llu\u00eds Companys"
+ },
+ "categories": [
+ "Sports",
+ "European Studies"
+ ]
+ },
+ {
+ "id": "f969fab677498cf9",
+ "question": "List the top 5 highest-grossing movies of all time and the composers of their music.",
+ "decomposition": [
+ {
+ "id": "ebeab43e401c212e",
+ "question": "What are the top 5 highest-grossing movies of all time?",
+ "decomposition": [],
+ "answer": [
+ "Avatar",
+ "Avengers: Endgame",
+ "Avatar: The Way of Water",
+ "Titanic",
+ "Star Wars: The Force Awakens"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59892,
+ "revid": 1185890055,
+ "title": "List of highest-grossing films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_films"
+ }
+ },
+ {
+ "id": "ff0d7990633e89ee",
+ "question": "Who composed the music for Avatar?",
+ "decomposition": [],
+ "answer": "James Horner",
+ "depends_on": [
+ "ebeab43e401c212e"
+ ],
+ "evidence": {
+ "pageid": 4273140,
+ "revid": 1185356274,
+ "title": "Avatar (2009 film)",
+ "url": "https://en.wikipedia.org/wiki/Avatar_(2009_film)"
+ }
+ },
+ {
+ "id": "0943728e5af3ed5b",
+ "question": "Who composed the music for Avengers: Endgame?",
+ "decomposition": [],
+ "answer": "Alan Silvestri",
+ "depends_on": [
+ "ebeab43e401c212e"
+ ],
+ "evidence": {
+ "pageid": 44254295,
+ "revid": 1185724642,
+ "title": "Avengers: Endgame",
+ "url": "https://en.wikipedia.org/wiki/Avengers:_Endgame"
+ }
+ },
+ {
+ "id": "9521f6fe9ee16326",
+ "question": "Who composed the music for Avatar: The Way of Water?",
+ "decomposition": [],
+ "answer": "Simon Franglen",
+ "depends_on": [
+ "ebeab43e401c212e"
+ ],
+ "evidence": {
+ "pageid": 25813358,
+ "revid": 1185376874,
+ "title": "Avatar: The Way of Water",
+ "url": "https://en.wikipedia.org/wiki/Avatar:_The_Way_of_Water"
+ }
+ },
+ {
+ "id": "85adc92c879e4016",
+ "question": "Who composed the music for Titanic?",
+ "decomposition": [],
+ "answer": "James Horner",
+ "depends_on": [
+ "ebeab43e401c212e"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "f5d79f85d42f40d9",
+ "question": "Who composed the music for Star Wars: The Force Awakens?",
+ "decomposition": [],
+ "answer": "John Williams",
+ "depends_on": [
+ "ebeab43e401c212e"
+ ],
+ "evidence": {
+ "pageid": 14723194,
+ "revid": 1185889585,
+ "title": "Star Wars: The Force Awakens",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Force_Awakens"
+ }
+ }
+ ],
+ "answer": {
+ "Avatar": "James Horner",
+ "Avengers: Endgame": "Alan Silvestri",
+ "Avatar: The Way of Water": "Simon Franglen",
+ "Titanic": "James Horner",
+ "Star Wars: The Force Awakens": "John Williams"
+ },
+ "categories": [
+ "Music",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "832e7529292aa805",
+ "question": "What are the 3 most common law schools attended by members of the US Supreme Court?",
+ "decomposition": [
+ {
+ "id": "a508ed1dcb0a9640",
+ "question": "Who are the current members of the US Supreme Court?",
+ "decomposition": [],
+ "answer": [
+ "John Roberts",
+ "Clarence Thomas",
+ "Stephen Breyer",
+ "Samuel Alito",
+ "Sonia Sotomayor",
+ "Elena Kagan",
+ "Neil Gorsuch",
+ "Brett Kavanaugh",
+ "Amy Coney Barrett"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31737,
+ "revid": 1185937026,
+ "title": "Supreme Court of the United States",
+ "url": "https://en.wikipedia.org/wiki/Supreme_Court_of_the_United_States"
+ }
+ },
+ {
+ "id": "ce41b504fd206e4c",
+ "question": "Which law school did John Roberts attend?",
+ "decomposition": [],
+ "answer": "Harvard Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 1928850,
+ "revid": 1185431089,
+ "title": "John Roberts",
+ "url": "https://en.wikipedia.org/wiki/John_Roberts"
+ }
+ },
+ {
+ "id": "16313805651b521a",
+ "question": "Which law school did Clarence Thomas attend?",
+ "decomposition": [],
+ "answer": "Yale Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 28291766,
+ "revid": 1185947157,
+ "title": "Clarence Thomas",
+ "url": "https://en.wikipedia.org/wiki/Clarence_Thomas"
+ }
+ },
+ {
+ "id": "68a94e225286b41b",
+ "question": "Which law school did Stephen Breyer attend?",
+ "decomposition": [],
+ "answer": "Harvard Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 168850,
+ "revid": 1185072891,
+ "title": "Stephen Breyer",
+ "url": "https://en.wikipedia.org/wiki/Stephen_Breyer"
+ }
+ },
+ {
+ "id": "b5caacffd7c79f90",
+ "question": "Which law school did Samuel Alito attend?",
+ "decomposition": [],
+ "answer": "Yale Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 1199173,
+ "revid": 1182732418,
+ "title": "Samuel Alito",
+ "url": "https://en.wikipedia.org/wiki/Samuel_Alito"
+ }
+ },
+ {
+ "id": "57dee84a2fb0bd8d",
+ "question": "Which law school did Sonia Sotomayor attend?",
+ "decomposition": [],
+ "answer": "Yale Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 2095829,
+ "revid": 1178458812,
+ "title": "Sonia Sotomayor",
+ "url": "https://en.wikipedia.org/wiki/Sonia_Sotomayor"
+ }
+ },
+ {
+ "id": "0b3a12bc2fa3470e",
+ "question": "Which law school did Elena Kagan attend?",
+ "decomposition": [],
+ "answer": "Harvard Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 2093225,
+ "revid": 1180044509,
+ "title": "Elena Kagan",
+ "url": "https://en.wikipedia.org/wiki/Elena_Kagan"
+ }
+ },
+ {
+ "id": "61b57bb3e681a834",
+ "question": "Which law school did Neil Gorsuch attend?",
+ "decomposition": [],
+ "answer": "Harvard Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 6049434,
+ "revid": 1185809196,
+ "title": "Neil Gorsuch",
+ "url": "https://en.wikipedia.org/wiki/Neil_Gorsuch"
+ }
+ },
+ {
+ "id": "7a6f7ce59ab5302f",
+ "question": "Which law school did Brett Kavanaugh attend?",
+ "decomposition": [],
+ "answer": "Yale Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 21816987,
+ "revid": 1183477870,
+ "title": "Brett Kavanaugh",
+ "url": "https://en.wikipedia.org/wiki/Brett_Kavanaugh"
+ }
+ },
+ {
+ "id": "b85ab4e54e2a05ed",
+ "question": "Which law school did Amy Coney Barrett attend?",
+ "decomposition": [],
+ "answer": "Notre Dame Law School",
+ "depends_on": [
+ "a508ed1dcb0a9640"
+ ],
+ "evidence": {
+ "pageid": 53992581,
+ "revid": 1184345665,
+ "title": "Amy Coney Barrett",
+ "url": "https://en.wikipedia.org/wiki/Amy_Coney_Barrett"
+ }
+ }
+ ],
+ "answer": [
+ "Harvard Law School",
+ "Yale Law School",
+ "Notre Dame Law School"
+ ],
+ "categories": [
+ "Education",
+ "Law",
+ "History"
+ ]
+ },
+ {
+ "id": "0360a0d607c70e64",
+ "question": "When were each of the New Seven Wonders of the World constructed?",
+ "decomposition": [
+ {
+ "id": "3553b5f8057b6653",
+ "question": "What are new 7 wonders of the world?",
+ "decomposition": [],
+ "answer": [
+ "Great Wall of China",
+ "Petra",
+ "Colosseum",
+ "Chich\u00e9n Itz\u00e1",
+ "Machu Picchu",
+ "Taj Mahal",
+ "Christ the Redeemer"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7486293,
+ "revid": 1184340732,
+ "title": "New 7 Wonders of the World",
+ "url": "https://en.wikipedia.org/wiki/New_7_Wonders_of_the_World"
+ }
+ },
+ {
+ "id": "f4fa8d7484eabcf2",
+ "question": "When was the Great Wall of China built?",
+ "decomposition": [],
+ "answer": "7th century BC",
+ "depends_on": [
+ "3553b5f8057b6653"
+ ],
+ "evidence": {
+ "pageid": 5094570,
+ "revid": 1183785634,
+ "title": "Great Wall of China",
+ "url": "https://en.wikipedia.org/wiki/Great_Wall_of_China"
+ }
+ },
+ {
+ "id": "64fe57dc2419b07a",
+ "question": "When was the Petra built?",
+ "decomposition": [],
+ "answer": "5th century BC",
+ "depends_on": [
+ "3553b5f8057b6653"
+ ],
+ "evidence": {
+ "pageid": 45008,
+ "revid": 1183074289,
+ "title": "Petra",
+ "url": "https://en.wikipedia.org/wiki/Petra"
+ }
+ },
+ {
+ "id": "af941a1daa9f2a58",
+ "question": "When was the Colosseum built?",
+ "decomposition": [],
+ "answer": "AD 70-80",
+ "depends_on": [
+ "3553b5f8057b6653"
+ ],
+ "evidence": {
+ "pageid": 49603,
+ "revid": 1185944954,
+ "title": "Colosseum",
+ "url": "https://en.wikipedia.org/wiki/The_Colosseum"
+ }
+ },
+ {
+ "id": "139582fa7d95db04",
+ "question": "When was the Chichen Itza built?",
+ "decomposition": [],
+ "answer": "AD 600-900",
+ "depends_on": [
+ "3553b5f8057b6653"
+ ],
+ "evidence": {
+ "pageid": 18618136,
+ "revid": 1182551378,
+ "title": "Chichen Itza",
+ "url": "https://en.wikipedia.org/wiki/Chichen_Itza"
+ }
+ },
+ {
+ "id": "360dee7f20a581ce",
+ "question": "When was the Machu Picchu built?",
+ "decomposition": [],
+ "answer": "1438-1472",
+ "depends_on": [
+ "3553b5f8057b6653"
+ ],
+ "evidence": {
+ "pageid": 80019,
+ "revid": 1185943358,
+ "title": "Machu Picchu",
+ "url": "https://en.wikipedia.org/wiki/Machu_Picchu"
+ }
+ },
+ {
+ "id": "d44e01e496b958d0",
+ "question": "When was the Taj Mahal built?",
+ "decomposition": [],
+ "answer": "1631",
+ "depends_on": [
+ "3553b5f8057b6653"
+ ],
+ "evidence": {
+ "pageid": 82976,
+ "revid": 1177816817,
+ "title": "Taj Mahal",
+ "url": "https://en.wikipedia.org/wiki/Taj_Mahal"
+ }
+ },
+ {
+ "id": "82774d931a7c61a0",
+ "question": "When was the Christ the Redeemer built?",
+ "decomposition": [],
+ "answer": "1922-1931",
+ "depends_on": [
+ "3553b5f8057b6653"
+ ],
+ "evidence": {
+ "pageid": 849683,
+ "revid": 1185326413,
+ "title": "Christ the Redeemer (statue)",
+ "url": "https://en.wikipedia.org/wiki/Christ_the_Redeemer_(statue)"
+ }
+ }
+ ],
+ "answer": {
+ "Great Wall of China": "7th century BC",
+ "Petra": "5th century BC",
+ "Colosseum": "AD 70-80",
+ "Chich\u00e9n Itz\u00e1": "AD 600-900",
+ "Machu Picchu": "1438-1472",
+ "Taj Mahal": "1631",
+ "Christ the Redeemer": "1922-1931"
+ },
+ "categories": [
+ "History",
+ "Architecture"
+ ]
+ },
+ {
+ "id": "c363007529cfd525",
+ "question": "What is the current age or age at death of each of the top 5 most decorated Olympic athletes in years?",
+ "decomposition": [
+ {
+ "id": "f5787742e423f95a",
+ "question": "Who are the top 5 most decorated Olympic Athletes?",
+ "decomposition": [],
+ "answer": [
+ "Michael Phelps",
+ "Larisa Latynina",
+ "Marit Bj\u00f8rgen",
+ "Nikolai Andrianov",
+ "Ole Einar Bj\u00f8rndalen"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 18855244,
+ "revid": 1172566047,
+ "title": "List of multiple Olympic medalists",
+ "url": "https://en.wikipedia.org/wiki/List_of_multiple_Olympic_medalists"
+ }
+ },
+ {
+ "id": "bbbf8e3145ea92c0",
+ "question": "What is Michael Phelps' current age or age of death?",
+ "decomposition": [],
+ "answer": "38",
+ "depends_on": [
+ "f5787742e423f95a"
+ ],
+ "evidence": {
+ "pageid": 19084502,
+ "revid": 1183734654,
+ "title": "Michael Phelps",
+ "url": "https://en.wikipedia.org/wiki/Michael_Phelps"
+ }
+ },
+ {
+ "id": "b0c7a2c61ad31472",
+ "question": "What is Larisa Latynina's current age or age of death?",
+ "decomposition": [],
+ "answer": "88",
+ "depends_on": [
+ "f5787742e423f95a"
+ ],
+ "evidence": {
+ "pageid": 73697,
+ "revid": 1180012511,
+ "title": "Larisa Latynina",
+ "url": "https://en.wikipedia.org/wiki/Larisa_Latynina"
+ }
+ },
+ {
+ "id": "934ee2588b452d36",
+ "question": "What is Marit Bj\u00f8rgen's current age or age of death?",
+ "decomposition": [],
+ "answer": "43",
+ "depends_on": [
+ "f5787742e423f95a"
+ ],
+ "evidence": {
+ "pageid": 2869013,
+ "revid": 1159738900,
+ "title": "Marit Bj\u00f8rgen",
+ "url": "https://en.wikipedia.org/wiki/Marit_Bj%C3%B8rgen"
+ }
+ },
+ {
+ "id": "77cccdc26c4c2c0d",
+ "question": "What is Nikolai Andrianov's current age or age of death?",
+ "decomposition": [],
+ "answer": "58",
+ "depends_on": [
+ "f5787742e423f95a"
+ ],
+ "evidence": {
+ "pageid": 1529185,
+ "revid": 1158891324,
+ "title": "Nikolai Andrianov",
+ "url": "https://en.wikipedia.org/wiki/Nikolai_Andrianov"
+ }
+ },
+ {
+ "id": "53fd1a1d9490da10",
+ "question": "What is Ole Einar Bj\u00f8rndalen's current age or age of death?",
+ "decomposition": [],
+ "answer": "49",
+ "depends_on": [
+ "f5787742e423f95a"
+ ],
+ "evidence": {
+ "pageid": 40377,
+ "revid": 1181674908,
+ "title": "Ole Einar Bj\u00f8rndalen",
+ "url": "https://en.wikipedia.org/wiki/Ole_Einar_Bj%C3%B8rndalen"
+ }
+ }
+ ],
+ "answer": {
+ "Michael Phelps": "38",
+ "Larisa Latynina": "88",
+ "Marit Bj\u00f8rgen": "43",
+ "Nikolai Andrianov": "58",
+ "Ole Einar Bj\u00f8rndalen": "49"
+ },
+ "categories": [
+ "History",
+ "Sports"
+ ]
+ },
+ {
+ "id": "1437140f452ab707",
+ "question": "How many of the last five mayors of Philadelphia, PA were born in Philadelphia, PA",
+ "decomposition": [
+ {
+ "id": "c654ef1c16e4ba81",
+ "question": "Who are the 5 most recent mayors of Philadelphia, PA?",
+ "decomposition": [],
+ "answer": [
+ "Jim Kenney",
+ "Michael Nutter",
+ "John F. Street",
+ "Ed Rendell",
+ "Wilson Goode"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 538842,
+ "revid": 1184198832,
+ "title": "Mayor of Philadelphia",
+ "url": "https://en.wikipedia.org/wiki/Mayor_of_Philadelphia"
+ }
+ },
+ {
+ "id": "8898bfc6174c1862",
+ "question": "Was Jim Kenny born in Philadelphia, PA?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "c654ef1c16e4ba81"
+ ],
+ "evidence": {
+ "pageid": 26211264,
+ "revid": 1184303710,
+ "title": "Jim Kenney",
+ "url": "https://en.wikipedia.org/wiki/Jim_Kenney"
+ }
+ },
+ {
+ "id": "f49b0d37155f168a",
+ "question": "Was Michael Nutter born in Philadelphia, PA?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "c654ef1c16e4ba81"
+ ],
+ "evidence": {
+ "pageid": 2151817,
+ "revid": 1179132314,
+ "title": "Michael Nutter",
+ "url": "https://en.wikipedia.org/wiki/Michael_Nutter"
+ }
+ },
+ {
+ "id": "f1ef0623096590c9",
+ "question": "Was John F. Street born in Philadelphia, PA?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "c654ef1c16e4ba81"
+ ],
+ "evidence": {
+ "pageid": 451278,
+ "revid": 1178150503,
+ "title": "John F. Street",
+ "url": "https://en.wikipedia.org/wiki/John_F._Street"
+ }
+ },
+ {
+ "id": "8adcf96e564be434",
+ "question": "Was Ed Rendell born in Philadelphia, PA?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "c654ef1c16e4ba81"
+ ],
+ "evidence": {
+ "pageid": 195061,
+ "revid": 1172756628,
+ "title": "Ed Rendell",
+ "url": "https://en.wikipedia.org/wiki/Ed_Rendell"
+ }
+ },
+ {
+ "id": "3a40b0b04faefebc",
+ "question": "Was Wilson Goode born in Philadelphia, PA?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "c654ef1c16e4ba81"
+ ],
+ "evidence": {
+ "pageid": 25125043,
+ "revid": 1165327726,
+ "title": "Wilson Goode",
+ "url": "https://en.wikipedia.org/wiki/Wilson_Goode"
+ }
+ }
+ ],
+ "answer": 2,
+ "categories": [
+ "History",
+ "Politics"
+ ]
+ },
+ {
+ "id": "b2399e36ae65506b",
+ "question": "What is the area in square miles of the largest state among the five least populated states in America?",
+ "decomposition": [
+ {
+ "id": "a4dea4c102d974f0",
+ "question": "What are the top five least populated states in America?",
+ "decomposition": [],
+ "answer": [
+ "Wyoming",
+ "Vermont",
+ "Alaska",
+ "North Dakota",
+ "South Dakota"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 12610470,
+ "revid": 1179405336,
+ "title": "List of states and territories of the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_states_and_territories_of_the_United_States"
+ }
+ },
+ {
+ "id": "724861f3a3a15d01",
+ "question": "What is the area of Wyoming?",
+ "decomposition": [],
+ "answer": "97914 Sq Miles",
+ "depends_on": [
+ "a4dea4c102d974f0"
+ ],
+ "evidence": {
+ "pageid": 33611,
+ "revid": 1183567918,
+ "title": "Wyoming",
+ "url": "https://en.wikipedia.org/wiki/Wyoming"
+ }
+ },
+ {
+ "id": "03e0bd9de7c16740",
+ "question": "What is the area of Vermont?",
+ "decomposition": [],
+ "answer": "9616 Sq Miles",
+ "depends_on": [
+ "a4dea4c102d974f0"
+ ],
+ "evidence": {
+ "pageid": 32578,
+ "revid": 1185804374,
+ "title": "Vermont",
+ "url": "https://en.wikipedia.org/wiki/Vermont"
+ }
+ },
+ {
+ "id": "9961ee4931f7b1f2",
+ "question": "What is the area of Alaska?",
+ "decomposition": [],
+ "answer": "665384 Sq Miles",
+ "depends_on": [
+ "a4dea4c102d974f0"
+ ],
+ "evidence": {
+ "pageid": 624,
+ "revid": 1185663816,
+ "title": "Alaska",
+ "url": "https://en.wikipedia.org/wiki/Alaska"
+ }
+ },
+ {
+ "id": "92f9db35ba17835d",
+ "question": "What is the area of North Dakota?",
+ "decomposition": [],
+ "answer": "70705 Sq Miles",
+ "depends_on": [
+ "a4dea4c102d974f0"
+ ],
+ "evidence": {
+ "pageid": 21651,
+ "revid": 1185505885,
+ "title": "North Dakota",
+ "url": "https://en.wikipedia.org/wiki/North_Dakota"
+ }
+ },
+ {
+ "id": "bca4e73d8df572b0",
+ "question": "What is the area of South Dakota?",
+ "decomposition": [],
+ "answer": "77116 Sq Miles",
+ "depends_on": [
+ "a4dea4c102d974f0"
+ ],
+ "evidence": {
+ "pageid": 26746,
+ "revid": 1184391655,
+ "title": "South Dakota",
+ "url": "https://en.wikipedia.org/wiki/South_Dakota"
+ }
+ }
+ ],
+ "answer": {
+ "Wyoming": "97914 Sq Miles",
+ "Vermont": "9616 Sq Miles",
+ "Alaska": "665384 Sq Miles",
+ "North Dakota": "70705 Sq Miles",
+ "South Dakota": "77116 Sq Miles"
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "6c31f64f23a5d7b8",
+ "question": "What was the population of the top 5 most populated states in India according to the 2011 census?",
+ "decomposition": [
+ {
+ "id": "c54163892bd91067",
+ "question": "What are the top 5 most populated states in India in 2011 census",
+ "decomposition": [],
+ "answer": [
+ "Uttar Pradesh",
+ "Bihar",
+ "Maharashtra",
+ "West Bengal",
+ "Madhya Pradesh"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 537103,
+ "revid": 1178240352,
+ "title": "List of states and union territories of India by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_states_and_union_territories_of_India_by_population"
+ }
+ },
+ {
+ "id": "2492e150982a3c71",
+ "question": "Population of Uttar Pradesh in 2011 census?",
+ "decomposition": [],
+ "answer": 199812341,
+ "depends_on": [
+ "c54163892bd91067"
+ ],
+ "evidence": {
+ "pageid": 231623,
+ "revid": 1185339623,
+ "title": "Uttar Pradesh",
+ "url": "https://en.wikipedia.org/wiki/Uttar_Pradesh"
+ }
+ },
+ {
+ "id": "59f7768cce61c0f8",
+ "question": "Population of Bihar in 2011 census?",
+ "decomposition": [],
+ "answer": 104099452,
+ "depends_on": [
+ "c54163892bd91067"
+ ],
+ "evidence": {
+ "pageid": 442482,
+ "revid": 1185910671,
+ "title": "Bihar",
+ "url": "https://en.wikipedia.org/wiki/Bihar"
+ }
+ },
+ {
+ "id": "b22d72862064a063",
+ "question": "Population of Maharashtra in 2011 census?",
+ "decomposition": [],
+ "answer": 112374333,
+ "depends_on": [
+ "c54163892bd91067"
+ ],
+ "evidence": {
+ "pageid": 20629,
+ "revid": 1184922889,
+ "title": "Maharashtra",
+ "url": "https://en.wikipedia.org/wiki/Maharashtra"
+ }
+ },
+ {
+ "id": "4bc084a8a53dce8a",
+ "question": "Population of West Bengal in 2011 census?",
+ "decomposition": [],
+ "answer": 91276115,
+ "depends_on": [
+ "c54163892bd91067"
+ ],
+ "evidence": {
+ "pageid": 34040,
+ "revid": 1184414417,
+ "title": "West Bengal",
+ "url": "https://en.wikipedia.org/wiki/West_Bengal"
+ }
+ },
+ {
+ "id": "b5d471a775ff87bf",
+ "question": "Population of Madhya Pradesh in 2011 census?",
+ "decomposition": [],
+ "answer": 72626809,
+ "depends_on": [
+ "c54163892bd91067"
+ ],
+ "evidence": {
+ "pageid": 47945,
+ "revid": 1184260004,
+ "title": "Madhya Pradesh",
+ "url": "https://en.wikipedia.org/wiki/Madhya_Pradesh"
+ }
+ }
+ ],
+ "answer": {
+ "Uttar Pradesh": 199812341,
+ "Biihar": 104099452,
+ "Mahrashtra": 112374333,
+ "West Bengal": 91276115,
+ "Madhya Pradesh": 72626809
+ },
+ "categories": [
+ "Geography",
+ "Demographics"
+ ]
+ },
+ {
+ "id": "146e74771fcf6a30",
+ "question": "What is Google's online video platform and how old are its founders?",
+ "decomposition": [
+ {
+ "id": "93eb87032052f333",
+ "question": "What is Google's online video platform?",
+ "decomposition": [],
+ "answer": "YouTube",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1092923,
+ "revid": 1185807050,
+ "title": "Google",
+ "url": "https://en.wikipedia.org/wiki/Google"
+ }
+ },
+ {
+ "id": "6568223c5e9ea149",
+ "question": "Who are the founders of YouTube?",
+ "decomposition": [
+ {
+ "id": "0d9c703f21fbaa9f",
+ "question": "Who are the founders of YouTube?",
+ "decomposition": [],
+ "answer": [
+ "Steve Chen",
+ "Chad Hurley",
+ "Jawed Karim"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3524766,
+ "revid": 1185800017,
+ "title": "YouTube",
+ "url": "https://en.wikipedia.org/wiki/YouTube"
+ }
+ },
+ {
+ "id": "be7cb5a3a15f64c2",
+ "question": "How old is Steve Chen?",
+ "decomposition": [],
+ "answer": 45,
+ "depends_on": [
+ "0d9c703f21fbaa9f"
+ ],
+ "evidence": {
+ "pageid": 5113310,
+ "revid": 1185345808,
+ "title": "Steve Chen",
+ "url": "https://en.wikipedia.org/wiki/Steve_Chen"
+ }
+ },
+ {
+ "id": "335cb618fa511cf0",
+ "question": "How old is Chad Hurley?",
+ "decomposition": [],
+ "answer": 46,
+ "depends_on": [
+ "0d9c703f21fbaa9f"
+ ],
+ "evidence": {
+ "pageid": 6271312,
+ "revid": 1184212860,
+ "title": "Chad Hurley",
+ "url": "https://en.wikipedia.org/wiki/Chad_Hurley"
+ }
+ },
+ {
+ "id": "51b142918607b867",
+ "question": "How old is Jawed Karim?",
+ "decomposition": [],
+ "answer": 44,
+ "depends_on": [
+ "0d9c703f21fbaa9f"
+ ],
+ "evidence": {
+ "pageid": 6271255,
+ "revid": 1184902996,
+ "title": "Jawed Karim",
+ "url": "https://en.wikipedia.org/wiki/Jawed_Karim"
+ }
+ }
+ ],
+ "answer": {
+ "Steve Chen": 45,
+ "Chad Hurley": 46,
+ "Jawed Karim": 44
+ },
+ "depends_on": [
+ "93eb87032052f333"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Steve Chen": 45,
+ "Chad Hurley": 46,
+ "Jawed Karim": 44
+ },
+ "categories": [
+ "History",
+ "Business",
+ "Internet"
+ ]
+ },
+ {
+ "id": "9dbfeb76f11979c1",
+ "question": "What are the top 4 states that US presidents have been born in and the count for each?",
+ "decomposition": [
+ {
+ "id": "e7029d6da366da34",
+ "question": "Who has been president of the United States?",
+ "decomposition": [],
+ "answer": [
+ "George Washington",
+ "John Adams",
+ "Thomas Jefferson",
+ "James Madison",
+ "James Monroe",
+ "John Quincy Adams",
+ "Andrew Jackson",
+ "Martin Van Buren",
+ "William Henry Harrison",
+ "John Tyler",
+ "James K. Polk",
+ "Zachary Taylor",
+ "Millard Fillmore",
+ "Franklin Pierce",
+ "James Buchanan",
+ "Abraham Lincoln",
+ "Andrew Johnson",
+ "Ulysses S. Grant",
+ "Rutherford B. Hayes",
+ "James A. Garfield",
+ "Chester A. Arthur",
+ "Grover Cleveland",
+ "Benjamin Harrison",
+ "Grover Cleveland",
+ "William McKinley",
+ "Theodore Roosevelt",
+ "William Howard Taft",
+ "Woodrow Wilson",
+ "Warren G. Harding",
+ "Calvin Coolidge",
+ "Herbert Hoover",
+ "Franklin D. Roosevelt",
+ "Harry S. Truman",
+ "Dwight D. Eisenhower",
+ "John F. Kennedy",
+ "Lyndon B. Johnson",
+ "Richard Nixon",
+ "Gerald Ford",
+ "Jimmy Carter",
+ "Ronald Reagan",
+ "George H. W. Bush",
+ "Bill Clinton",
+ "George W. Bush",
+ "Barack Obama",
+ "Donald Trump",
+ "Joe Biden"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19908980,
+ "revid": 1185795171,
+ "title": "List of presidents of the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_presidents_of_the_United_States"
+ }
+ },
+ {
+ "id": "e109e9210cf4b69d",
+ "question": "In which state was George Washington born?",
+ "decomposition": [],
+ "answer": "Virginia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 11968,
+ "revid": 1183485908,
+ "title": "George Washington",
+ "url": "https://en.wikipedia.org/wiki/George_Washington"
+ }
+ },
+ {
+ "id": "38a73d665ca857ee",
+ "question": "In which state was John Adams born?",
+ "decomposition": [],
+ "answer": "Massachusetts",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 10410626,
+ "revid": 1185718226,
+ "title": "John Adams",
+ "url": "https://en.wikipedia.org/wiki/John_Adams"
+ }
+ },
+ {
+ "id": "21be3e6602d180cb",
+ "question": "In which state was Thomas Jefferson born?",
+ "decomposition": [],
+ "answer": "Virginia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 29922,
+ "revid": 1185583152,
+ "title": "Thomas Jefferson",
+ "url": "https://en.wikipedia.org/wiki/Thomas_Jefferson"
+ }
+ },
+ {
+ "id": "cf509cff8eec53be",
+ "question": "In which state was James Madison born?",
+ "decomposition": [],
+ "answer": "Virginia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 15950,
+ "revid": 1184331395,
+ "title": "James Madison",
+ "url": "https://en.wikipedia.org/wiki/James_Madison"
+ }
+ },
+ {
+ "id": "45af28e90d26017b",
+ "question": "In which state was James Monroe born?",
+ "decomposition": [],
+ "answer": "Virginia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 15978,
+ "revid": 1185692070,
+ "title": "James Monroe",
+ "url": "https://en.wikipedia.org/wiki/James_Monroe"
+ }
+ },
+ {
+ "id": "97966b17b528c9fd",
+ "question": "In which state was John Quincy Adams born?",
+ "decomposition": [],
+ "answer": "Massachusetts",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 15654,
+ "revid": 1185429072,
+ "title": "John Quincy Adams",
+ "url": "https://en.wikipedia.org/wiki/John_Quincy_Adams"
+ }
+ },
+ {
+ "id": "f2672661b2cac2b5",
+ "question": "In which state was Andrew Jackson born?",
+ "decomposition": [],
+ "answer": "South Carolina",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 1623,
+ "revid": 1185926123,
+ "title": "Andrew Jackson",
+ "url": "https://en.wikipedia.org/wiki/Andrew_Jackson"
+ }
+ },
+ {
+ "id": "e8702304e0f952cf",
+ "question": "In which state was Martin Van Buren born?",
+ "decomposition": [],
+ "answer": "New York",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 19763,
+ "revid": 1185373355,
+ "title": "Martin Van Buren",
+ "url": "https://en.wikipedia.org/wiki/Martin_Van_Buren"
+ }
+ },
+ {
+ "id": "564d5024ab1fe0ca",
+ "question": "In which state was William Henry Harrison born?",
+ "decomposition": [],
+ "answer": "Virginia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 33299,
+ "revid": 1185924230,
+ "title": "William Henry Harrison",
+ "url": "https://en.wikipedia.org/wiki/William_Henry_Harrison"
+ }
+ },
+ {
+ "id": "d9b41e823228bd4d",
+ "question": "In which state was John Tyler born?",
+ "decomposition": [],
+ "answer": "Virginia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 19732690,
+ "revid": 1185924547,
+ "title": "John Tyler",
+ "url": "https://en.wikipedia.org/wiki/John_Tyler"
+ }
+ },
+ {
+ "id": "4175a6bca288ad76",
+ "question": "In which state was James K. Polk born?",
+ "decomposition": [],
+ "answer": "North Carolina",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 15980,
+ "revid": 1185924855,
+ "title": "James K. Polk",
+ "url": "https://en.wikipedia.org/wiki/James_K._Polk"
+ }
+ },
+ {
+ "id": "778fa569b95765b2",
+ "question": "In which state was Zachary Taylor born?",
+ "decomposition": [],
+ "answer": "Virginia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 19729624,
+ "revid": 1185352177,
+ "title": "Zachary Taylor",
+ "url": "https://en.wikipedia.org/wiki/Zachary_Taylor"
+ }
+ },
+ {
+ "id": "13ce12bdedf93305",
+ "question": "In which state was Millard Fillmore born?",
+ "decomposition": [],
+ "answer": "New York",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 19729548,
+ "revid": 1184128515,
+ "title": "Millard Fillmore",
+ "url": "https://en.wikipedia.org/wiki/Millard_Fillmore"
+ }
+ },
+ {
+ "id": "5feae9cde0315334",
+ "question": "In which state was Franklin Pierce born?",
+ "decomposition": [],
+ "answer": "New Hampshire",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 19729467,
+ "revid": 1185928548,
+ "title": "Franklin Pierce",
+ "url": "https://en.wikipedia.org/wiki/Franklin_Pierce"
+ }
+ },
+ {
+ "id": "79170e1277d5d9fb",
+ "question": "In which state was James Buchanan born?",
+ "decomposition": [],
+ "answer": "Pennsylvania",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 19732383,
+ "revid": 1185304408,
+ "title": "James Buchanan",
+ "url": "https://en.wikipedia.org/wiki/James_Buchanan"
+ }
+ },
+ {
+ "id": "fd06ccb4be12099d",
+ "question": "In which state was Abraham Lincoln born?",
+ "decomposition": [],
+ "answer": "Kentucky",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 307,
+ "revid": 1185839965,
+ "title": "Abraham Lincoln",
+ "url": "https://en.wikipedia.org/wiki/Abraham_Lincoln"
+ }
+ },
+ {
+ "id": "0acda3e02a04699b",
+ "question": "In which state was Andrew Johnson born?",
+ "decomposition": [],
+ "answer": "North Carolina",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 1624,
+ "revid": 1182062372,
+ "title": "Andrew Johnson",
+ "url": "https://en.wikipedia.org/wiki/Andrew_Johnson"
+ }
+ },
+ {
+ "id": "ca30de3da814e080",
+ "question": "In which state was Ulysses S. Grant born?",
+ "decomposition": [],
+ "answer": "Ohio",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 31752,
+ "revid": 1185201853,
+ "title": "Ulysses S. Grant",
+ "url": "https://en.wikipedia.org/wiki/Ulysses_S._Grant"
+ }
+ },
+ {
+ "id": "3d42d6614c3f3095",
+ "question": "In which state was Rutherford B. Hayes born?",
+ "decomposition": [],
+ "answer": "Ohio",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 19729241,
+ "revid": 1184505566,
+ "title": "Rutherford B. Hayes",
+ "url": "https://en.wikipedia.org/wiki/Rutherford_B._Hayes"
+ }
+ },
+ {
+ "id": "5d04c8d4a12392f8",
+ "question": "In which state was James A. Garfield born?",
+ "decomposition": [],
+ "answer": "Ohio",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 40400,
+ "revid": 1185839940,
+ "title": "James A. Garfield",
+ "url": "https://en.wikipedia.org/wiki/James_A._Garfield"
+ }
+ },
+ {
+ "id": "81c5753f52a39973",
+ "question": "In which state was Chester A. Arthur born?",
+ "decomposition": [],
+ "answer": "Vermont",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 21490963,
+ "revid": 1182062539,
+ "title": "Chester A. Arthur",
+ "url": "https://en.wikipedia.org/wiki/Chester_A._Arthur"
+ }
+ },
+ {
+ "id": "9359bd87e64f41c9",
+ "question": "In which state was Grover Cleveland born?",
+ "decomposition": [],
+ "answer": "New Jersey",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 12495,
+ "revid": 1185279727,
+ "title": "Grover Cleveland",
+ "url": "https://en.wikipedia.org/wiki/Grover_Cleveland"
+ }
+ },
+ {
+ "id": "6a48346bd116b241",
+ "question": "In which state was Benjamin Harrison born?",
+ "decomposition": [],
+ "answer": "Ohio",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 7766419,
+ "revid": 1185293416,
+ "title": "Benjamin Harrison",
+ "url": "https://en.wikipedia.org/wiki/Benjamin_Harrison"
+ }
+ },
+ {
+ "id": "7c38445fac2c4f6a",
+ "question": "In which state was William McKinley born?",
+ "decomposition": [],
+ "answer": "Ohio",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 33521,
+ "revid": 1183018160,
+ "title": "William McKinley",
+ "url": "https://en.wikipedia.org/wiki/William_McKinley"
+ }
+ },
+ {
+ "id": "5c058bb9f210873f",
+ "question": "In which state was Theodore Roosevelt born?",
+ "decomposition": [],
+ "answer": "New York",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 30535,
+ "revid": 1184644225,
+ "title": "Theodore Roosevelt",
+ "url": "https://en.wikipedia.org/wiki/Theodore_Roosevelt"
+ }
+ },
+ {
+ "id": "e7e34890d6d8983b",
+ "question": "In which state was William Howard Taft born?",
+ "decomposition": [],
+ "answer": "Ohio",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 33522,
+ "revid": 1181780968,
+ "title": "William Howard Taft",
+ "url": "https://en.wikipedia.org/wiki/William_Howard_Taft"
+ }
+ },
+ {
+ "id": "c3e71b55f30bc2e0",
+ "question": "In which state was Woodrow Wilson born?",
+ "decomposition": [],
+ "answer": "Virginia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 33523,
+ "revid": 1184833579,
+ "title": "Woodrow Wilson",
+ "url": "https://en.wikipedia.org/wiki/Woodrow_Wilson"
+ }
+ },
+ {
+ "id": "c881aeb455cf7498",
+ "question": "In which state was Warren G. Harding born?",
+ "decomposition": [],
+ "answer": "Ohio",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 33060,
+ "revid": 1184469388,
+ "title": "Warren G. Harding",
+ "url": "https://en.wikipedia.org/wiki/Warren_G._Harding"
+ }
+ },
+ {
+ "id": "3985df6c525cb4dd",
+ "question": "In which state was Calvin Coolidge born?",
+ "decomposition": [],
+ "answer": "Vermont",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 6195,
+ "revid": 1185660901,
+ "title": "Calvin Coolidge",
+ "url": "https://en.wikipedia.org/wiki/Calvin_Coolidge"
+ }
+ },
+ {
+ "id": "e20807cfbbc36a6a",
+ "question": "In which state was Herbert Hoover born?",
+ "decomposition": [],
+ "answer": "Iowa",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 13682,
+ "revid": 1185931010,
+ "title": "Herbert Hoover",
+ "url": "https://en.wikipedia.org/wiki/Herbert_Hoover"
+ }
+ },
+ {
+ "id": "5d3ca84940f5b5cc",
+ "question": "In which state was Franklin D. Roosevelt born?",
+ "decomposition": [],
+ "answer": "New York",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 10979,
+ "revid": 1185600639,
+ "title": "Franklin D. Roosevelt",
+ "url": "https://en.wikipedia.org/wiki/Franklin_D._Roosevelt"
+ }
+ },
+ {
+ "id": "b96bbaae6a1ab3fa",
+ "question": "In which state was Harry S. Truman born?",
+ "decomposition": [],
+ "answer": "Missouri",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 3418303,
+ "revid": 1185349034,
+ "title": "Harry S. Truman",
+ "url": "https://en.wikipedia.org/wiki/Harry_S._Truman"
+ }
+ },
+ {
+ "id": "311e5ccbe309b63a",
+ "question": "In which state was Dwight D. Eisenhower born?",
+ "decomposition": [],
+ "answer": "Texas",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 8182,
+ "revid": 1185941116,
+ "title": "Dwight D. Eisenhower",
+ "url": "https://en.wikipedia.org/wiki/Dwight_D._Eisenhower"
+ }
+ },
+ {
+ "id": "d73da8f5789d7ba5",
+ "question": "In which state was John F. Kennedy born?",
+ "decomposition": [],
+ "answer": "Massachusetts",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 5119376,
+ "revid": 1185940563,
+ "title": "John F. Kennedy",
+ "url": "https://en.wikipedia.org/wiki/John_F._Kennedy"
+ }
+ },
+ {
+ "id": "f7fbd3fa2c40dc6c",
+ "question": "In which state was Lyndon B. Johnson born?",
+ "decomposition": [],
+ "answer": "Texas",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 54533,
+ "revid": 1185727808,
+ "title": "Lyndon B. Johnson",
+ "url": "https://en.wikipedia.org/wiki/Lyndon_B._Johnson"
+ }
+ },
+ {
+ "id": "878fba02f03969cd",
+ "question": "In which state was Richard Nixon born?",
+ "decomposition": [],
+ "answer": "California",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 25473,
+ "revid": 1185943531,
+ "title": "Richard Nixon",
+ "url": "https://en.wikipedia.org/wiki/Richard_Nixon"
+ }
+ },
+ {
+ "id": "b471a6ff41b19e29",
+ "question": "In which state was Gerald Ford born?",
+ "decomposition": [],
+ "answer": "Nebraska",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 5030380,
+ "revid": 1185080061,
+ "title": "Gerald Ford",
+ "url": "https://en.wikipedia.org/wiki/Gerald_Ford"
+ }
+ },
+ {
+ "id": "8024eac39cc2c7c5",
+ "question": "In which state was Jimmy Carter born?",
+ "decomposition": [],
+ "answer": "Georgia",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 15992,
+ "revid": 1185932538,
+ "title": "Jimmy Carter",
+ "url": "https://en.wikipedia.org/wiki/Jimmy_Carter"
+ }
+ },
+ {
+ "id": "fa211b9223c665de",
+ "question": "In which state was Ronald Reagan born?",
+ "decomposition": [],
+ "answer": "Illinois",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 25433,
+ "revid": 1185003354,
+ "title": "Ronald Reagan",
+ "url": "https://en.wikipedia.org/wiki/Ronald_Reagan"
+ }
+ },
+ {
+ "id": "b1702c3faa72b57e",
+ "question": "In which state was George H. W. Bush born?",
+ "decomposition": [],
+ "answer": "Massachusetts",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 11955,
+ "revid": 1184947786,
+ "title": "George H. W. Bush",
+ "url": "https://en.wikipedia.org/wiki/George_H._W._Bush"
+ }
+ },
+ {
+ "id": "e80cb4212f47dba4",
+ "question": "In which state was Bill Clinton born?",
+ "decomposition": [],
+ "answer": "Arkansas",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 3356,
+ "revid": 1185156347,
+ "title": "Bill Clinton",
+ "url": "https://en.wikipedia.org/wiki/Bill_Clinton"
+ }
+ },
+ {
+ "id": "2097372b31dd7d77",
+ "question": "In which state was George W. Bush born?",
+ "decomposition": [],
+ "answer": "Connecticut",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 3414021,
+ "revid": 1185789468,
+ "title": "George W. Bush",
+ "url": "https://en.wikipedia.org/wiki/George_W._Bush"
+ }
+ },
+ {
+ "id": "8e1f213a9e65b7f2",
+ "question": "In which state was Barack Obama born?",
+ "decomposition": [],
+ "answer": "Hawaii",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 534366,
+ "revid": 1185877587,
+ "title": "Barack Obama",
+ "url": "https://en.wikipedia.org/wiki/Barack_Obama"
+ }
+ },
+ {
+ "id": "bdcd7f66e5fb7778",
+ "question": "In which state was Donald Trump born?",
+ "decomposition": [],
+ "answer": "New York",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 4848272,
+ "revid": 1185888837,
+ "title": "Donald Trump",
+ "url": "https://en.wikipedia.org/wiki/Donald_Trump"
+ }
+ },
+ {
+ "id": "9d6219209affab94",
+ "question": "In which state was Joe Biden born?",
+ "decomposition": [],
+ "answer": "Pennsylvania",
+ "depends_on": [
+ "e7029d6da366da34"
+ ],
+ "evidence": {
+ "pageid": 145422,
+ "revid": 1185946453,
+ "title": "Joe Biden",
+ "url": "https://en.wikipedia.org/wiki/Joe_Biden"
+ }
+ }
+ ],
+ "answer": {
+ "Virginia": 8,
+ "Ohio": 7,
+ "New York": 5,
+ "Massachussetts": 4
+ },
+ "categories": [
+ "History",
+ "Politics"
+ ]
+ },
+ {
+ "id": "ffb27afd2b521841",
+ "question": "Who are the 5 longest-reigning monarchs and who were their fathers?",
+ "decomposition": [
+ {
+ "id": "ca4b1ead07831034",
+ "question": "Who are the 5 longest-reigning monarchs?",
+ "decomposition": [],
+ "answer": [
+ "Louis XIV",
+ "Elizabeth II",
+ "Rama IX",
+ "Johann II",
+ "K\u02bcinich Janaab\u02bc Pakal I"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 4751966,
+ "revid": 1185877731,
+ "title": "List of longest-reigning monarchs",
+ "url": "https://en.wikipedia.org/wiki/List_of_longest-reigning_monarchs"
+ }
+ },
+ {
+ "id": "8ca64c1d7d9f4853",
+ "question": "Who was Louis XIV's father?",
+ "decomposition": [],
+ "answer": "Louis XIII",
+ "depends_on": [
+ "ca4b1ead07831034"
+ ],
+ "evidence": {
+ "pageid": 18553,
+ "revid": 1184778936,
+ "title": "Louis XIV",
+ "url": "https://en.wikipedia.org/wiki/Louis_XIV"
+ }
+ },
+ {
+ "id": "432051e46ef9d737",
+ "question": "Who was Elizabeth II's father?",
+ "decomposition": [],
+ "answer": "George VI",
+ "depends_on": [
+ "ca4b1ead07831034"
+ ],
+ "evidence": {
+ "pageid": 12153654,
+ "revid": 1185941901,
+ "title": "Elizabeth II",
+ "url": "https://en.wikipedia.org/wiki/Elizabeth_II"
+ }
+ },
+ {
+ "id": "f533136e83630e2e",
+ "question": "Who was Rama IX's father?",
+ "decomposition": [],
+ "answer": "Rama VIII",
+ "depends_on": [
+ "ca4b1ead07831034"
+ ],
+ "evidence": {
+ "pageid": 203756,
+ "revid": 1185275824,
+ "title": "Bhumibol Adulyadej",
+ "url": "https://en.wikipedia.org/wiki/Bhumibol_Adulyadej"
+ }
+ },
+ {
+ "id": "b384bca95eb7a800",
+ "question": "Who was Johann II's father?",
+ "decomposition": [],
+ "answer": "Aloys II",
+ "depends_on": [
+ "ca4b1ead07831034"
+ ],
+ "evidence": {
+ "pageid": 774142,
+ "revid": 1184360702,
+ "title": "Johann II, Prince of Liechtenstein",
+ "url": "https://en.wikipedia.org/wiki/Johann_II,_Prince_of_Liechtenstein"
+ }
+ },
+ {
+ "id": "a7230a4ee11c5784",
+ "question": "Who was K\u02bcinich Janaab\u02bc Pakal I's father?",
+ "decomposition": [],
+ "answer": "K\u02bcan Mo\u02bc Hix",
+ "depends_on": [
+ "ca4b1ead07831034"
+ ],
+ "evidence": {
+ "pageid": 327583,
+ "revid": 1185748267,
+ "title": "K\u02bcinich Janaab\u02bc Pakal",
+ "url": "https://en.wikipedia.org/wiki/K%CA%BCinich_Janaab%CA%BC_Pakal"
+ }
+ }
+ ],
+ "answer": {
+ "Louis XIV": "Louis XIII",
+ "Elizabeth II": "George VI",
+ "Rama IX": "Rama VIII",
+ "Johann II": "Aloys II",
+ "K\u02bcinich Janaab\u02bc Pakal I": "K\u02bcan Mo\u02bc Hix"
+ },
+ "categories": [
+ "History"
+ ]
+ },
+ {
+ "id": "3c06e4cb010ad679",
+ "question": "Where are the birthplaces of the last five presidents of the People's Republic of China?",
+ "decomposition": [
+ {
+ "id": "227692e382471ae7",
+ "question": "Who is the president of the People's Republic of China?",
+ "decomposition": [],
+ "answer": "Xi Jinping",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 47747524,
+ "revid": 1185736191,
+ "title": "President of the People's Republic of China",
+ "url": "https://en.wikipedia.org/wiki/President_of_the_People%27s_Republic_of_China"
+ }
+ },
+ {
+ "id": "0be66a040e48a7f2",
+ "question": "What city/town was Xi Jinping born in?",
+ "decomposition": [],
+ "answer": "Beijing, China",
+ "depends_on": [
+ "227692e382471ae7"
+ ],
+ "evidence": {
+ "pageid": 2017814,
+ "revid": 1185892696,
+ "title": "Xi Jinping",
+ "url": "https://en.wikipedia.org/wiki/Xi_Jinping"
+ }
+ },
+ {
+ "id": "30f50d549edbe396",
+ "question": "What city/town was Hu Jintao born in?",
+ "decomposition": [],
+ "answer": "Taizhou, Jiangsu, China",
+ "depends_on": [
+ "227692e382471ae7"
+ ],
+ "evidence": {
+ "pageid": 151210,
+ "revid": 1185347697,
+ "title": "Hu Jintao",
+ "url": "https://en.wikipedia.org/wiki/Hu_Jintao"
+ }
+ },
+ {
+ "id": "71e3d86b269ea719",
+ "question": "What city/town was Jiang Zemin born in?",
+ "decomposition": [],
+ "answer": "Yangzhou, Jiangsu, China",
+ "depends_on": [
+ "227692e382471ae7"
+ ],
+ "evidence": {
+ "pageid": 95871,
+ "revid": 1185449399,
+ "title": "Jiang Zemin",
+ "url": "https://en.wikipedia.org/wiki/Jiang_Zemin"
+ }
+ },
+ {
+ "id": "a1b192ff61e4e4ed",
+ "question": "What city/town was Yang Shangkun born in?",
+ "decomposition": [],
+ "answer": "Tongnan, Chongqing, China",
+ "depends_on": [
+ "227692e382471ae7"
+ ],
+ "evidence": {
+ "pageid": 259086,
+ "revid": 1181581945,
+ "title": "Yang Shangkun",
+ "url": "https://en.wikipedia.org/wiki/Yang_Shangkun"
+ }
+ },
+ {
+ "id": "649dd45514e0236a",
+ "question": "What city/town was Li Xiannian born in?",
+ "decomposition": [],
+ "answer": "Huanggang, Hubei, China",
+ "depends_on": [
+ "227692e382471ae7"
+ ],
+ "evidence": {
+ "pageid": 364831,
+ "revid": 1175763071,
+ "title": "Li Xiannian",
+ "url": "https://en.wikipedia.org/wiki/Li_Xiannian"
+ }
+ }
+ ],
+ "answer": {
+ "Xi Jinping": "Beijing, China",
+ "Hu Jintao": "Taizhou, Jiangsu, China",
+ "Jiang Zemin": "Yangzhou, Jiangsu, China",
+ "Yang Shangkun": "Tongnan, Chongqing, China",
+ "Li Xiannian": "Huanggang, Hubei, China"
+ },
+ "categories": [
+ "East Asian Studies",
+ "Politics"
+ ]
+ },
+ {
+ "id": "b3b15d0277166b1d",
+ "question": "Which planets in our solar system were discovered after 1700, and who discovered them?",
+ "decomposition": [
+ {
+ "id": "4ae12ce730e8b7c6",
+ "question": "What are the planets in our solar system?",
+ "decomposition": [],
+ "answer": [
+ "Mercury",
+ "Venus",
+ "Earth",
+ "Mars",
+ "Jupiter",
+ "Saturn",
+ "Uranus",
+ "Neptune"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 22915,
+ "revid": 1185810704,
+ "title": "Planet",
+ "url": "https://en.wikipedia.org/wiki/Planet#Solar_System_planets"
+ }
+ },
+ {
+ "id": "17483ee255163336",
+ "question": "Was Mercury discovered after 1700 and if so, who discovered it?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "4ae12ce730e8b7c6"
+ ],
+ "evidence": {
+ "pageid": 19694,
+ "revid": 1183949157,
+ "title": "Mercury (planet)",
+ "url": "https://en.wikipedia.org/wiki/Mercury_(planet)"
+ }
+ },
+ {
+ "id": "da5a106c2330cd8f",
+ "question": "Was Venus discovered after 1700 and if so, who discovered it?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "4ae12ce730e8b7c6"
+ ],
+ "evidence": {
+ "pageid": 32745,
+ "revid": 1185890721,
+ "title": "Venus",
+ "url": "https://en.wikipedia.org/wiki/Venus"
+ }
+ },
+ {
+ "id": "567e27669e1de011",
+ "question": "Was Earth discovered after 1700 and if so, who discovered it?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "4ae12ce730e8b7c6"
+ ],
+ "evidence": {
+ "pageid": 9228,
+ "revid": 1184861997,
+ "title": "Earth",
+ "url": "https://en.wikipedia.org/wiki/Earth"
+ }
+ },
+ {
+ "id": "3ab80ae4be1c2788",
+ "question": "Was Mars discovered after 1700 and if so, who discovered it?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "4ae12ce730e8b7c6"
+ ],
+ "evidence": {
+ "pageid": 14640471,
+ "revid": 1184868366,
+ "title": "Mars",
+ "url": "https://en.wikipedia.org/wiki/Mars"
+ }
+ },
+ {
+ "id": "92bdac99707dfd90",
+ "question": "Was Jupiter discovered after 1700 and if so, who discovered it?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "4ae12ce730e8b7c6"
+ ],
+ "evidence": {
+ "pageid": 38930,
+ "revid": 1185658145,
+ "title": "Jupiter",
+ "url": "https://en.wikipedia.org/wiki/Jupiter"
+ }
+ },
+ {
+ "id": "2b655942cba18c20",
+ "question": "Was Saturn discovered after 1700 and if so, who discovered it?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "4ae12ce730e8b7c6"
+ ],
+ "evidence": {
+ "pageid": 44474,
+ "revid": 1184248068,
+ "title": "Saturn",
+ "url": "https://en.wikipedia.org/wiki/Saturn"
+ }
+ },
+ {
+ "id": "0da13c8c2e19cd66",
+ "question": "Was Uranus discovered after 1700 and if so, who discovered it?",
+ "decomposition": [],
+ "answer": "Sir William Herschel",
+ "depends_on": [
+ "4ae12ce730e8b7c6"
+ ],
+ "evidence": {
+ "pageid": 44475,
+ "revid": 1185763248,
+ "title": "Uranus",
+ "url": "https://en.wikipedia.org/wiki/Uranus"
+ }
+ },
+ {
+ "id": "4b83985fc15d9a16",
+ "question": "Was Neptune discovered after 1700 and if so, who discovered it?",
+ "decomposition": [],
+ "answer": "Johann Galle",
+ "depends_on": [
+ "4ae12ce730e8b7c6"
+ ],
+ "evidence": {
+ "pageid": 19003265,
+ "revid": 1185057244,
+ "title": "Neptune",
+ "url": "https://en.wikipedia.org/wiki/Neptune"
+ }
+ }
+ ],
+ "answer": {
+ "Uranus": "Sir William Herschel",
+ "Neptune": "Johann Galle"
+ },
+ "categories": [
+ "History",
+ "Astronomy"
+ ]
+ },
+ {
+ "id": "c5729f248448ce74",
+ "question": "What are the mottos of the global top 5 universities according to the QS World University Rankings 2024?",
+ "decomposition": [
+ {
+ "id": "0c7484f14921c7a1",
+ "question": "What are the global top 5 universities according to the QS World University Rankings 2024?",
+ "decomposition": [],
+ "answer": [
+ "Massachusetts Institute of Technology",
+ "University of Cambridge",
+ "University of Oxford",
+ "Harvard University",
+ "Stanford University"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 25057928,
+ "revid": 1185767454,
+ "title": "QS World University Rankings",
+ "url": "https://en.wikipedia.org/wiki/QS_World_University_Rankings"
+ }
+ },
+ {
+ "id": "3ef1bc77dc4cd04f",
+ "question": "What is the motto of Massachusetts Institute of Technology?",
+ "decomposition": [],
+ "answer": "Mens et Manus",
+ "depends_on": [
+ "0c7484f14921c7a1"
+ ],
+ "evidence": {
+ "pageid": 18879,
+ "revid": 1185703170,
+ "title": "Massachusetts Institute of Technology",
+ "url": "https://en.wikipedia.org/wiki/Massachusetts_Institute_of_Technology"
+ }
+ },
+ {
+ "id": "dfc18f13726c169b",
+ "question": "What is the motto of University of Cambridge?",
+ "decomposition": [],
+ "answer": "Hinc lucem et pocula sacra",
+ "depends_on": [
+ "0c7484f14921c7a1"
+ ],
+ "evidence": {
+ "pageid": 25978572,
+ "revid": 1184522407,
+ "title": "University of Cambridge",
+ "url": "https://en.wikipedia.org/wiki/University_of_Cambridge"
+ }
+ },
+ {
+ "id": "22c9432a9fca7e41",
+ "question": "What is the motto of University of Oxford?",
+ "decomposition": [],
+ "answer": "Dominus illuminatio mea",
+ "depends_on": [
+ "0c7484f14921c7a1"
+ ],
+ "evidence": {
+ "pageid": 31797,
+ "revid": 1185874759,
+ "title": "University of Oxford",
+ "url": "https://en.wikipedia.org/wiki/University_of_Oxford"
+ }
+ },
+ {
+ "id": "eb2a46d393afd8ac",
+ "question": "What is the motto of Harvard University?",
+ "decomposition": [],
+ "answer": "Veritas",
+ "depends_on": [
+ "0c7484f14921c7a1"
+ ],
+ "evidence": {
+ "pageid": 18426501,
+ "revid": 1185051550,
+ "title": "Harvard University",
+ "url": "https://en.wikipedia.org/wiki/Harvard_University"
+ }
+ },
+ {
+ "id": "4887b12afe0a6ae2",
+ "question": "What is the motto of Stanford University?",
+ "decomposition": [],
+ "answer": "Die Luft der Freiheit weht",
+ "depends_on": [
+ "0c7484f14921c7a1"
+ ],
+ "evidence": {
+ "pageid": 26977,
+ "revid": 1185772313,
+ "title": "Stanford University",
+ "url": "https://en.wikipedia.org/wiki/Stanford_University"
+ }
+ }
+ ],
+ "answer": {
+ "Massachusetts Institute of Technology": "Mens et Manus",
+ "University of Cambridge": "Hinc lucem et pocula sacra",
+ "University of Oxford": "Dominus illuminatio mea",
+ "Harvard University": "Veritas",
+ "Stanford University": "Die Luft der Freiheit weht"
+ },
+ "categories": [
+ "Education"
+ ]
+ },
+ {
+ "id": "d2049103e53dbeb5",
+ "question": "What are the capital cities of the countries that hosted the 5 most recent Olympics?",
+ "decomposition": [
+ {
+ "id": "969574cfe8b8d700",
+ "question": "Which Countries hosted the last 5 Olympics?",
+ "decomposition": [],
+ "answer": [
+ "China",
+ "Japan",
+ "South Korea",
+ "Brazil",
+ "Russia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11015817,
+ "revid": 1182820494,
+ "title": "List of Olympic Games host cities",
+ "url": "https://en.wikipedia.org/wiki/List_of_Olympic_Games_host_cities"
+ }
+ },
+ {
+ "id": "b862864b439da501",
+ "question": "What is the capital city of China?",
+ "decomposition": [],
+ "answer": "Beijing",
+ "depends_on": [
+ "969574cfe8b8d700"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "00da213ab078ce09",
+ "question": "What is the capital city of Japan?",
+ "decomposition": [],
+ "answer": "Tokyo",
+ "depends_on": [
+ "969574cfe8b8d700"
+ ],
+ "evidence": {
+ "pageid": 15573,
+ "revid": 1185720931,
+ "title": "Japan",
+ "url": "https://en.wikipedia.org/wiki/Japan"
+ }
+ },
+ {
+ "id": "7a5da826ba94850c",
+ "question": "What is the capital city of South Korea?",
+ "decomposition": [],
+ "answer": "Seoul",
+ "depends_on": [
+ "969574cfe8b8d700"
+ ],
+ "evidence": {
+ "pageid": 27019,
+ "revid": 1185407120,
+ "title": "South Korea",
+ "url": "https://en.wikipedia.org/wiki/South_Korea"
+ }
+ },
+ {
+ "id": "67e3b596cdcf7770",
+ "question": "What is the capital city of Brazil?",
+ "decomposition": [],
+ "answer": "Bras\u00edlia",
+ "depends_on": [
+ "969574cfe8b8d700"
+ ],
+ "evidence": {
+ "pageid": 3383,
+ "revid": 1185385360,
+ "title": "Brazil",
+ "url": "https://en.wikipedia.org/wiki/Brazil"
+ }
+ },
+ {
+ "id": "4131cbb31d66d662",
+ "question": "What is the capital city of Russia?",
+ "decomposition": [],
+ "answer": "Moscow",
+ "depends_on": [
+ "969574cfe8b8d700"
+ ],
+ "evidence": {
+ "pageid": 25391,
+ "revid": 1185169928,
+ "title": "Russia",
+ "url": "https://en.wikipedia.org/wiki/Russia"
+ }
+ }
+ ],
+ "answer": {
+ "China": "Beijing",
+ "Japan": "Tokyo",
+ "South Korea": "Seoul",
+ "Brazil": "Bras\u00edlia",
+ "Russia": "Moscow"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "5aa09932011c8fcd",
+ "question": "What companies have ever had a market capitalization in excess of 1 trillion US dollars and approximately how many employees did each of those companies have in recent years?",
+ "decomposition": [
+ {
+ "id": "9206296d762787e8",
+ "question": "What companies have evern had a market capitalization in excess of 1 trillion US dollars?",
+ "decomposition": [],
+ "answer": [
+ "Apple",
+ "Microsoft",
+ "Saudi Aramco",
+ "Alphabet",
+ "PetroChina",
+ "Amazon",
+ "Meta",
+ "Tesla",
+ "Nvidia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14094649,
+ "revid": 1184255866,
+ "title": "List of public corporations by market capitalization",
+ "url": "https://en.wikipedia.org/wiki/List_of_public_corporations_by_market_capitalization"
+ }
+ },
+ {
+ "id": "94684f11926d6dbd",
+ "question": "Approximately how many employees did Apple have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "Apple": 161000
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "5c9a88b4f1ba3719",
+ "question": "Approximately how many employees did Microsoft have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "Microsoft": 238000
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 19001,
+ "revid": 1185824087,
+ "title": "Microsoft",
+ "url": "https://en.wikipedia.org/wiki/Microsoft"
+ }
+ },
+ {
+ "id": "f5b7b0ffc3cd7c2e",
+ "question": "Approximately how many employees did Saudi Aramco have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "Saudi Aramco": 66800
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 290527,
+ "revid": 1184200621,
+ "title": "Saudi Aramco",
+ "url": "https://en.wikipedia.org/wiki/Saudi_Aramco"
+ }
+ },
+ {
+ "id": "850dbd778300d7dd",
+ "question": "Approximately how many employees did Alphabet have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "Alphabet": 181798
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 47489893,
+ "revid": 1184949012,
+ "title": "Alphabet Inc.",
+ "url": "https://en.wikipedia.org/wiki/Alphabet_Inc."
+ }
+ },
+ {
+ "id": "16c3ab105b549bb6",
+ "question": "Approximately how many employees did PetroChina have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "PetroChina": 506000
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 1298114,
+ "revid": 1182694264,
+ "title": "PetroChina",
+ "url": "https://en.wikipedia.org/wiki/PetroChina"
+ }
+ },
+ {
+ "id": "c58df7ea3d4d40b7",
+ "question": "Approximately how many employees did Amazon have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "Amazon": 1684853
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "a1095ea5dd2c77a9",
+ "question": "Approximately how many employees did Meta have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "Meta": 66185
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 62420226,
+ "revid": 1185758146,
+ "title": "Meta Platforms",
+ "url": "https://en.wikipedia.org/wiki/Meta_Platforms"
+ }
+ },
+ {
+ "id": "006f9eafd75a7f6a",
+ "question": "Approximately how many employees did Telsa have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "Telsa": 127855
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 5533631,
+ "revid": 1184714409,
+ "title": "Tesla, Inc.",
+ "url": "https://en.wikipedia.org/wiki/Tesla,_Inc."
+ }
+ },
+ {
+ "id": "176fff0ac7a32341",
+ "question": "Approximately how many employees did Nvidia have in recent years?",
+ "decomposition": [],
+ "answer": {
+ "Nvidia": 26196
+ },
+ "depends_on": [
+ "9206296d762787e8"
+ ],
+ "evidence": {
+ "pageid": 39120,
+ "revid": 1184376366,
+ "title": "Nvidia",
+ "url": "https://en.wikipedia.org/wiki/Nvidia"
+ }
+ }
+ ],
+ "answer": {
+ "Apple": 161000,
+ "Microsoft": 238000,
+ "Saudi Aramco": 66800,
+ "Alphabet": 181798,
+ "PetroChina": 506000,
+ "Amazon": 1684853,
+ "Meta": 66185,
+ "Telsa": 127855,
+ "Nvidia": 26196
+ },
+ "categories": [
+ "Economics",
+ "Business"
+ ]
+ },
+ {
+ "id": "a0dba38be648f0ef",
+ "question": "Find the top 5 most populous countries in the world. What are the countries and who are their current presidents?",
+ "decomposition": [
+ {
+ "id": "a36fd71b595252cf",
+ "question": "What are the top 5 most populoud countries in the world?",
+ "decomposition": [],
+ "answer": [
+ "China",
+ "India",
+ "USA",
+ "Indonesia",
+ "Pakistan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69058,
+ "revid": 1185694277,
+ "title": "List of countries and dependencies by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_and_dependencies_by_population"
+ }
+ },
+ {
+ "id": "6995939df41c7ae3",
+ "question": "Who is the president of China?",
+ "decomposition": [],
+ "answer": "Xi Jinping",
+ "depends_on": [
+ "a36fd71b595252cf"
+ ],
+ "evidence": {
+ "pageid": 47747524,
+ "revid": 1185736191,
+ "title": "President of the People's Republic of China",
+ "url": "https://en.wikipedia.org/wiki/President_of_the_People%27s_Republic_of_China"
+ }
+ },
+ {
+ "id": "da76b520e472b135",
+ "question": "Who is the president of India?",
+ "decomposition": [],
+ "answer": "Droupadi Murmu",
+ "depends_on": [
+ "a36fd71b595252cf"
+ ],
+ "evidence": {
+ "pageid": 141896,
+ "revid": 1175938327,
+ "title": "President of India",
+ "url": "https://en.wikipedia.org/wiki/President_of_India"
+ }
+ },
+ {
+ "id": "0d0d53c45211561d",
+ "question": "Who is the president of USA?",
+ "decomposition": [],
+ "answer": "Joe Biden",
+ "depends_on": [
+ "a36fd71b595252cf"
+ ],
+ "evidence": {
+ "pageid": 24113,
+ "revid": 1185704254,
+ "title": "President of the United States",
+ "url": "https://en.wikipedia.org/wiki/President_of_the_United_States"
+ }
+ },
+ {
+ "id": "45ab386ffdf5cccb",
+ "question": "Who is the president of Indonesia?",
+ "decomposition": [],
+ "answer": "Joko Widodo",
+ "depends_on": [
+ "a36fd71b595252cf"
+ ],
+ "evidence": {
+ "pageid": 10011631,
+ "revid": 1183878794,
+ "title": "President of Indonesia",
+ "url": "https://en.wikipedia.org/wiki/President_of_Indonesia"
+ }
+ },
+ {
+ "id": "44be2f2ab7f39352",
+ "question": "Who is the president of Pakistan?",
+ "decomposition": [],
+ "answer": "Arif Alvi",
+ "depends_on": [
+ "a36fd71b595252cf"
+ ],
+ "evidence": {
+ "pageid": 419460,
+ "revid": 1185397721,
+ "title": "President of Pakistan",
+ "url": "https://en.wikipedia.org/wiki/President_of_Pakistan"
+ }
+ }
+ ],
+ "answer": {
+ "China": "Xi Jinping",
+ "India": "Droupadi Murmu",
+ "USA": "Joe Biden",
+ "Indonesia": "Joko Widodo",
+ "Pakistan": "Arif Alvi"
+ },
+ "categories": [
+ "Politics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "585ead607ef66fb1",
+ "question": "From which countries do the people who completed an EGOT over a span greater than 40 years come from?",
+ "decomposition": [
+ {
+ "id": "c70ac3df77fcf347",
+ "question": "Who has completed an EGOT?",
+ "decomposition": [],
+ "answer": [
+ "Richard Rodgers",
+ "Helen Hayes",
+ "Rita Moreno",
+ "John Gielgud",
+ "Audrey Hepburn",
+ "Marvin Hamlisch",
+ "Jonathan Tunick",
+ "Mel Brooks",
+ "Mike Nichols",
+ "Whoopi Goldberg",
+ "Scott Rudin",
+ "Robert Lopez",
+ "Andrew Lloyd Webber",
+ "Tim Rice",
+ "John Legend",
+ "Alan Menken",
+ "Jennifer Hudson",
+ "Viola Davis",
+ "Barbra Stresisand",
+ "Liza Minnelli",
+ "James Earl Jones",
+ "Harry Belafonte",
+ "Quincy Jones",
+ "Frank Marshall"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 361388,
+ "revid": 1185263564,
+ "title": "List of EGOT winners",
+ "url": "https://en.wikipedia.org/wiki/List_of_EGOT_winners"
+ }
+ },
+ {
+ "id": "c6b0c7e731d8c93f",
+ "question": "Of those who have completed an EGOT over a greater than 40 year span, what countries are they from?",
+ "decomposition": [
+ {
+ "id": "dad6113a4fa58b64",
+ "question": "Of those who have completed an EGOT, who has done so over a greater than 40 year span?",
+ "decomposition": [],
+ "answer": [
+ "Helen Hayes",
+ "James Earl Jones",
+ "Harry Belafonte",
+ "Quincy Jones"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 361388,
+ "revid": 1185263564,
+ "title": "List of EGOT winners",
+ "url": "https://en.wikipedia.org/wiki/List_of_EGOT_winners"
+ }
+ },
+ {
+ "id": "60d750c82384446f",
+ "question": "What country is Helen Hayes from?",
+ "decomposition": [],
+ "answer": "United States of America",
+ "depends_on": [
+ "dad6113a4fa58b64"
+ ],
+ "evidence": {
+ "pageid": 177771,
+ "revid": 1185826876,
+ "title": "Helen Hayes",
+ "url": "https://en.wikipedia.org/wiki/Helen_Hayes"
+ }
+ },
+ {
+ "id": "1a79f708de113cb7",
+ "question": "What country is James Earl Jones from?",
+ "decomposition": [],
+ "answer": "United States of America",
+ "depends_on": [
+ "dad6113a4fa58b64"
+ ],
+ "evidence": {
+ "pageid": 18622049,
+ "revid": 1185845663,
+ "title": "James Earl Jones",
+ "url": "https://en.wikipedia.org/wiki/James_Earl_Jones"
+ }
+ },
+ {
+ "id": "049ef55524a91342",
+ "question": "What country is Harry Belafonte from?",
+ "decomposition": [],
+ "answer": "United States of America",
+ "depends_on": [
+ "dad6113a4fa58b64"
+ ],
+ "evidence": {
+ "pageid": 154183,
+ "revid": 1185768227,
+ "title": "Harry Belafonte",
+ "url": "https://en.wikipedia.org/wiki/Harry_Belafonte"
+ }
+ },
+ {
+ "id": "f9fe2e3462dcb1b0",
+ "question": "What country is Quincy Jones from?",
+ "decomposition": [],
+ "answer": "United States of America",
+ "depends_on": [
+ "dad6113a4fa58b64"
+ ],
+ "evidence": {
+ "pageid": 205508,
+ "revid": 1185926528,
+ "title": "Quincy Jones",
+ "url": "https://en.wikipedia.org/wiki/Quincy_Jones"
+ }
+ }
+ ],
+ "answer": {
+ "Helen Hayes": "United States of America",
+ "James Earl Jones": "United States of America",
+ "Harry Belafonte": "United States of America",
+ "Quincy Jones": "United States of America"
+ },
+ "depends_on": [
+ "c70ac3df77fcf347"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Helen Hayes": "United States of America",
+ "James Earl Jones": "United States of America",
+ "Harry Belafonte": "United States of America",
+ "Quincy Jones": "United States of America"
+ },
+ "categories": [
+ "Culture",
+ "Geography"
+ ]
+ },
+ {
+ "id": "ca244873ee0ce258",
+ "question": "What are the names of the last four Christopher Nolan movies, and how much did each gross in millions of dollars?",
+ "decomposition": [
+ {
+ "id": "3609b7a1c0c4d86a",
+ "question": "What are the names of the past 4 Christopher Nolan movies?",
+ "decomposition": [],
+ "answer": [
+ "Oppenheimer",
+ "Tenet",
+ "Dunkirk",
+ "Interstellar"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 56794284,
+ "revid": 1180953100,
+ "title": "Christopher Nolan filmography",
+ "url": "https://en.wikipedia.org/wiki/Christopher_Nolan_filmography"
+ }
+ },
+ {
+ "id": "8e12b17d0e075937",
+ "question": "How much did Oppenheimer gross in millions of dollars?",
+ "decomposition": [],
+ "answer": 949,
+ "depends_on": [
+ "3609b7a1c0c4d86a"
+ ],
+ "evidence": {
+ "pageid": 66850554,
+ "revid": 1185751351,
+ "title": "Oppenheimer (film)",
+ "url": "https://en.wikipedia.org/wiki/Oppenheimer_(film)"
+ }
+ },
+ {
+ "id": "8b4118b67711b928",
+ "question": "How much did Tenet gross in millions of dollars?",
+ "decomposition": [],
+ "answer": 365,
+ "depends_on": [
+ "3609b7a1c0c4d86a"
+ ],
+ "evidence": {
+ "pageid": 59770239,
+ "revid": 1185719432,
+ "title": "Tenet (film)",
+ "url": "https://en.wikipedia.org/wiki/Tenet_(film)"
+ }
+ },
+ {
+ "id": "94c9ad64d565260b",
+ "question": "How much did Dunkirk gross in millions of dollars?",
+ "decomposition": [],
+ "answer": 527,
+ "depends_on": [
+ "3609b7a1c0c4d86a"
+ ],
+ "evidence": {
+ "pageid": 23211041,
+ "revid": 1181482251,
+ "title": "2009\u201310 Los Angeles Lakers season",
+ "url": "https://en.wikipedia.org/wiki/2009%E2%80%9310_Los_Angeles_Lakers_season"
+ }
+ },
+ {
+ "id": "dac69dc553acc945",
+ "question": "How much did Interstellar gross in millions of dollars?",
+ "decomposition": [],
+ "answer": 703,
+ "depends_on": [
+ "3609b7a1c0c4d86a"
+ ],
+ "evidence": {
+ "pageid": 6009939,
+ "revid": 1185815944,
+ "title": "Interstellar (film)",
+ "url": "https://en.wikipedia.org/wiki/Interstellar_(film)"
+ }
+ }
+ ],
+ "answer": {
+ "Oppenheimer": 949,
+ "Tenet": 365,
+ "Dunkirk": 527,
+ "Interstellar": 703
+ },
+ "categories": [
+ "Economics",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "b6f7c88dbaa18999",
+ "question": "What is the average number of regular-season wins for each of the last five NBA champions?",
+ "decomposition": [
+ {
+ "id": "d9e4b234ccaaf801",
+ "question": "Who were the last five NBA champions?",
+ "decomposition": [],
+ "answer": [
+ "Denver Nuggets",
+ "Golden State Warriors",
+ "Milwaukee Bucks",
+ "Los Angeles Lakers",
+ "Toronto Raptors"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 16795291,
+ "revid": 1183303589,
+ "title": "List of NBA champions",
+ "url": "https://en.wikipedia.org/wiki/List_of_NBA_champions"
+ }
+ },
+ {
+ "id": "5a05eea85d1c4fc3",
+ "question": "How many regular season wins did the Denver Nuggets have in the 2022-2023 season?",
+ "decomposition": [],
+ "answer": 53,
+ "depends_on": [
+ "d9e4b234ccaaf801"
+ ],
+ "evidence": {
+ "pageid": 71079768,
+ "revid": 1183656988,
+ "title": "2022\u201323 Denver Nuggets season",
+ "url": "https://en.wikipedia.org/wiki/2022%E2%80%9323_Denver_Nuggets_season"
+ }
+ },
+ {
+ "id": "444e08e6fbd32103",
+ "question": "How many regular season wins did the Golden State Warriors have in the 2021-2022 season?",
+ "decomposition": [],
+ "answer": 53,
+ "depends_on": [
+ "d9e4b234ccaaf801"
+ ],
+ "evidence": {
+ "pageid": 68164804,
+ "revid": 1173814348,
+ "title": "2021\u201322 Golden State Warriors season",
+ "url": "https://en.wikipedia.org/wiki/2021%E2%80%9322_Golden_State_Warriors_season"
+ }
+ },
+ {
+ "id": "bb0cdd7cdf770d1b",
+ "question": "How many regular season wins did the Milwaukee Bucks have in the 2020-2021 season?",
+ "decomposition": [],
+ "answer": 46,
+ "depends_on": [
+ "d9e4b234ccaaf801"
+ ],
+ "evidence": {
+ "pageid": 65968197,
+ "revid": 1173813789,
+ "title": "2020\u201321 Milwaukee Bucks season",
+ "url": "https://en.wikipedia.org/wiki/2020%E2%80%9321_Milwaukee_Bucks_season"
+ }
+ },
+ {
+ "id": "5d546bc384903baf",
+ "question": "How many regular season wins did the Los Angeles Lakers have in the 2019-2020 season?",
+ "decomposition": [],
+ "answer": 52,
+ "depends_on": [
+ "d9e4b234ccaaf801"
+ ],
+ "evidence": {
+ "pageid": 60779548,
+ "revid": 1182897970,
+ "title": "2019\u201320 Los Angeles Lakers season",
+ "url": "https://en.wikipedia.org/wiki/2019%E2%80%9320_Los_Angeles_Lakers_season"
+ }
+ },
+ {
+ "id": "54ee088595ae547f",
+ "question": "How many regular season wins did the Toronto Raptors have in the 2018-2019 season?",
+ "decomposition": [],
+ "answer": 58,
+ "depends_on": [
+ "d9e4b234ccaaf801"
+ ],
+ "evidence": {
+ "pageid": 57429610,
+ "revid": 1185739815,
+ "title": "2018\u201319 Toronto Raptors season",
+ "url": "https://en.wikipedia.org/wiki/2018%E2%80%9319_Toronto_Raptors_season"
+ }
+ }
+ ],
+ "answer": {
+ "Denver Nuggets": 53,
+ "Golden State Warriors": 53,
+ "Milwaukee Bucks": 46,
+ "Los Angeles Lakers": 52,
+ "Toronto Raptors": 58
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "f2d45721574984ef",
+ "question": "How many of the top five heaviest animals live in Africa?",
+ "decomposition": [
+ {
+ "id": "7c1fb63609cc38d8",
+ "question": "What are the top five heaviest animals?",
+ "decomposition": [],
+ "answer": [
+ "African bush elephant",
+ "Asian elephant",
+ "African forest elephant",
+ "White rhinoceros",
+ "Indian rhinoceros"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 34477913,
+ "revid": 1185626357,
+ "title": "Largest and heaviest animals",
+ "url": "https://en.wikipedia.org/wiki/Largest_and_heaviest_animals"
+ }
+ },
+ {
+ "id": "6a7e970f416eb69f",
+ "question": "Does African bush elephant live in Africa?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "7c1fb63609cc38d8"
+ ],
+ "evidence": {
+ "pageid": 20597989,
+ "revid": 1183354446,
+ "title": "African bush elephant",
+ "url": "https://en.wikipedia.org/wiki/African_bush_elephant"
+ }
+ },
+ {
+ "id": "0acddb4ed384c854",
+ "question": "Does Asian elephant live in Africa?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "7c1fb63609cc38d8"
+ ],
+ "evidence": {
+ "pageid": 379035,
+ "revid": 1183928557,
+ "title": "Asian elephant",
+ "url": "https://en.wikipedia.org/wiki/Asian_elephant"
+ }
+ },
+ {
+ "id": "1a474222a2af9be1",
+ "question": "Does African forest elephant live in Africa?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "7c1fb63609cc38d8"
+ ],
+ "evidence": {
+ "pageid": 326177,
+ "revid": 1185610026,
+ "title": "African forest elephant",
+ "url": "https://en.wikipedia.org/wiki/African_forest_elephant"
+ }
+ },
+ {
+ "id": "caa53c25997f4a88",
+ "question": "Does White rhinoceros live in Africa?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "7c1fb63609cc38d8"
+ ],
+ "evidence": {
+ "pageid": 980916,
+ "revid": 1184658426,
+ "title": "White rhinoceros",
+ "url": "https://en.wikipedia.org/wiki/White_rhinoceros"
+ }
+ },
+ {
+ "id": "9224e766ad6574c7",
+ "question": "Does Indian rhinoceros live in Africa?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "7c1fb63609cc38d8"
+ ],
+ "evidence": {
+ "pageid": 802149,
+ "revid": 1184583020,
+ "title": "Indian rhinoceros",
+ "url": "https://en.wikipedia.org/wiki/Indian_rhinoceros"
+ }
+ }
+ ],
+ "answer": 3,
+ "categories": [
+ "Zoology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "29242cc91b49e88e",
+ "question": "Which of the main actors from the movie \u201cThe Avengers\u201d have won Academy Awards?",
+ "decomposition": [
+ {
+ "id": "f7dc73b8515ad291",
+ "question": "Who are the actors in \u201cThe Avengers?",
+ "decomposition": [],
+ "answer": [
+ "Robert Downey Jr.",
+ "Chris Evans",
+ "Mark Ruffalo",
+ "Chris Hemsworth",
+ "Scarlett Johansson",
+ "Jeremy Renner",
+ "Tom Hiddleston",
+ "Samuel L. Jackson"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 22114132,
+ "revid": 1185101361,
+ "title": "The Avengers (2012 film)",
+ "url": "https://en.wikipedia.org/wiki/The_Avengers_(2012_film)#"
+ }
+ },
+ {
+ "id": "0aa8d83ee1f4cd1a",
+ "question": "Did Robert Downey Jr. win an academy award?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "f7dc73b8515ad291"
+ ],
+ "evidence": {
+ "pageid": 171045,
+ "revid": 1185736019,
+ "title": "Robert Downey Jr.",
+ "url": "https://en.wikipedia.org/wiki/Robert_Downey_Jr."
+ }
+ },
+ {
+ "id": "45d55498d527b152",
+ "question": "Did Chris Evans win an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "f7dc73b8515ad291"
+ ],
+ "evidence": {
+ "pageid": 1535704,
+ "revid": 1185668843,
+ "title": "Chris Evans (actor)",
+ "url": "https://en.wikipedia.org/wiki/Chris_Evans_(actor)"
+ }
+ },
+ {
+ "id": "6131e478eccf2129",
+ "question": "Did Mark Ruffalo win an academy award?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "f7dc73b8515ad291"
+ ],
+ "evidence": {
+ "pageid": 723126,
+ "revid": 1185798138,
+ "title": "Mark Ruffalo",
+ "url": "https://en.wikipedia.org/wiki/Mark_Ruffalo"
+ }
+ },
+ {
+ "id": "142ed2a53adca064",
+ "question": "Did Chris Hemsworth win an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "f7dc73b8515ad291"
+ ],
+ "evidence": {
+ "pageid": 1221476,
+ "revid": 1183172289,
+ "title": "Chris Hemsworth",
+ "url": "https://en.wikipedia.org/wiki/Chris_Hemsworth"
+ }
+ },
+ {
+ "id": "80ec9aef9fc08966",
+ "question": "Did Scarlett Johansson win an academy award?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "f7dc73b8515ad291"
+ ],
+ "evidence": {
+ "pageid": 20913246,
+ "revid": 1183318205,
+ "title": "Scarlett Johansson",
+ "url": "https://en.wikipedia.org/wiki/Scarlett_Johansson"
+ }
+ },
+ {
+ "id": "e90c7209dc75fbb2",
+ "question": "Did Jeremy Renner win an academy award?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "f7dc73b8515ad291"
+ ],
+ "evidence": {
+ "pageid": 4148655,
+ "revid": 1178254738,
+ "title": "Jeremy Renner",
+ "url": "https://en.wikipedia.org/wiki/Jeremy_Renner"
+ }
+ },
+ {
+ "id": "69507afdea179610",
+ "question": "Did Tom Hiddleston win an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "f7dc73b8515ad291"
+ ],
+ "evidence": {
+ "pageid": 15003874,
+ "revid": 1184406843,
+ "title": "Tom Hiddleston",
+ "url": "https://en.wikipedia.org/wiki/Tom_Hiddleston"
+ }
+ },
+ {
+ "id": "9eec955b89bc5e69",
+ "question": "Did Samuel L. Jackson win an academy award?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "f7dc73b8515ad291"
+ ],
+ "evidence": {
+ "pageid": 54306,
+ "revid": 1185932103,
+ "title": "Samuel L. Jackson",
+ "url": "https://en.wikipedia.org/wiki/Samuel_L._Jackson"
+ }
+ }
+ ],
+ "answer": {
+ "Robert Downey Jr.": true,
+ "Chris Evans": false,
+ "Mark Ruffalo": true,
+ "Chris Hemsworth": false,
+ "Scarlett Johansson": true,
+ "Jeremy Renner": true,
+ "Tom Hiddleston": false,
+ "Samuel L. Jackson": true
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "697563de476221c4",
+ "question": "Which Formula 1 Grand Prix races have been hosted in Asia/Middle East and which driver has the most wins on each of these tracks?",
+ "decomposition": [
+ {
+ "id": "f345264495602063",
+ "question": "Which Formula 1 Grand Prix were hosted in Asia",
+ "decomposition": [],
+ "answer": [
+ "Singapore Grand Prix",
+ "Korean Grand Prix",
+ "Indian Grand Prix"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 10854,
+ "revid": 1185933214,
+ "title": "Formula One",
+ "url": "https://en.wikipedia.org/wiki/Formula_One#Grands_Prix"
+ }
+ },
+ {
+ "id": "7498c2d0d1c830b4",
+ "question": "Which driver has the most wins on the Singapore Grand Prix track?",
+ "decomposition": [],
+ "answer": ". Sebastian Vettel",
+ "depends_on": [
+ "f345264495602063"
+ ],
+ "evidence": {
+ "pageid": 9305401,
+ "revid": 1179625039,
+ "title": "Singapore Grand Prix",
+ "url": "https://en.wikipedia.org/wiki/Singapore_Grand_Prix"
+ }
+ },
+ {
+ "id": "db6448a4d7e10152",
+ "question": "Which driver has the most wins on the Korean Grand Prix track?",
+ "decomposition": [],
+ "answer": "Sebastian Vettel",
+ "depends_on": [
+ "f345264495602063"
+ ],
+ "evidence": {
+ "pageid": 7326011,
+ "revid": 1147159950,
+ "title": "Korean Grand Prix",
+ "url": "https://en.wikipedia.org/wiki/Korean_Grand_Prix"
+ }
+ },
+ {
+ "id": "1c817aafcf01354a",
+ "question": "Which driver has the most wins on the Indian Grand Prix track?",
+ "decomposition": [],
+ "answer": "Sebastian Vettel",
+ "depends_on": [
+ "f345264495602063"
+ ],
+ "evidence": {
+ "pageid": 10446132,
+ "revid": 1176869519,
+ "title": "Indian Grand Prix",
+ "url": "https://en.wikipedia.org/wiki/Indian_Grand_Prix"
+ }
+ },
+ {
+ "id": "7bfc452af5dd2d39",
+ "question": "Which driver has the most wins on the Azerbaijan Grand Prix track?",
+ "decomposition": [],
+ "answer": "Sergio P\u00e9rez",
+ "depends_on": [
+ "f345264495602063"
+ ],
+ "evidence": {
+ "pageid": 51017385,
+ "revid": 1177716220,
+ "title": "Azerbaijan Grand Prix",
+ "url": "https://en.wikipedia.org/wiki/Azerbaijan_Grand_Prix"
+ }
+ },
+ {
+ "id": "846e739546803001",
+ "question": "Which driver has the most wins on the Abu Dhabi Grand Prix track?",
+ "decomposition": [],
+ "answer": "Lewis Hamilton",
+ "depends_on": [
+ "f345264495602063"
+ ],
+ "evidence": {
+ "pageid": 10148418,
+ "revid": 1185935946,
+ "title": "Abu Dhabi Grand Prix",
+ "url": "https://en.wikipedia.org/wiki/Abu_Dhabi_Grand_Prix"
+ }
+ },
+ {
+ "id": "7fa41c1371b62c6a",
+ "question": "Which driver has the most wins on the Qatar Grand Prix track?",
+ "decomposition": [],
+ "answer": "Lewis Hamilton, Max Verstappen",
+ "depends_on": [
+ "f345264495602063"
+ ],
+ "evidence": {
+ "pageid": 68851702,
+ "revid": 1179512814,
+ "title": "Qatar Grand Prix",
+ "url": "https://en.wikipedia.org/wiki/Qatar_Grand_Prix"
+ }
+ },
+ {
+ "id": "6f007d0ba04588f2",
+ "question": "Which driver has the most wins on the Saudi Arabian Grand Prix track?",
+ "decomposition": [],
+ "answer": "Lewis Hamilton, Sergio P\u00e9rez, Max Verstappen",
+ "depends_on": [
+ "f345264495602063"
+ ],
+ "evidence": {
+ "pageid": 65766701,
+ "revid": 1184750337,
+ "title": "Saudi Arabian Grand Prix",
+ "url": "https://en.wikipedia.org/wiki/Saudi_Arabian_Grand_Prix"
+ }
+ }
+ ],
+ "answer": {
+ "Singapore Grand Prix": "Sebastian Vettel",
+ "Korean Grand Prix": "Sebastian Vettel",
+ "Indian Grand Prix": "Sebastian Vettel",
+ "Azerbaijan Grand Prix": "Sergio P\u00e9rez",
+ "Abu Dhabi Grand Prix": "Lewis Hamilton",
+ "Qatar Grand Prix": "Lewis Hamilton, Max Verstappen",
+ "Saudi Arabian Grand Prix": "Lewis Hamilton, Sergio P\u00e9rez, Max Verstappen"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "b81092db71078ade",
+ "question": "What is the total number of employees in the five largest banks in the world?",
+ "decomposition": [
+ {
+ "id": "a16603e56d141cb8",
+ "question": "What are 5 largest banks in the world?",
+ "decomposition": [],
+ "answer": [
+ "JPMorgan Chase",
+ "Bank of America",
+ "Industrial and Commercial Bank of China",
+ "Agricultural Bank of China",
+ "HDFC Bank"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 38298344,
+ "revid": 1184690033,
+ "title": "List of largest banks",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_banks"
+ }
+ },
+ {
+ "id": "93b2d93f03fd5eba",
+ "question": "How many employees does JPMorgan Chase have?",
+ "decomposition": [],
+ "answer": 308669,
+ "depends_on": [
+ "a16603e56d141cb8"
+ ],
+ "evidence": {
+ "pageid": 231001,
+ "revid": 1185928402,
+ "title": "JPMorgan Chase",
+ "url": "https://en.wikipedia.org/wiki/JPMorgan_Chase"
+ }
+ },
+ {
+ "id": "49d384bdb1118f77",
+ "question": "How many employees does Bank of America have?",
+ "decomposition": [],
+ "answer": 217000,
+ "depends_on": [
+ "a16603e56d141cb8"
+ ],
+ "evidence": {
+ "pageid": 347756,
+ "revid": 1182925937,
+ "title": "Bank of America",
+ "url": "https://en.wikipedia.org/wiki/Bank_of_America"
+ }
+ },
+ {
+ "id": "2adbfd422053e3d5",
+ "question": "How many employees does Industrial and Commercial Bank of China have?",
+ "decomposition": [],
+ "answer": 434798,
+ "depends_on": [
+ "a16603e56d141cb8"
+ ],
+ "evidence": {
+ "pageid": 998821,
+ "revid": 1185644082,
+ "title": "Industrial and Commercial Bank of China",
+ "url": "https://en.wikipedia.org/wiki/Industrial_and_Commercial_Bank_of_China"
+ }
+ },
+ {
+ "id": "2d4c2cd3126962c2",
+ "question": "How many employees does Agricultural Bank of China have?",
+ "decomposition": [],
+ "answer": 467631,
+ "depends_on": [
+ "a16603e56d141cb8"
+ ],
+ "evidence": {
+ "pageid": 332351,
+ "revid": 1168562674,
+ "title": "Agricultural Bank of China",
+ "url": "https://en.wikipedia.org/wiki/Agricultural_Bank_of_China"
+ }
+ },
+ {
+ "id": "8ff741516642ee93",
+ "question": "How many employees does HDFC Bank have?",
+ "decomposition": [],
+ "answer": 177000,
+ "depends_on": [
+ "a16603e56d141cb8"
+ ],
+ "evidence": {
+ "pageid": 6745280,
+ "revid": 1185406950,
+ "title": "HDFC Bank",
+ "url": "https://en.wikipedia.org/wiki/HDFC_Bank"
+ }
+ }
+ ],
+ "answer": 1604898,
+ "categories": [
+ "Finance",
+ "Business"
+ ]
+ },
+ {
+ "id": "d45c7422d0d1fa04",
+ "question": "What are the highest points (mountains) in the five countries with the longest coastlines?",
+ "decomposition": [
+ {
+ "id": "4d436f093904308e",
+ "question": "What are the five countries with the longest coastlines?",
+ "decomposition": [],
+ "answer": [
+ "Canada",
+ "Norway",
+ "Indonesia",
+ "Russia",
+ "Philippines"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 4147091,
+ "revid": 1183773520,
+ "title": "List of countries by length of coastline",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_length_of_coastline"
+ }
+ },
+ {
+ "id": "74f36cef49c5415d",
+ "question": "What is the highest point in Canada?",
+ "decomposition": [],
+ "answer": "Mount Logan",
+ "depends_on": [
+ "4d436f093904308e"
+ ],
+ "evidence": {
+ "pageid": 5192,
+ "revid": 1184319403,
+ "title": "Geography of Canada",
+ "url": "https://en.wikipedia.org/wiki/Geography_of_Canada"
+ }
+ },
+ {
+ "id": "78f0b3b732f489ef",
+ "question": "What is the highest point in Norway?",
+ "decomposition": [],
+ "answer": "Galdh\u00f8piggen",
+ "depends_on": [
+ "4d436f093904308e"
+ ],
+ "evidence": {
+ "pageid": 57612,
+ "revid": 1176140059,
+ "title": "Geography of Norway",
+ "url": "https://en.wikipedia.org/wiki/Geography_of_Norway"
+ }
+ },
+ {
+ "id": "c13d70c508ce54eb",
+ "question": "What is the highest point in Indonesia?",
+ "decomposition": [],
+ "answer": "Puncak Jaya",
+ "depends_on": [
+ "4d436f093904308e"
+ ],
+ "evidence": {
+ "pageid": 14644,
+ "revid": 1185215705,
+ "title": "Geography of Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Geography_of_Indonesia"
+ }
+ },
+ {
+ "id": "652d779dd8ee0ce1",
+ "question": "What is the highest point in Russia?",
+ "decomposition": [],
+ "answer": "Mount Elbrus",
+ "depends_on": [
+ "4d436f093904308e"
+ ],
+ "evidence": {
+ "pageid": 25702,
+ "revid": 1181067349,
+ "title": "Geography of Russia",
+ "url": "https://en.wikipedia.org/wiki/Geography_of_Russia"
+ }
+ },
+ {
+ "id": "16e8bd262aa746d0",
+ "question": "What is the highest point in the Philippines?",
+ "decomposition": [],
+ "answer": "Mount Apo",
+ "depends_on": [
+ "4d436f093904308e"
+ ],
+ "evidence": {
+ "pageid": 23442,
+ "revid": 1185532729,
+ "title": "Geography of the Philippines",
+ "url": "https://en.wikipedia.org/wiki/Geography_of_the_Philippines"
+ }
+ }
+ ],
+ "answer": {
+ "Canada": "Mount Logan",
+ "Norway": "Galdh\u00f8piggen",
+ "Indonesia": "Puncak Jaya",
+ "Russia": "Mount Elbrus",
+ "Philippines": "Mount Apo"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "5898eefba47441f7",
+ "question": "What is the GDP in USD of the four largest provinces in China by area?",
+ "decomposition": [
+ {
+ "id": "755491371b671b52",
+ "question": "What are the 4 largest provinces in the China?",
+ "decomposition": [],
+ "answer": [
+ "Qinghai",
+ "Sichuan",
+ "Gansu",
+ "Heilongjiang"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 254234,
+ "revid": 1185308482,
+ "title": "Provinces of China",
+ "url": "https://en.wikipedia.org/wiki/Provinces_of_China"
+ }
+ },
+ {
+ "id": "f832b6da4a7dfca6",
+ "question": "What is the GDP of Qinghai?",
+ "decomposition": [],
+ "answer": "USD 53.7 billion",
+ "depends_on": [
+ "755491371b671b52"
+ ],
+ "evidence": {
+ "pageid": 173818,
+ "revid": 1185504799,
+ "title": "Qinghai",
+ "url": "https://en.wikipedia.org/wiki/Qinghai"
+ }
+ },
+ {
+ "id": "dd06a2e12187f51d",
+ "question": "What is the GDP of Sichuan?",
+ "decomposition": [],
+ "answer": "USD 847 billion",
+ "depends_on": [
+ "755491371b671b52"
+ ],
+ "evidence": {
+ "pageid": 65185,
+ "revid": 1182495806,
+ "title": "Sichuan",
+ "url": "https://en.wikipedia.org/wiki/Sichuan"
+ }
+ },
+ {
+ "id": "6bdf59ddee8acfbf",
+ "question": "What is the GDP of Gansu?",
+ "decomposition": [],
+ "answer": "USD 159 billion",
+ "depends_on": [
+ "755491371b671b52"
+ ],
+ "evidence": {
+ "pageid": 152814,
+ "revid": 1185793779,
+ "title": "Gansu",
+ "url": "https://en.wikipedia.org/wiki/Gansu"
+ }
+ },
+ {
+ "id": "15eaa9eae739612e",
+ "question": "What is the GDP of Heilongjiang?",
+ "decomposition": [],
+ "answer": "USD 236 billion",
+ "depends_on": [
+ "755491371b671b52"
+ ],
+ "evidence": {
+ "pageid": 173816,
+ "revid": 1184616637,
+ "title": "Heilongjiang",
+ "url": "https://en.wikipedia.org/wiki/Heilongjiang"
+ }
+ }
+ ],
+ "answer": {
+ "Qinghai": "USD 53.7 billion",
+ "Sichuan": "USD 847 billion",
+ "Gnasu": "USD 159 billion",
+ "Heilongjiang": "USD 236 billion"
+ },
+ "categories": [
+ "Economics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "ea13b944bf63feae",
+ "question": "How many countries can the top 5 strongest passport holders travel to in 2023?",
+ "decomposition": [
+ {
+ "id": "28a6278a2bbd6581",
+ "question": "What are the top 5 strongest passports in 2023?",
+ "decomposition": [],
+ "answer": [
+ "Singapore",
+ "Japan",
+ "Finland",
+ "France",
+ "Germany"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 49531252,
+ "revid": 1184586473,
+ "title": "Henley Passport Index",
+ "url": "https://en.wikipedia.org/wiki/Henley_Passport_Index"
+ }
+ },
+ {
+ "id": "688f91d677c7c4f9",
+ "question": "How many countries can Singaporean passport holders travel to?",
+ "decomposition": [],
+ "answer": 193,
+ "depends_on": [
+ "28a6278a2bbd6581"
+ ],
+ "evidence": {
+ "pageid": 26017072,
+ "revid": 1182689861,
+ "title": "Visa requirements for Singaporean citizens",
+ "url": "https://en.wikipedia.org/wiki/Visa_requirements_for_Singaporean_citizens"
+ }
+ },
+ {
+ "id": "0ecf0ce3f1cdc9f3",
+ "question": "How many countries can Japanese passport holders travel to?",
+ "decomposition": [],
+ "answer": 191,
+ "depends_on": [
+ "28a6278a2bbd6581"
+ ],
+ "evidence": {
+ "pageid": 25970148,
+ "revid": 1185245125,
+ "title": "Visa requirements for Japanese citizens",
+ "url": "https://en.wikipedia.org/wiki/Visa_requirements_for_Japanese_citizens"
+ }
+ },
+ {
+ "id": "53e48eb2dcba329f",
+ "question": "How many countries can Finnish passport holders travel to?",
+ "decomposition": [],
+ "answer": 190,
+ "depends_on": [
+ "28a6278a2bbd6581"
+ ],
+ "evidence": {
+ "pageid": 25978701,
+ "revid": 1183697250,
+ "title": "Visa requirements for Finnish citizens",
+ "url": "https://en.wikipedia.org/wiki/Visa_requirements_for_Finnish_citizens"
+ }
+ },
+ {
+ "id": "46ebd1ec75e72925",
+ "question": "How many countries can French passport holders travel to?",
+ "decomposition": [],
+ "answer": 190,
+ "depends_on": [
+ "28a6278a2bbd6581"
+ ],
+ "evidence": {
+ "pageid": 25971948,
+ "revid": 1183793915,
+ "title": "Visa requirements for French citizens",
+ "url": "https://en.wikipedia.org/wiki/Visa_requirements_for_French_citizens"
+ }
+ },
+ {
+ "id": "a4256d31d1ec7458",
+ "question": "How many countries can German passport holders travel to?",
+ "decomposition": [],
+ "answer": 190,
+ "depends_on": [
+ "28a6278a2bbd6581"
+ ],
+ "evidence": {
+ "pageid": 69857942,
+ "revid": 1185771521,
+ "title": "Visa requirements for German citizens",
+ "url": "https://en.wikipedia.org/wiki/Visa_requirements_for_German_citizens"
+ }
+ }
+ ],
+ "answer": {
+ "Singapore": 193,
+ "Japan": 191,
+ "Finland": 190,
+ "France": 190,
+ "Germany": 190
+ },
+ "categories": [
+ "Travel",
+ "International Relations"
+ ]
+ },
+ {
+ "id": "3776573bca884446",
+ "question": "What are some landmarks in US zip codes with an average income of over $200,000?",
+ "decomposition": [
+ {
+ "id": "57168c784f57b42c",
+ "question": "What are the zipcodes in the US with over 200k average income?",
+ "decomposition": [],
+ "answer": [
+ "19710",
+ "77010",
+ "19732",
+ "33109"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 4045661,
+ "revid": 1168970307,
+ "title": "List of highest-income ZIP Code Tabulation Areas in the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-income_ZIP_Code_Tabulation_Areas_in_the_United_States"
+ }
+ },
+ {
+ "id": "87cea9d5b7dab23b",
+ "question": "What are the landmarks in zipcode 19710?",
+ "decomposition": [],
+ "answer": "Delaware Route 100",
+ "depends_on": [
+ "57168c784f57b42c"
+ ],
+ "evidence": {
+ "pageid": 13545365,
+ "revid": 1167345934,
+ "title": "Montchanin, Delaware",
+ "url": "https://en.wikipedia.org/wiki/Montchanin,_Delaware"
+ }
+ },
+ {
+ "id": "f19fc9b5022c65b4",
+ "question": "What are the landmarks in zipcode 77010?",
+ "decomposition": [],
+ "answer": "Lyndon B. Johnson Space Center",
+ "depends_on": [
+ "57168c784f57b42c"
+ ],
+ "evidence": {
+ "pageid": 13774,
+ "revid": 1185605911,
+ "title": "Houston",
+ "url": "https://en.wikipedia.org/wiki/Houston"
+ }
+ },
+ {
+ "id": "2dcb69213a5258c7",
+ "question": "What are the landmarks in zipcode 19732?",
+ "decomposition": [],
+ "answer": "Rockland Historic District",
+ "depends_on": [
+ "57168c784f57b42c"
+ ],
+ "evidence": {
+ "pageid": 16074877,
+ "revid": 1167507883,
+ "title": "Rockland, Delaware",
+ "url": "https://en.wikipedia.org/wiki/Rockland,_Delaware"
+ }
+ },
+ {
+ "id": "3880f25aaee0ed76",
+ "question": "What are the landmarks in zipcode 33109?",
+ "decomposition": [],
+ "answer": "Art Deco Historic District",
+ "depends_on": [
+ "57168c784f57b42c"
+ ],
+ "evidence": {
+ "pageid": 109449,
+ "revid": 1185633849,
+ "title": "Miami Beach, Florida",
+ "url": "https://en.wikipedia.org/wiki/Miami_Beach,_Florida"
+ }
+ }
+ ],
+ "answer": {
+ "19710": "Delaware Route 100",
+ "77010": "Lyndon B. Johnson Space Center",
+ "19732": "Rockland Historic District",
+ "33109": "Art Deco Historic District"
+ },
+ "categories": [
+ "Economics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "a0216c68b94f857e",
+ "question": "What is the life expectancy in years for the top four most populous countries?",
+ "decomposition": [
+ {
+ "id": "d5ecc6edc97c9f3a",
+ "question": "What are the four most populous countries?",
+ "decomposition": [],
+ "answer": [
+ "China",
+ "India",
+ "United States",
+ "Indonesia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69058,
+ "revid": 1185694277,
+ "title": "List of countries and dependencies by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_and_dependencies_by_population"
+ }
+ },
+ {
+ "id": "02b7ca297770ab61",
+ "question": "What is the life expectancy in China?",
+ "decomposition": [],
+ "answer": 78.6,
+ "depends_on": [
+ "d5ecc6edc97c9f3a"
+ ],
+ "evidence": {
+ "pageid": 23238,
+ "revid": 1185025967,
+ "title": "Demographics of China",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_China"
+ }
+ },
+ {
+ "id": "4b7ff61b9ed573a6",
+ "question": "What is the life expectancy in India?",
+ "decomposition": [],
+ "answer": 72,
+ "depends_on": [
+ "d5ecc6edc97c9f3a"
+ ],
+ "evidence": {
+ "pageid": 14598,
+ "revid": 1182684231,
+ "title": "Demographics of India",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_India"
+ }
+ },
+ {
+ "id": "2e41fd4fe576c385",
+ "question": "What is the life expectancy in the United States?",
+ "decomposition": [],
+ "answer": 76.1,
+ "depends_on": [
+ "d5ecc6edc97c9f3a"
+ ],
+ "evidence": {
+ "pageid": 70197,
+ "revid": 1184146182,
+ "title": "Demographics of the United States",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_the_United_States"
+ }
+ },
+ {
+ "id": "ed89de03e6f816a0",
+ "question": "What is the life expectancy in Indonesia?",
+ "decomposition": [],
+ "answer": 73.08,
+ "depends_on": [
+ "d5ecc6edc97c9f3a"
+ ],
+ "evidence": {
+ "pageid": 14645,
+ "revid": 1185103033,
+ "title": "Demographics of Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Indonesia"
+ }
+ }
+ ],
+ "answer": {
+ "China": 78.6,
+ "India": 72,
+ "United States": 76.1,
+ "Indonesia": 73.08
+ },
+ "categories": [
+ "Geography",
+ "Demographics"
+ ]
+ },
+ {
+ "id": "cd8d5b0815694ab4",
+ "question": "What are the ages of the top 5 most followed people on Instagram?",
+ "decomposition": [
+ {
+ "id": "92d6e7aa06965c5d",
+ "question": "Who are the top 5 most followed on Instagram?",
+ "decomposition": [],
+ "answer": [
+ "Cristiano Ronaldo",
+ "Lionel Messi",
+ "Selena Gomez",
+ "Kylie Jenner",
+ "Dwayne Johnson"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 52088909,
+ "revid": 1185064472,
+ "title": "List of most-followed Instagram accounts",
+ "url": "https://en.wikipedia.org/wiki/List_of_most-followed_Instagram_accounts"
+ }
+ },
+ {
+ "id": "431080ed09dad021",
+ "question": "What is the age of Cristiano Ronaldo?",
+ "decomposition": [],
+ "answer": 38,
+ "depends_on": [
+ "92d6e7aa06965c5d"
+ ],
+ "evidence": {
+ "pageid": 623737,
+ "revid": 1185931325,
+ "title": "Cristiano Ronaldo",
+ "url": "https://en.wikipedia.org/wiki/Cristiano_Ronaldo"
+ }
+ },
+ {
+ "id": "0e9f40d1d798f536",
+ "question": "What is the age of Lionel Messi?",
+ "decomposition": [],
+ "answer": 36,
+ "depends_on": [
+ "92d6e7aa06965c5d"
+ ],
+ "evidence": {
+ "pageid": 2150841,
+ "revid": 1185609783,
+ "title": "Lionel Messi",
+ "url": "https://en.wikipedia.org/wiki/Lionel_Messi"
+ }
+ },
+ {
+ "id": "a0a157105fbfcd83",
+ "question": "What is the age of Selena Gomez?",
+ "decomposition": [],
+ "answer": 31,
+ "depends_on": [
+ "92d6e7aa06965c5d"
+ ],
+ "evidence": {
+ "pageid": 6844407,
+ "revid": 1184988670,
+ "title": "Selena Gomez",
+ "url": "https://en.wikipedia.org/wiki/Selena_Gomez"
+ }
+ },
+ {
+ "id": "a2335f9aeb974708",
+ "question": "What is the age of Kylie Jenner?",
+ "decomposition": [],
+ "answer": 26,
+ "depends_on": [
+ "92d6e7aa06965c5d"
+ ],
+ "evidence": {
+ "pageid": 21881809,
+ "revid": 1184344270,
+ "title": "Kylie Jenner",
+ "url": "https://en.wikipedia.org/wiki/Kylie_Jenner"
+ }
+ },
+ {
+ "id": "71b802f5e2a8cbe1",
+ "question": "What is the age of Dwayne Johnson?",
+ "decomposition": [],
+ "answer": 51,
+ "depends_on": [
+ "92d6e7aa06965c5d"
+ ],
+ "evidence": {
+ "pageid": 156126,
+ "revid": 1185679275,
+ "title": "Dwayne Johnson",
+ "url": "https://en.wikipedia.org/wiki/Dwayne_Johnson"
+ }
+ }
+ ],
+ "answer": {
+ "Cristiano Ronaldo": 38,
+ "Lionel Messi": 36,
+ "Selena Gomez": 31,
+ "Kylie Jenner": 26,
+ "Dwayne Johnson": 51
+ },
+ "categories": [
+ "Culture",
+ "Internet"
+ ]
+ },
+ {
+ "id": "3cf6c1c1972eda92",
+ "question": "What is the page count for each of the books in the five largest book deals?",
+ "decomposition": [
+ {
+ "id": "7eab0d4917d0cc54",
+ "question": "What are the 5 largest book deals?",
+ "decomposition": [],
+ "answer": [
+ "My Life",
+ "The Woman in Me",
+ "Hard Choices",
+ "Born to Run",
+ "The Girl with the Lower Back Tattoo"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 71066660,
+ "revid": 1182994275,
+ "title": "List of largest book deals",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_book_deals"
+ }
+ },
+ {
+ "id": "690b4ca7d42736f3",
+ "question": "How many pages are in My Life?",
+ "decomposition": [],
+ "answer": 1008,
+ "depends_on": [
+ "7eab0d4917d0cc54"
+ ],
+ "evidence": {
+ "pageid": 4234464,
+ "revid": 1154370206,
+ "title": "My Life (Clinton autobiography)",
+ "url": "https://en.wikipedia.org/wiki/My_Life_(Clinton_autobiography)"
+ }
+ },
+ {
+ "id": "40e4efbdd5a7099c",
+ "question": "How many pages are in The Woman in Me?",
+ "decomposition": [],
+ "answer": 288,
+ "depends_on": [
+ "7eab0d4917d0cc54"
+ ],
+ "evidence": {
+ "pageid": 74324266,
+ "revid": 1185516510,
+ "title": "The Woman in Me (memoir)",
+ "url": "https://en.wikipedia.org/wiki/The_Woman_in_Me_(memoir)"
+ }
+ },
+ {
+ "id": "36e93138def794d2",
+ "question": "How many pages are in Hard Choices?",
+ "decomposition": [],
+ "answer": 656,
+ "depends_on": [
+ "7eab0d4917d0cc54"
+ ],
+ "evidence": {
+ "pageid": 43004416,
+ "revid": 1184806493,
+ "title": "Hard Choices",
+ "url": "https://en.wikipedia.org/wiki/Hard_Choices"
+ }
+ },
+ {
+ "id": "f05348c926cd514a",
+ "question": "How many pages are in Born to Run?",
+ "decomposition": [],
+ "answer": 528,
+ "depends_on": [
+ "7eab0d4917d0cc54"
+ ],
+ "evidence": {
+ "pageid": 51458588,
+ "revid": 1142196678,
+ "title": "Born to Run (autobiography)",
+ "url": "https://en.wikipedia.org/wiki/Born_to_Run_(autobiography)"
+ }
+ },
+ {
+ "id": "3c8c38dce9bc4d73",
+ "question": "How many pages are in The Girl with the Lower Back Tattoo?",
+ "decomposition": [],
+ "answer": 336,
+ "depends_on": [
+ "7eab0d4917d0cc54"
+ ],
+ "evidence": {
+ "pageid": 51357372,
+ "revid": 1112944908,
+ "title": "The Girl with the Lower Back Tattoo",
+ "url": "https://en.wikipedia.org/wiki/The_Girl_with_the_Lower_Back_Tattoo"
+ }
+ }
+ ],
+ "answer": {
+ "My Life": 1008,
+ "The Woman in Me": 288,
+ "Hard Choices": 656,
+ "Born to Run": 528,
+ "The Girl with the Lower Back Tattoo": 336
+ },
+ "categories": [
+ "Literature",
+ "Publishing"
+ ]
+ },
+ {
+ "id": "98ced84a1a9df028",
+ "question": "List the films directed by the director with the second highest career film gross worldwide and provide the budget for each film in USD.",
+ "decomposition": [
+ {
+ "id": "9a57fbfa9d2632f3",
+ "question": "Who is the director with the second highest career film gross (worldwide)?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 30208326,
+ "revid": 1180247501,
+ "title": "List of highest-grossing film directors",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_film_directors"
+ }
+ },
+ {
+ "id": "aacbb9123f73234b",
+ "question": "Find the list of films directed James Cameron. What was the budget for each?",
+ "decomposition": [
+ {
+ "id": "0cc857e27ff90fd1",
+ "question": "What films did James Cameron direct?",
+ "decomposition": [],
+ "answer": [
+ "Piranha II: The Spawning",
+ "The Terminator",
+ "Aliens",
+ "The Abyss",
+ "Terminator 2: Judgement Day",
+ "True Lies",
+ "Titanic",
+ "Avatar",
+ "Avatar: The Way of Water",
+ "Avatar 3",
+ "Avatar 4"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 15622,
+ "revid": 1185782795,
+ "title": "James Cameron",
+ "url": "https://en.wikipedia.org/wiki/James_Cameron"
+ }
+ },
+ {
+ "id": "93ef60e84da6be01",
+ "question": "What was the budget for Piranha II: The Spawning?",
+ "decomposition": [],
+ "answer": "$145,786",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 3766451,
+ "revid": 1178743404,
+ "title": "Piranha II: The Spawning",
+ "url": "https://en.wikipedia.org/wiki/Piranha_II:_The_Spawning"
+ }
+ },
+ {
+ "id": "244dac6d85987a5a",
+ "question": "What was the budget for The Terminator?",
+ "decomposition": [],
+ "answer": "$6.4 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 30327,
+ "revid": 1185784546,
+ "title": "The Terminator",
+ "url": "https://en.wikipedia.org/wiki/The_Terminator"
+ }
+ },
+ {
+ "id": "910b54fc413388db",
+ "question": "What was the budget for Aliens?",
+ "decomposition": [],
+ "answer": "$18.5 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 213472,
+ "revid": 1185398421,
+ "title": "Aliens (film)",
+ "url": "https://en.wikipedia.org/wiki/Aliens_(film)"
+ }
+ },
+ {
+ "id": "dbc543bc407bfdec",
+ "question": "What was the budget for The Abyss?",
+ "decomposition": [],
+ "answer": "$90 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 45568,
+ "revid": 1185399692,
+ "title": "The Abyss",
+ "url": "https://en.wikipedia.org/wiki/The_Abyss"
+ }
+ },
+ {
+ "id": "fb3a63f7657abe19",
+ "question": "What was the budget for Terminator 2: Judgement Day?",
+ "decomposition": [],
+ "answer": "$94-102 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 34344124,
+ "revid": 1185518936,
+ "title": "Terminator 2: Judgment Day",
+ "url": "https://en.wikipedia.org/wiki/Terminator_2:_Judgment_Day"
+ }
+ },
+ {
+ "id": "133911dc7634c87a",
+ "question": "What was the budget for True Lies?",
+ "decomposition": [],
+ "answer": "$100-120 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 68374,
+ "revid": 1185355564,
+ "title": "True Lies",
+ "url": "https://en.wikipedia.org/wiki/True_Lies"
+ }
+ },
+ {
+ "id": "f33a988ac8c372b6",
+ "question": "What was the budget for Titanic?",
+ "decomposition": [],
+ "answer": "$200 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "fec3b7d510ff9467",
+ "question": "What was the budget for Avatar?",
+ "decomposition": [],
+ "answer": "$237 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 4273140,
+ "revid": 1185356274,
+ "title": "Avatar (2009 film)",
+ "url": "https://en.wikipedia.org/wiki/Avatar_(2009_film)"
+ }
+ },
+ {
+ "id": "94e84fac8a6f7767",
+ "question": "What was the budget for Avatar: The Way of Water?",
+ "decomposition": [],
+ "answer": "$350-460 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 25813358,
+ "revid": 1185376874,
+ "title": "Avatar: The Way of Water",
+ "url": "https://en.wikipedia.org/wiki/Avatar:_The_Way_of_Water"
+ }
+ },
+ {
+ "id": "352f6d48e76e2781",
+ "question": "What was the budget for Avatar 3?",
+ "decomposition": [],
+ "answer": "$250 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 27442998,
+ "revid": 1184008132,
+ "title": "Avatar 3",
+ "url": "https://en.wikipedia.org/wiki/Avatar_3"
+ }
+ },
+ {
+ "id": "f3990d2ea5aeb28f",
+ "question": "What was the budget for Avatar 4?",
+ "decomposition": [],
+ "answer": "$250 million",
+ "depends_on": [
+ "0cc857e27ff90fd1"
+ ],
+ "evidence": {
+ "pageid": 54715649,
+ "revid": 1185400707,
+ "title": "Avatar 4",
+ "url": "https://en.wikipedia.org/wiki/Avatar_4"
+ }
+ }
+ ],
+ "answer": {
+ "Piranha II: The Spawning": "$145,786",
+ "The Terminator": "$6.4 million",
+ "Aliens": "$18.5 million",
+ "The Abyss": "$90 million",
+ "Terminator 2: Judgement Day": "94-102 million",
+ "True Lies": "$100-120 million",
+ "Titanic": "$200 million",
+ "Avatar": "$237 million",
+ "Avatar: The Way of Water": "$350-460 million",
+ "Avatar 3": "$250 million",
+ "Avatar 4": "$250 million"
+ },
+ "depends_on": [
+ "9a57fbfa9d2632f3"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Piranha II: The Spawning": "$145,786",
+ "The Terminator": "$6.4 million",
+ "Aliens": "$18.5 million",
+ "The Abyss": "$90 million",
+ "Terminator 2: Judgement Day": "94-102 million",
+ "True Lies": "$100-120 million",
+ "Titanic": "$200 million",
+ "Avatar": "$237 million",
+ "Avatar: The Way of Water": "$350-460 million",
+ "Avatar 3": "$250 million",
+ "Avatar 4": "$250 million"
+ },
+ "categories": [
+ "Economics",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "0055931d81c8e924",
+ "question": "What are the publication dates for all of the Harry Potter books?",
+ "decomposition": [
+ {
+ "id": "af01c326c2391976",
+ "question": "What are all the Harry Potter books?",
+ "decomposition": [],
+ "answer": [
+ "Harry Potter and the Philosopher's Stone",
+ "Harry Potter and the Chamber of Secrets",
+ "Harry Potter and the Prisoner of Azkaban",
+ "Harry Potter and the Goblet of Fire",
+ "Harry Potter and the Order of the Phoenix",
+ "Harry Potter and the Half-Blood Prince",
+ "Harry Potter and the Deathly Hallows"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2387806,
+ "revid": 1185604388,
+ "title": "Harry Potter",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter"
+ }
+ },
+ {
+ "id": "14b4eb8ef9479f42",
+ "question": "What was the publication date of Harry Potter and the Philosopher's Stone?",
+ "decomposition": [],
+ "answer": "26 June 1997",
+ "depends_on": [
+ "af01c326c2391976"
+ ],
+ "evidence": {
+ "pageid": 48648,
+ "revid": 1185894856,
+ "title": "Harry Potter and the Philosopher's Stone",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Philosopher%27s_Stone"
+ }
+ },
+ {
+ "id": "7cc7da0a1c2e582a",
+ "question": "What was the publication date of Harry Potter and the Chamber of Secrets?",
+ "decomposition": [],
+ "answer": "2 July 1998",
+ "depends_on": [
+ "af01c326c2391976"
+ ],
+ "evidence": {
+ "pageid": 163234,
+ "revid": 1185854744,
+ "title": "Harry Potter and the Chamber of Secrets",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Chamber_of_Secrets"
+ }
+ },
+ {
+ "id": "6347983e67051a22",
+ "question": "What was the publication date of Harry Potter and the Prisoner of Azkaban?",
+ "decomposition": [],
+ "answer": "8 July 1999",
+ "depends_on": [
+ "af01c326c2391976"
+ ],
+ "evidence": {
+ "pageid": 254498,
+ "revid": 1184748998,
+ "title": "Harry Potter and the Prisoner of Azkaban",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Prisoner_of_Azkaban"
+ }
+ },
+ {
+ "id": "eda7fdfaee0746e2",
+ "question": "What was the publication date of Harry Potter and the Goblet of Fire?",
+ "decomposition": [],
+ "answer": "8 July 2000",
+ "depends_on": [
+ "af01c326c2391976"
+ ],
+ "evidence": {
+ "pageid": 259128,
+ "revid": 1185860507,
+ "title": "Harry Potter and the Goblet of Fire",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Goblet_of_Fire"
+ }
+ },
+ {
+ "id": "076ffb778745194d",
+ "question": "What was the publication date of Harry Potter and the Order of the Phoenix?",
+ "decomposition": [],
+ "answer": "21 June 2003",
+ "depends_on": [
+ "af01c326c2391976"
+ ],
+ "evidence": {
+ "pageid": 156489,
+ "revid": 1185640978,
+ "title": "Harry Potter and the Order of the Phoenix",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Order_of_the_Phoenix"
+ }
+ },
+ {
+ "id": "91a85a9ee0526ee3",
+ "question": "What was the publication date of Harry Potter and the Half-Blood Prince?",
+ "decomposition": [],
+ "answer": "16 July 2005",
+ "depends_on": [
+ "af01c326c2391976"
+ ],
+ "evidence": {
+ "pageid": 2270723,
+ "revid": 1184112188,
+ "title": "Harry Potter and the Half-Blood Prince",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Half-Blood_Prince"
+ }
+ },
+ {
+ "id": "3aa1eadc158a5f56",
+ "question": "What was the publication date of Harry Potter and the Deathly Hallows?",
+ "decomposition": [],
+ "answer": "21 July 2007",
+ "depends_on": [
+ "af01c326c2391976"
+ ],
+ "evidence": {
+ "pageid": 776049,
+ "revid": 1183316576,
+ "title": "Harry Potter and the Deathly Hallows",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Deathly_Hallows"
+ }
+ }
+ ],
+ "answer": {
+ "Harry Potter and the Philosopher's Stone": "26 June 1997",
+ "Harry Potter and the Chamber of Secrets": "2 July 1998",
+ "Harry Potter and the Prisoner of Azkaban": "8 July 1999",
+ "Harry Potter and the Goblet of Fire": "8 July 2000",
+ "Harry Potter and the Order of the Phoenix": "21 June 2003",
+ "Harry Potter and the Half-Blood Prince": "16 July 2005",
+ "Harry Potter and the Deathly Hallows": "21 July 2007"
+ },
+ "categories": [
+ "Literature"
+ ]
+ },
+ {
+ "id": "d11c34cb07023486",
+ "question": "Who was the starting quarterback for the New York Jets in 2015, what other teams did he play for, and who were the head coaches of those teams?",
+ "decomposition": [
+ {
+ "id": "4d63c6691b90ae64",
+ "question": "Who was the starting quarterback of the New York Jets in 2015?",
+ "decomposition": [],
+ "answer": "Ryan FitzPatrick",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21194056,
+ "revid": 1185929797,
+ "title": "List of New York Jets starting quarterbacks",
+ "url": "https://en.wikipedia.org/wiki/List_of_New_York_Jets_starting_quarterbacks"
+ }
+ },
+ {
+ "id": "084965a71437d1c2",
+ "question": "What other teams did Ryan Fitzpatrick play for besides the New York Jets and who are those teams' head coaches?",
+ "decomposition": [
+ {
+ "id": "745a3e37b74de5ae",
+ "question": "What other teams did Ryan Fitzpatrick play for?",
+ "decomposition": [],
+ "answer": [
+ "St. Louis Rams",
+ "Cincinnati Bengals",
+ "Buffalo Bills",
+ "Tennessee Titans",
+ "Houston Texans",
+ "Tampa Bay Buccaneers",
+ "Miami Dolphins",
+ "Washington Football Team"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2334831,
+ "revid": 1184773216,
+ "title": "Ryan Fitzpatrick",
+ "url": "https://en.wikipedia.org/wiki/Ryan_Fitzpatrick"
+ }
+ },
+ {
+ "id": "c8b43c69fa45e9dc",
+ "question": "Who is the head coach of the St. Louis Rams?",
+ "decomposition": [],
+ "answer": "Jeff Fisher",
+ "depends_on": [
+ "745a3e37b74de5ae"
+ ],
+ "evidence": {
+ "pageid": 6999684,
+ "revid": 1184934798,
+ "title": "St. Louis Rams",
+ "url": "https://en.wikipedia.org/wiki/St._Louis_Rams"
+ }
+ },
+ {
+ "id": "6bc7db095c007864",
+ "question": "Who is the head coach of the Cincinnati Bengals?",
+ "decomposition": [],
+ "answer": "Zac Taylor",
+ "depends_on": [
+ "745a3e37b74de5ae"
+ ],
+ "evidence": {
+ "pageid": 6612,
+ "revid": 1185815560,
+ "title": "Cincinnati Bengals",
+ "url": "https://en.wikipedia.org/wiki/Cincinnati_Bengals"
+ }
+ },
+ {
+ "id": "d6ef7792226a7e56",
+ "question": "Who is the head coach of the Buffalo Bills?",
+ "decomposition": [],
+ "answer": "Sean McDermott",
+ "depends_on": [
+ "745a3e37b74de5ae"
+ ],
+ "evidence": {
+ "pageid": 4315,
+ "revid": 1185602152,
+ "title": "Buffalo Bills",
+ "url": "https://en.wikipedia.org/wiki/Buffalo_Bills"
+ }
+ },
+ {
+ "id": "af444aa7e0daf5a6",
+ "question": "Who is the head coach of the Tennessee Titans?",
+ "decomposition": [],
+ "answer": "Mike Vrabel",
+ "depends_on": [
+ "745a3e37b74de5ae"
+ ],
+ "evidence": {
+ "pageid": 30839,
+ "revid": 1185658470,
+ "title": "Tennessee Titans",
+ "url": "https://en.wikipedia.org/wiki/Tennessee_Titans"
+ }
+ },
+ {
+ "id": "24abf94c9b0dada2",
+ "question": "Who is the head coach of the Houston Texans?",
+ "decomposition": [],
+ "answer": "DeMeco Ryans",
+ "depends_on": [
+ "745a3e37b74de5ae"
+ ],
+ "evidence": {
+ "pageid": 13864,
+ "revid": 1185185403,
+ "title": "Houston Texans",
+ "url": "https://en.wikipedia.org/wiki/Houston_Texans"
+ }
+ },
+ {
+ "id": "793564c7302b15aa",
+ "question": "Who is the head coach of the Tampa Bay Buccaneers?",
+ "decomposition": [],
+ "answer": "Todd Bowles",
+ "depends_on": [
+ "745a3e37b74de5ae"
+ ],
+ "evidence": {
+ "pageid": 30837,
+ "revid": 1185333254,
+ "title": "Tampa Bay Buccaneers",
+ "url": "https://en.wikipedia.org/wiki/Tampa_Bay_Buccaneers"
+ }
+ },
+ {
+ "id": "f88d33afa12b6631",
+ "question": "Who is the head coach of the Miami Dolphins?",
+ "decomposition": [],
+ "answer": "Mike McDaniel",
+ "depends_on": [
+ "745a3e37b74de5ae"
+ ],
+ "evidence": {
+ "pageid": 19190,
+ "revid": 1185751950,
+ "title": "Miami Dolphins",
+ "url": "https://en.wikipedia.org/wiki/Miami_Dolphins"
+ }
+ },
+ {
+ "id": "b91c3bd525fb0073",
+ "question": "Who is the head coach of the Washington Football Team?",
+ "decomposition": [],
+ "answer": "Ron Rivera",
+ "depends_on": [
+ "745a3e37b74de5ae"
+ ],
+ "evidence": {
+ "pageid": 33673,
+ "revid": 1185708312,
+ "title": "Washington Commanders",
+ "url": "https://en.wikipedia.org/wiki/Washington_Commanders"
+ }
+ }
+ ],
+ "answer": {
+ "St. Louis Rams": "Jeff Fisher",
+ "Cincinnati Bengals": "Zac Taylor",
+ "Buffalo Bills": "Sean McDermott",
+ "Tennessee Titans": "Mike Vrabel",
+ "Houston Texans": "DeMeco Ryans",
+ "Tampa Bay Buccaneers": "Todd Bowles",
+ "Miami Dolphins": "Mike McDaniel",
+ "Washington Football Teams": "Ron Rivera"
+ },
+ "depends_on": [
+ "4d63c6691b90ae64"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "St. Louis Rams": "Jeff Fisher",
+ "Cincinnati Bengals": "Zac Taylor",
+ "Buffalo Bills": "Sean McDermott",
+ "Tennessee Titans": "Mike Vrabel",
+ "Houston Texans": "DeMeco Ryans",
+ "Tampa Bay Buccaneers": "Todd Bowles",
+ "Miami Dolphins": "Mike McDaniel",
+ "Washington Football Teams": "Ron Rivera"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "c4c57d0e2a79f7fc",
+ "question": "What is the smallest country by population that has won multiple UEFA European Championship?",
+ "decomposition": [
+ {
+ "id": "7f8c3c354d05a00a",
+ "question": "Which teams have won the UEFA European Championship?",
+ "decomposition": [],
+ "answer": [
+ "Germany",
+ "Spain",
+ "Italy",
+ "France"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 249510,
+ "revid": 1183937300,
+ "title": "UEFA European Championship",
+ "url": "https://en.wikipedia.org/wiki/UEFA_European_Championship"
+ }
+ },
+ {
+ "id": "cbde9bfcfe837705",
+ "question": "What is the population of Germany?",
+ "decomposition": [],
+ "answer": 84482267,
+ "depends_on": [
+ "7f8c3c354d05a00a"
+ ],
+ "evidence": {
+ "pageid": 11867,
+ "revid": 1185869364,
+ "title": "Germany",
+ "url": "https://en.wikipedia.org/wiki/Germany"
+ }
+ },
+ {
+ "id": "64768fe8ddd23716",
+ "question": "What is the population of Spain?",
+ "decomposition": [],
+ "answer": 48345223,
+ "depends_on": [
+ "7f8c3c354d05a00a"
+ ],
+ "evidence": {
+ "pageid": 26667,
+ "revid": 1185255247,
+ "title": "Spain",
+ "url": "https://en.wikipedia.org/wiki/Spain"
+ }
+ },
+ {
+ "id": "985ab3c692da64c2",
+ "question": "What is the population of Italy?",
+ "decomposition": [],
+ "answer": 58853482,
+ "depends_on": [
+ "7f8c3c354d05a00a"
+ ],
+ "evidence": {
+ "pageid": 14532,
+ "revid": 1185928833,
+ "title": "Italy",
+ "url": "https://en.wikipedia.org/wiki/Italy"
+ }
+ },
+ {
+ "id": "b8923d6497796464",
+ "question": "What is the population of France?",
+ "decomposition": [],
+ "answer": 68042591,
+ "depends_on": [
+ "7f8c3c354d05a00a"
+ ],
+ "evidence": {
+ "pageid": 5843419,
+ "revid": 1185856656,
+ "title": "France",
+ "url": "https://en.wikipedia.org/wiki/France"
+ }
+ }
+ ],
+ "answer": "Spain",
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "a7fe86980b21b34f",
+ "question": "What was the founding year for each university or other institute of learning that Robert Burns Woodward received an honorary doctorate from?",
+ "decomposition": [
+ {
+ "id": "b82bb0ac791c1be2",
+ "question": "What were the institutes of learning that Robert Burns Woodward received honorary doctorate from?",
+ "decomposition": [],
+ "answer": [
+ "Wesleyan University",
+ "Harvard University",
+ "University of Cambridge",
+ "Brandeis University",
+ "Technion Israel Institute of Technology",
+ "University of Western Ontario",
+ "University of Louvain"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 261625,
+ "revid": 1183893630,
+ "title": "Robert Burns Woodward",
+ "url": "https://en.wikipedia.org/wiki/Robert_Burns_Woodward"
+ }
+ },
+ {
+ "id": "c59e761e05750b0c",
+ "question": "What was the founding year of Wesleyan University?",
+ "decomposition": [],
+ "answer": "1831",
+ "depends_on": [
+ "b82bb0ac791c1be2"
+ ],
+ "evidence": {
+ "pageid": 241865,
+ "revid": 1184777384,
+ "title": "Wesleyan University",
+ "url": "https://en.wikipedia.org/wiki/Wesleyan_University"
+ }
+ },
+ {
+ "id": "78eccd9011c01e06",
+ "question": "What was the founding year of Harvard University?",
+ "decomposition": [],
+ "answer": "1636",
+ "depends_on": [
+ "b82bb0ac791c1be2"
+ ],
+ "evidence": {
+ "pageid": 18426501,
+ "revid": 1185051550,
+ "title": "Harvard University",
+ "url": "https://en.wikipedia.org/wiki/Harvard_University"
+ }
+ },
+ {
+ "id": "e52f33a05461c10e",
+ "question": "What was the founding year of University of Cambridge?",
+ "decomposition": [],
+ "answer": "1209",
+ "depends_on": [
+ "b82bb0ac791c1be2"
+ ],
+ "evidence": {
+ "pageid": 25978572,
+ "revid": 1184522407,
+ "title": "University of Cambridge",
+ "url": "https://en.wikipedia.org/wiki/University_of_Cambridge"
+ }
+ },
+ {
+ "id": "f747a717745e654a",
+ "question": "What was the founding year of Brandeis University?",
+ "decomposition": [],
+ "answer": "1948",
+ "depends_on": [
+ "b82bb0ac791c1be2"
+ ],
+ "evidence": {
+ "pageid": 81223,
+ "revid": 1185488977,
+ "title": "Brandeis University",
+ "url": "https://en.wikipedia.org/wiki/Brandeis_University"
+ }
+ },
+ {
+ "id": "0f7eddea3811e535",
+ "question": "What was the founding year of Technion Israel Institute of Technology?",
+ "decomposition": [],
+ "answer": "1912",
+ "depends_on": [
+ "b82bb0ac791c1be2"
+ ],
+ "evidence": {
+ "pageid": 161784,
+ "revid": 1179834110,
+ "title": "Technion \u2013 Israel Institute of Technology",
+ "url": "https://en.wikipedia.org/wiki/Technion_%E2%80%93_Israel_Institute_of_Technology"
+ }
+ },
+ {
+ "id": "6d21cbc6d82fb774",
+ "question": "What was the founding year of University of Western Ontario?",
+ "decomposition": [],
+ "answer": "1878",
+ "depends_on": [
+ "b82bb0ac791c1be2"
+ ],
+ "evidence": {
+ "pageid": 169136,
+ "revid": 1183767977,
+ "title": "University of Western Ontario",
+ "url": "https://en.wikipedia.org/wiki/University_of_Western_Ontario"
+ }
+ },
+ {
+ "id": "da5a31e3ab2e2c7d",
+ "question": "What was the founding year of University of University of Louvain?",
+ "decomposition": [],
+ "answer": "1834",
+ "depends_on": [
+ "b82bb0ac791c1be2"
+ ],
+ "evidence": {
+ "pageid": 398478,
+ "revid": 1182614888,
+ "title": "Universit\u00e9 catholique de Louvain",
+ "url": "https://en.wikipedia.org/wiki/Universit%C3%A9_catholique_de_Louvain"
+ }
+ }
+ ],
+ "answer": {
+ "Wesleyan University": "1831",
+ "Harvard University": "1636",
+ "University of Cambridge": "1209",
+ "Brandeis University": "1948",
+ "Technion Israel Institute of Technology": "1912",
+ "University of Western Ontario": "1878",
+ "University of Louvain": "1834"
+ },
+ "categories": [
+ "History",
+ "Education"
+ ]
+ },
+ {
+ "id": "9543466daff141b6",
+ "question": "What are the largest cosmetic companies and when were they founded?",
+ "decomposition": [
+ {
+ "id": "64eaf1674ee9429c",
+ "question": "What are the largest cosmetic companies?",
+ "decomposition": [],
+ "answer": [
+ "L'Oreal",
+ "Est\u00e9e Lauder",
+ "Coty",
+ "Nivea",
+ "Shiseido",
+ "Chanel"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 43613384,
+ "revid": 1184438879,
+ "title": "Cosmetic industry",
+ "url": "https://en.wikipedia.org/wiki/Cosmetic_industry"
+ }
+ },
+ {
+ "id": "385a0bb474f0f0f8",
+ "question": "When was L'Oreal founded?",
+ "decomposition": [],
+ "answer": "1909",
+ "depends_on": [
+ "64eaf1674ee9429c"
+ ],
+ "evidence": {
+ "pageid": 728579,
+ "revid": 1184926123,
+ "title": "L'Or\u00e9al",
+ "url": "https://en.wikipedia.org/wiki/L%27Or%C3%A9al"
+ }
+ },
+ {
+ "id": "aead4c387326bc81",
+ "question": "When was Est\u00e9e Lauder founded?",
+ "decomposition": [],
+ "answer": "1946",
+ "depends_on": [
+ "64eaf1674ee9429c"
+ ],
+ "evidence": {
+ "pageid": 536709,
+ "revid": 1185157993,
+ "title": "The Est\u00e9e Lauder Companies",
+ "url": "https://en.wikipedia.org/wiki/Est%C3%A9e_Lauder_Companies"
+ }
+ },
+ {
+ "id": "19ed94acb3d28c62",
+ "question": "When was Coty founded?",
+ "decomposition": [],
+ "answer": "1904",
+ "depends_on": [
+ "64eaf1674ee9429c"
+ ],
+ "evidence": {
+ "pageid": 2684468,
+ "revid": 1184877839,
+ "title": "Coty",
+ "url": "https://en.wikipedia.org/wiki/Coty"
+ }
+ },
+ {
+ "id": "2818b45ef65d5619",
+ "question": "When was Nivea founded?",
+ "decomposition": [],
+ "answer": "1911",
+ "depends_on": [
+ "64eaf1674ee9429c"
+ ],
+ "evidence": {
+ "pageid": 976385,
+ "revid": 1184805131,
+ "title": "Nivea",
+ "url": "https://en.wikipedia.org/wiki/Nivea"
+ }
+ },
+ {
+ "id": "5c03ef8f19466d69",
+ "question": "When was Shiseido founded?",
+ "decomposition": [],
+ "answer": "1872",
+ "depends_on": [
+ "64eaf1674ee9429c"
+ ],
+ "evidence": {
+ "pageid": 2648677,
+ "revid": 1184942489,
+ "title": "Shiseido",
+ "url": "https://en.wikipedia.org/wiki/Shiseido"
+ }
+ },
+ {
+ "id": "84872ae045da24e6",
+ "question": "When was Chanel founded?",
+ "decomposition": [],
+ "answer": "1910",
+ "depends_on": [
+ "64eaf1674ee9429c"
+ ],
+ "evidence": {
+ "pageid": 734019,
+ "revid": 1183791547,
+ "title": "Chanel",
+ "url": "https://en.wikipedia.org/wiki/Chanel"
+ }
+ }
+ ],
+ "answer": {
+ "L'Oreal": "1909",
+ "Est\u00e9e Lauder": "1946",
+ "Coty": "1904",
+ "Nivea": "1911",
+ "Shiseido": "1872",
+ "Chanel": "1910"
+ },
+ "categories": [
+ "History",
+ "Business"
+ ]
+ },
+ {
+ "id": "8e81a07900fc95ad",
+ "question": "Who was the head of government in the countries that won each of the last 5 FIFA World Cups at the time of their victories?",
+ "decomposition": [
+ {
+ "id": "2c3d483e1ef17459",
+ "question": "Which nations won the last 5 FIFA world cups in descending order, and in what year?",
+ "decomposition": [],
+ "answer": {
+ "2022": "Argentina",
+ "2018": "France",
+ "2014": "Germany",
+ "2010": "Spain",
+ "2006": "Italy"
+ },
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11370,
+ "revid": 1185360837,
+ "title": "FIFA World Cup",
+ "url": "https://en.wikipedia.org/wiki/FIFA_World_Cup"
+ }
+ },
+ {
+ "id": "6223b4a57001d640",
+ "question": "How was the presindent of Argentina in 2022?",
+ "decomposition": [],
+ "answer": "Alberto Fern\u00e1ndez",
+ "depends_on": [
+ "2c3d483e1ef17459"
+ ],
+ "evidence": {
+ "pageid": 216826,
+ "revid": 1183807315,
+ "title": "List of heads of state of Argentina",
+ "url": "https://en.wikipedia.org/wiki/List_of_heads_of_state_of_Argentina"
+ }
+ },
+ {
+ "id": "e99fc204d7517a7b",
+ "question": "How was the presindent of France in 2018?",
+ "decomposition": [],
+ "answer": "Emmanuel Macron",
+ "depends_on": [
+ "2c3d483e1ef17459"
+ ],
+ "evidence": {
+ "pageid": 10736380,
+ "revid": 1185448399,
+ "title": "List of presidents of France",
+ "url": "https://en.wikipedia.org/wiki/List_of_presidents_of_France"
+ }
+ },
+ {
+ "id": "a232f7b17e304c37",
+ "question": "How was the chancellor of Germany in 2014?",
+ "decomposition": [],
+ "answer": "Angela Merkel",
+ "depends_on": [
+ "2c3d483e1ef17459"
+ ],
+ "evidence": {
+ "pageid": 16240042,
+ "revid": 1184498858,
+ "title": "List of chancellors of Germany",
+ "url": "https://en.wikipedia.org/wiki/List_of_chancellors_of_Germany"
+ }
+ },
+ {
+ "id": "d904d3b00938607e",
+ "question": "How was the prime minister of Spain in 2010?",
+ "decomposition": [],
+ "answer": "Jos\u00e9 Luis Rodr\u00edguez Zapatero",
+ "depends_on": [
+ "2c3d483e1ef17459"
+ ],
+ "evidence": {
+ "pageid": 527054,
+ "revid": 1185518836,
+ "title": "List of prime ministers of Spain",
+ "url": "https://en.wikipedia.org/wiki/List_of_prime_ministers_of_Spain#Kingdom_of_Spain_(1975%E2%80%93present)"
+ }
+ },
+ {
+ "id": "d7d7c04af914b571",
+ "question": "How was the prime minister of Italy in 2006?",
+ "decomposition": [],
+ "answer": "Romano Prodi",
+ "depends_on": [
+ "2c3d483e1ef17459"
+ ],
+ "evidence": {
+ "pageid": 152579,
+ "revid": 1185837572,
+ "title": "List of prime ministers of Italy",
+ "url": "https://en.wikipedia.org/wiki/List_of_prime_ministers_of_Italy"
+ }
+ }
+ ],
+ "answer": {
+ "Argentina": "Alberto Fern\u00e1ndez",
+ "France": "Emmanuel Macron",
+ "Germany": "Angela Merkel",
+ "Spain": "Jos\u00e9 Luis Rodr\u00edguez Zapatero",
+ "Italy": "Romano Prodi"
+ },
+ "categories": [
+ "Sports",
+ "Politics"
+ ]
+ },
+ {
+ "id": "8db473b084f2b5e8",
+ "question": "Who are the presidents/rectors of the 5 oldest, continuously operating German universities?",
+ "decomposition": [
+ {
+ "id": "6c60e8dcfb30125f",
+ "question": "What are the 5 oldest, continuously operating German universities?",
+ "decomposition": [],
+ "answer": [
+ "Heidelberg University",
+ "Leipzig University",
+ "University of Rostock",
+ "University of Greifswald",
+ "University of Freiburg"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 322789,
+ "revid": 1179701664,
+ "title": "List of universities in Germany",
+ "url": "https://en.wikipedia.org/wiki/List_of_universities_in_Germany"
+ }
+ },
+ {
+ "id": "f1d67b21afb2c763",
+ "question": "Who is the president/rector of Heidelberg University?",
+ "decomposition": [],
+ "answer": "Bernhard Eitel",
+ "depends_on": [
+ "6c60e8dcfb30125f"
+ ],
+ "evidence": {
+ "pageid": 100649,
+ "revid": 1184053232,
+ "title": "Heidelberg University",
+ "url": "https://en.wikipedia.org/wiki/Heidelberg_University"
+ }
+ },
+ {
+ "id": "abcea0aa4d1c2049",
+ "question": "Who is the president/rector of Leipzig University?",
+ "decomposition": [],
+ "answer": "Eva In\u00e9s Obergfell",
+ "depends_on": [
+ "6c60e8dcfb30125f"
+ ],
+ "evidence": {
+ "pageid": 44731703,
+ "revid": 1184535339,
+ "title": "Presidents of Leipzig University",
+ "url": "https://en.wikipedia.org/wiki/Presidents_of_Leipzig_University"
+ }
+ },
+ {
+ "id": "1e98dcd3be263bfb",
+ "question": "Who is the president/rector of University of Rostock?",
+ "decomposition": [],
+ "answer": "Wolfgang D. Schareck",
+ "depends_on": [
+ "6c60e8dcfb30125f"
+ ],
+ "evidence": {
+ "pageid": 670437,
+ "revid": 1170548175,
+ "title": "University of Rostock",
+ "url": "https://en.wikipedia.org/wiki/University_of_Rostock"
+ }
+ },
+ {
+ "id": "74b8bb2329dd623d",
+ "question": "Who is the president/rector of University of Greifswald?",
+ "decomposition": [],
+ "answer": "Katharina Riedel",
+ "depends_on": [
+ "6c60e8dcfb30125f"
+ ],
+ "evidence": {
+ "pageid": 614579,
+ "revid": 1177473538,
+ "title": "University of Greifswald",
+ "url": "https://en.wikipedia.org/wiki/University_of_Greifswald"
+ }
+ },
+ {
+ "id": "6414f84c1fb86322",
+ "question": "Who is the president/rector of University of Freiburg?",
+ "decomposition": [],
+ "answer": "Kerstin Krieglstein",
+ "depends_on": [
+ "6c60e8dcfb30125f"
+ ],
+ "evidence": {
+ "pageid": 298971,
+ "revid": 1181363604,
+ "title": "University of Freiburg",
+ "url": "https://en.wikipedia.org/wiki/University_of_Freiburg"
+ }
+ }
+ ],
+ "answer": {
+ "Heidelberg University": "Bernhard Eitel",
+ "Leipzig University": "Eva In\u00e9s Obergfell",
+ "University of Rostock": "Wolfgang D. Schareck",
+ "University of Greifswald": "Katharina Riedel",
+ "University of Freiburg": "Kerstin Krieglstein"
+ },
+ "categories": [
+ "History",
+ "Education"
+ ]
+ },
+ {
+ "id": "3eb1b4b146c90359",
+ "question": "How many career rushing attempts do the first 5 running backs picked in the 2005 NFL draft each have?",
+ "decomposition": [
+ {
+ "id": "883ff788637e643f",
+ "question": "Who were the first 5 running backs picked in the 2005 NFL Draft?",
+ "decomposition": [],
+ "answer": [
+ "Ronnie Brown",
+ "Cedric Benson",
+ "Cadillac Williams",
+ "J. J. Arrington",
+ "Eric Shelton"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1773067,
+ "revid": 1177399932,
+ "title": "2005 NFL Draft",
+ "url": "https://en.wikipedia.org/wiki/2005_NFL_Draft"
+ }
+ },
+ {
+ "id": "0cf77b0e8d20edc2",
+ "question": "How any career rushing attepts does Ronnie Brown have?",
+ "decomposition": [],
+ "answer": 1281,
+ "depends_on": [
+ "883ff788637e643f"
+ ],
+ "evidence": {
+ "pageid": 1776603,
+ "revid": 1175108982,
+ "title": "Ronnie Brown",
+ "url": "https://en.wikipedia.org/wiki/Ronnie_Brown"
+ }
+ },
+ {
+ "id": "d80aedf1997d6cae",
+ "question": "How any career rushing attepts does Cedric Benson have?",
+ "decomposition": [],
+ "answer": 1600,
+ "depends_on": [
+ "883ff788637e643f"
+ ],
+ "evidence": {
+ "pageid": 2329621,
+ "revid": 1175594127,
+ "title": "Cedric Benson",
+ "url": "https://en.wikipedia.org/wiki/Cedric_Benson"
+ }
+ },
+ {
+ "id": "bad3e8807c75dadf",
+ "question": "How any career rushing attepts does Cadillac Williams have?",
+ "decomposition": [],
+ "answer": 1055,
+ "depends_on": [
+ "883ff788637e643f"
+ ],
+ "evidence": {
+ "pageid": 1776610,
+ "revid": 1174055787,
+ "title": "Cadillac Williams",
+ "url": "https://en.wikipedia.org/wiki/Cadillac_Williams"
+ }
+ },
+ {
+ "id": "c7a8ecef9a79b4ed",
+ "question": "How any career rushing attepts does J. J. Arrington have?",
+ "decomposition": [],
+ "answer": 265,
+ "depends_on": [
+ "883ff788637e643f"
+ ],
+ "evidence": {
+ "pageid": 1862012,
+ "revid": 1180767199,
+ "title": "J. J. Arrington",
+ "url": "https://en.wikipedia.org/wiki/J._J._Arrington"
+ }
+ },
+ {
+ "id": "81c75228481e1ea9",
+ "question": "How any career rushing attepts does Eric Shelton have?",
+ "decomposition": [],
+ "answer": 8,
+ "depends_on": [
+ "883ff788637e643f"
+ ],
+ "evidence": {
+ "pageid": 1987972,
+ "revid": 1153695579,
+ "title": "Eric Shelton (American football)",
+ "url": "https://en.wikipedia.org/wiki/Eric_Shelton_(American_football)"
+ }
+ }
+ ],
+ "answer": {
+ "Ronnie Brown": 1281,
+ "Cedric Benson": 1600,
+ "Cadillac Williams": 1055,
+ "J. J. Arrington": 183,
+ "Eric Shelton": 8
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "1011a17b0afd13e9",
+ "question": "What is the surface gravity of each of the major planets in the solar system, expressed in relation to Earth's gravity?",
+ "decomposition": [
+ {
+ "id": "083b272c8449dcd9",
+ "question": "What are the major planets in the solar system?",
+ "decomposition": [],
+ "answer": [
+ "Mercury",
+ "Venus",
+ "Earth",
+ "Mars",
+ "Jupiter",
+ "Saturn",
+ "Uranus",
+ "Neptune"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 22915,
+ "revid": 1185810704,
+ "title": "Planet",
+ "url": "https://en.wikipedia.org/wiki/Planet#Planetary_attributes"
+ }
+ },
+ {
+ "id": "63d7184b2d119bc2",
+ "question": "What is the surface gravity of Mercury in g?",
+ "decomposition": [],
+ "answer": 0.38,
+ "depends_on": [
+ "083b272c8449dcd9"
+ ],
+ "evidence": {
+ "pageid": 19694,
+ "revid": 1183949157,
+ "title": "Mercury (planet)",
+ "url": "https://en.wikipedia.org/wiki/Mercury_(planet)"
+ }
+ },
+ {
+ "id": "3930c9632503902f",
+ "question": "What is the surface gravity of Venus in g?",
+ "decomposition": [],
+ "answer": 0.904,
+ "depends_on": [
+ "083b272c8449dcd9"
+ ],
+ "evidence": {
+ "pageid": 32745,
+ "revid": 1185890721,
+ "title": "Venus",
+ "url": "https://en.wikipedia.org/wiki/Venus"
+ }
+ },
+ {
+ "id": "925329543bc754ec",
+ "question": "What is the surface gravity of Earth in g?",
+ "decomposition": [],
+ "answer": 1,
+ "depends_on": [
+ "083b272c8449dcd9"
+ ],
+ "evidence": {
+ "pageid": 9228,
+ "revid": 1184861997,
+ "title": "Earth",
+ "url": "https://en.wikipedia.org/wiki/Earth"
+ }
+ },
+ {
+ "id": "99fda37970208908",
+ "question": "What is the surface gravity of Mars in g?",
+ "decomposition": [],
+ "answer": 0.3794,
+ "depends_on": [
+ "083b272c8449dcd9"
+ ],
+ "evidence": {
+ "pageid": 14640471,
+ "revid": 1184868366,
+ "title": "Mars",
+ "url": "https://en.wikipedia.org/wiki/Mars"
+ }
+ },
+ {
+ "id": "6874b5b389643567",
+ "question": "What is the surface gravity of Jupiter in g?",
+ "decomposition": [],
+ "answer": 2.528,
+ "depends_on": [
+ "083b272c8449dcd9"
+ ],
+ "evidence": {
+ "pageid": 38930,
+ "revid": 1185658145,
+ "title": "Jupiter",
+ "url": "https://en.wikipedia.org/wiki/Jupiter"
+ }
+ },
+ {
+ "id": "7345981b067ca1a1",
+ "question": "What is the surface gravity of Saturn in g?",
+ "decomposition": [],
+ "answer": 1.065,
+ "depends_on": [
+ "083b272c8449dcd9"
+ ],
+ "evidence": {
+ "pageid": 44474,
+ "revid": 1184248068,
+ "title": "Saturn",
+ "url": "https://en.wikipedia.org/wiki/Saturn"
+ }
+ },
+ {
+ "id": "89b8c6d769263e6a",
+ "question": "What is the surface gravity of Uranus in g?",
+ "decomposition": [],
+ "answer": 0.886,
+ "depends_on": [
+ "083b272c8449dcd9"
+ ],
+ "evidence": {
+ "pageid": 44475,
+ "revid": 1185763248,
+ "title": "Uranus",
+ "url": "https://en.wikipedia.org/wiki/Uranus"
+ }
+ },
+ {
+ "id": "aff969299b123095",
+ "question": "What is the surface gravity of Neptune in g?",
+ "decomposition": [],
+ "answer": 1.14,
+ "depends_on": [
+ "083b272c8449dcd9"
+ ],
+ "evidence": {
+ "pageid": 19003265,
+ "revid": 1185057244,
+ "title": "Neptune",
+ "url": "https://en.wikipedia.org/wiki/Neptune"
+ }
+ }
+ ],
+ "answer": {
+ "Mercury": 0.38,
+ "Venus": 0.904,
+ "Earth": 1,
+ "Mars": 0.3794,
+ "Jupiter": 2.528,
+ "Saturn": 1.065,
+ "Uranus": 0.886,
+ "Neptune": 1.14
+ },
+ "categories": [
+ "Physics",
+ "Astronomy"
+ ]
+ },
+ {
+ "id": "22aedb862db0732c",
+ "question": "What were the debut roles of the main actors in the sitcom \"Friends\"?",
+ "decomposition": [
+ {
+ "id": "5c63d88eb957b506",
+ "question": "Who are the main actors in the sitcom Friends?",
+ "decomposition": [],
+ "answer": [
+ "Jennifer Aniston",
+ "Courteney Cox",
+ "Lisa Kudrow",
+ "Matt LeBlanc",
+ "Matthew Perry",
+ "David Schwimmer"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11315,
+ "revid": 1185371538,
+ "title": "Friends",
+ "url": "https://en.wikipedia.org/wiki/Friends"
+ }
+ },
+ {
+ "id": "407d5bb45f1d937d",
+ "question": "What was Jennifer Aniston's debut role?",
+ "decomposition": [],
+ "answer": "Mac and Me",
+ "depends_on": [
+ "5c63d88eb957b506"
+ ],
+ "evidence": {
+ "pageid": 36643807,
+ "revid": 1184795179,
+ "title": "Jennifer Aniston filmography",
+ "url": "https://en.wikipedia.org/wiki/Jennifer_Aniston_filmography"
+ }
+ },
+ {
+ "id": "95b7d880500a27be",
+ "question": "What was Courteney Cox's debut role?",
+ "decomposition": [],
+ "answer": "Down Twisted",
+ "depends_on": [
+ "5c63d88eb957b506"
+ ],
+ "evidence": {
+ "pageid": 299717,
+ "revid": 1184682865,
+ "title": "Courteney Cox",
+ "url": "https://en.wikipedia.org/wiki/Courteney_Cox"
+ }
+ },
+ {
+ "id": "ea03265cd0576877",
+ "question": "What was Lisa Kudrow's debut role?",
+ "decomposition": [],
+ "answer": "Overdrawn at the Memory Bank",
+ "depends_on": [
+ "5c63d88eb957b506"
+ ],
+ "evidence": {
+ "pageid": 170144,
+ "revid": 1185425308,
+ "title": "Lisa Kudrow",
+ "url": "https://en.wikipedia.org/wiki/Lisa_Kudrow"
+ }
+ },
+ {
+ "id": "f4e1bf42f3727d7b",
+ "question": "What was Matt LeBlanc's debut role?",
+ "decomposition": [],
+ "answer": "Doll Day Afternoon",
+ "depends_on": [
+ "5c63d88eb957b506"
+ ],
+ "evidence": {
+ "pageid": 299734,
+ "revid": 1185375384,
+ "title": "Matt LeBlanc",
+ "url": "https://en.wikipedia.org/wiki/Matt_LeBlanc"
+ }
+ },
+ {
+ "id": "718bc9773b2c022f",
+ "question": "What was Matthew Perry's debut role?",
+ "decomposition": [],
+ "answer": "A Night in the Life of Jimmy Reardon",
+ "depends_on": [
+ "5c63d88eb957b506"
+ ],
+ "evidence": {
+ "pageid": 233338,
+ "revid": 1185926261,
+ "title": "Matthew Perry",
+ "url": "https://en.wikipedia.org/wiki/Matthew_Perry"
+ }
+ },
+ {
+ "id": "f10dcb8f13e2b9c9",
+ "question": "What was David Schwimmer's debut role?",
+ "decomposition": [],
+ "answer": "Flight of the Intruder",
+ "depends_on": [
+ "5c63d88eb957b506"
+ ],
+ "evidence": {
+ "pageid": 170146,
+ "revid": 1185304295,
+ "title": "David Schwimmer",
+ "url": "https://en.wikipedia.org/wiki/David_Schwimmer"
+ }
+ }
+ ],
+ "answer": {
+ "Jennifer Aniston": "Mac and Me",
+ "Courteney Cox": "Down Twisted",
+ "Lisa Kudrow": "Overdrawn at the Memory Bank",
+ "Matt LeBlanc": "Doll Day Afternoon",
+ "Matthew Perry": "A Night in the Life of Jimmy Reardon",
+ "David Schwimmer": "Flight of the Intruder"
+ },
+ "categories": [
+ "Television",
+ "Culture"
+ ]
+ },
+ {
+ "id": "5115636442f351f2",
+ "question": "List the names of the main actors in the TV show 'Friends' along with their birthdays.",
+ "decomposition": [
+ {
+ "id": "6aa8f5c8fe94ef64",
+ "question": "Who are the main characters in the TV show 'Friends'?",
+ "decomposition": [],
+ "answer": [
+ "Jennifer Aniston",
+ "Courteney Cox",
+ "Lisa Kudrow",
+ "Matt LeBlanc",
+ "Matthew Perry",
+ "David Schwimmer"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11315,
+ "revid": 1185371538,
+ "title": "Friends",
+ "url": "https://en.wikipedia.org/wiki/Friends"
+ }
+ },
+ {
+ "id": "fc2bdac66e80a428",
+ "question": "What is the birthday of Jennifer Aniston?",
+ "decomposition": [],
+ "answer": "February 11, 1969",
+ "depends_on": [
+ "6aa8f5c8fe94ef64"
+ ],
+ "evidence": {
+ "pageid": 39942,
+ "revid": 1182215753,
+ "title": "Jennifer Aniston",
+ "url": "https://en.wikipedia.org/wiki/Jennifer_Aniston"
+ }
+ },
+ {
+ "id": "e0397015f0da9a71",
+ "question": "What is the birthday of Courteney Cox?",
+ "decomposition": [],
+ "answer": "June 15, 1964",
+ "depends_on": [
+ "6aa8f5c8fe94ef64"
+ ],
+ "evidence": {
+ "pageid": 299717,
+ "revid": 1184682865,
+ "title": "Courteney Cox",
+ "url": "https://en.wikipedia.org/wiki/Courteney_Cox"
+ }
+ },
+ {
+ "id": "316942c5aedc37a4",
+ "question": "What is the birthday of Lisa Kudrow?",
+ "decomposition": [],
+ "answer": "July 30, 1963",
+ "depends_on": [
+ "6aa8f5c8fe94ef64"
+ ],
+ "evidence": {
+ "pageid": 170144,
+ "revid": 1185425308,
+ "title": "Lisa Kudrow",
+ "url": "https://en.wikipedia.org/wiki/Lisa_Kudrow"
+ }
+ },
+ {
+ "id": "9e5c962f46d90b78",
+ "question": "What is the birthday of Matt LeBlanc?",
+ "decomposition": [],
+ "answer": "July 25, 1967",
+ "depends_on": [
+ "6aa8f5c8fe94ef64"
+ ],
+ "evidence": {
+ "pageid": 299734,
+ "revid": 1185375384,
+ "title": "Matt LeBlanc",
+ "url": "https://en.wikipedia.org/wiki/Matt_LeBlanc"
+ }
+ },
+ {
+ "id": "c1369d353ed11d48",
+ "question": "What is the birthday of Matthew Perry?",
+ "decomposition": [],
+ "answer": "August 19, 1969",
+ "depends_on": [
+ "6aa8f5c8fe94ef64"
+ ],
+ "evidence": {
+ "pageid": 233338,
+ "revid": 1185926261,
+ "title": "Matthew Perry",
+ "url": "https://en.wikipedia.org/wiki/Matthew_Perry"
+ }
+ },
+ {
+ "id": "9b4ca636f1080256",
+ "question": "What is the birthday of David Schwimmer?",
+ "decomposition": [],
+ "answer": "November 2, 1966",
+ "depends_on": [
+ "6aa8f5c8fe94ef64"
+ ],
+ "evidence": {
+ "pageid": 170146,
+ "revid": 1185304295,
+ "title": "David Schwimmer",
+ "url": "https://en.wikipedia.org/wiki/David_Schwimmer"
+ }
+ }
+ ],
+ "answer": {
+ "Jennifer Aniston": "February 11, 1969",
+ "Courteney Cox": "June 15, 1964",
+ "Lisa Kudrow": "July 30, 1963",
+ "Matt LeBlanc": "July 25, 1967",
+ "Matthew Perry": "August 19, 1969",
+ "David Schwimmer": "November 2, 1966"
+ },
+ "categories": [
+ "Television",
+ "Culture"
+ ]
+ },
+ {
+ "id": "e64c9ad500706aa3",
+ "question": "In what countries were the top 5 most sold books published?",
+ "decomposition": [
+ {
+ "id": "770f45e07bb902b2",
+ "question": "What are the 5 most sold books?",
+ "decomposition": [],
+ "answer": [
+ "A Tale of Two Cities",
+ "The Little Prince",
+ "Harry Potter and the Philosopher's Stone",
+ "And Then There Were None",
+ "Dream of the Red Chamber"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2512935,
+ "revid": 1185584200,
+ "title": "List of best-selling books",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_books"
+ }
+ },
+ {
+ "id": "e07264ee079f7a75",
+ "question": "What country was 'A Tale of Two Cities' published in?",
+ "decomposition": [],
+ "answer": "United Kingdom",
+ "depends_on": [
+ "770f45e07bb902b2"
+ ],
+ "evidence": {
+ "pageid": 3433040,
+ "revid": 1184132512,
+ "title": "A Tale of Two Cities",
+ "url": "https://en.wikipedia.org/wiki/A_Tale_of_Two_Cities"
+ }
+ },
+ {
+ "id": "495c3e37a54d6b39",
+ "question": "What country was 'The Little Prince' published in?",
+ "decomposition": [],
+ "answer": "France",
+ "depends_on": [
+ "770f45e07bb902b2"
+ ],
+ "evidence": {
+ "pageid": 63425,
+ "revid": 1185517480,
+ "title": "The Little Prince",
+ "url": "https://en.wikipedia.org/wiki/The_Little_Prince"
+ }
+ },
+ {
+ "id": "0d778a5868cd097a",
+ "question": "What country was 'Harry Potter and the Philosopher's Stone' published in?",
+ "decomposition": [],
+ "answer": "United Kingdom",
+ "depends_on": [
+ "770f45e07bb902b2"
+ ],
+ "evidence": {
+ "pageid": 48648,
+ "revid": 1185894856,
+ "title": "Harry Potter and the Philosopher's Stone",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Philosopher%27s_Stone"
+ }
+ },
+ {
+ "id": "d0d3b69035da1c59",
+ "question": "What country was 'And Then There Were None' published in?",
+ "decomposition": [],
+ "answer": "United Kingdom",
+ "depends_on": [
+ "770f45e07bb902b2"
+ ],
+ "evidence": {
+ "pageid": 18949410,
+ "revid": 1185471213,
+ "title": "And Then There Were None",
+ "url": "https://en.wikipedia.org/wiki/And_Then_There_Were_None"
+ }
+ },
+ {
+ "id": "3250fbd96292bde9",
+ "question": "What country was 'Dream of the Red Chamber' published in?",
+ "decomposition": [],
+ "answer": "China",
+ "depends_on": [
+ "770f45e07bb902b2"
+ ],
+ "evidence": {
+ "pageid": 263009,
+ "revid": 1184718594,
+ "title": "Dream of the Red Chamber",
+ "url": "https://en.wikipedia.org/wiki/Dream_of_the_Red_Chamber"
+ }
+ }
+ ],
+ "answer": {
+ "A Tale of Two Cities": "United Kingdom",
+ "The Little Prince": "France",
+ "Harry Potter and the Philosopher's Stone": "United Kingdom",
+ "And Then There Were None": "United Kingdom",
+ "Dream of the Red Chamber": "China"
+ },
+ "categories": [
+ "Literature",
+ "Geography"
+ ]
+ },
+ {
+ "id": "9c174172a4865318",
+ "question": "What was the population in 2010 of the 5 current most populous cities in Brazil?",
+ "decomposition": [
+ {
+ "id": "d2bcfcdc699044f5",
+ "question": "What are the 5 most populous cities in Brazil?",
+ "decomposition": [],
+ "answer": [
+ "S\u00e3o Paulo",
+ "Rio de Janeiro",
+ "Bras\u00edlia",
+ "Fortaleza",
+ "Daejeon"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1346318,
+ "revid": 1184432537,
+ "title": "List of cities in Brazil by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_cities_in_Brazil_by_population"
+ }
+ },
+ {
+ "id": "168b78f5bbcf7584",
+ "question": "What was the population of S\u00e3o Paulo in 2010?",
+ "decomposition": [],
+ "answer": 11253503,
+ "depends_on": [
+ "d2bcfcdc699044f5"
+ ],
+ "evidence": {
+ "pageid": 390875,
+ "revid": 1185771387,
+ "title": "S\u00e3o Paulo",
+ "url": "https://en.wikipedia.org/wiki/S%C3%A3o_Paulo#Demographics"
+ }
+ },
+ {
+ "id": "a5fef2ec3c136d6a",
+ "question": "What was the population of Rio de Janeiro in 2010?",
+ "decomposition": [],
+ "answer": 6320446,
+ "depends_on": [
+ "d2bcfcdc699044f5"
+ ],
+ "evidence": {
+ "pageid": 25936,
+ "revid": 1185120450,
+ "title": "Rio de Janeiro",
+ "url": "https://en.wikipedia.org/wiki/Rio_de_Janeiro"
+ }
+ },
+ {
+ "id": "61f67aee7bb63e9f",
+ "question": "What was the population of Bras\u00edlia in 2010?",
+ "decomposition": [],
+ "answer": 2469489,
+ "depends_on": [
+ "d2bcfcdc699044f5"
+ ],
+ "evidence": {
+ "pageid": 4752,
+ "revid": 1184572171,
+ "title": "Bras\u00edlia",
+ "url": "https://en.wikipedia.org/wiki/Bras%C3%ADlia"
+ }
+ },
+ {
+ "id": "a07a9b0aa18ce0ad",
+ "question": "What was the population of Fortaleza in 2010?",
+ "decomposition": [],
+ "answer": 2315116,
+ "depends_on": [
+ "d2bcfcdc699044f5"
+ ],
+ "evidence": {
+ "pageid": 11169,
+ "revid": 1185588251,
+ "title": "Fortaleza",
+ "url": "https://en.wikipedia.org/wiki/Fortaleza"
+ }
+ },
+ {
+ "id": "c56892ef9830d320",
+ "question": "What was the population of Salvador in 2010?",
+ "decomposition": [],
+ "answer": 2675000,
+ "depends_on": [
+ "d2bcfcdc699044f5"
+ ],
+ "evidence": {
+ "pageid": 3715871,
+ "revid": 1183927906,
+ "title": "Salvador, Bahia",
+ "url": "https://en.wikipedia.org/wiki/Salvador,_Bahia#Demographics"
+ }
+ }
+ ],
+ "answer": {
+ "S\u00e3o Paulo": 11253503,
+ "Rio de Janeiro": 6320446,
+ "Bras\u00edlia": 2469489,
+ "Fortaleza": 2315116,
+ "Salvador": 2675000
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "a0031438b736bc73",
+ "question": "How many children do the five oldest justices of the current United States Supreme Court have, listed in no particular order?",
+ "decomposition": [
+ {
+ "id": "e511f6451d51d6a2",
+ "question": "Who are the members of the current United States Supreme Court?",
+ "decomposition": [],
+ "answer": [
+ "Ketanji Brown Jackson",
+ "Amy Coney Barrett",
+ "Brett Kavanaugh",
+ "Neil Gorsuch",
+ "Elena Kagan",
+ "Sonia Sotomayor",
+ "Samuel Alito",
+ "John Roberts",
+ "Clarence Thomas"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 216429,
+ "revid": 1180184921,
+ "title": "List of justices of the Supreme Court of the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_justices_of_the_Supreme_Court_of_the_United_States"
+ }
+ },
+ {
+ "id": "52ddfefa3525b354",
+ "question": "For the current members of the US Supreme Court, how many childrne do the top 5 oldest justices have in no particular order?",
+ "decomposition": [
+ {
+ "id": "16209d56a0e808c7",
+ "question": "Who are the top 5 oldest justices of the US Supreme Court in no particular order?",
+ "decomposition": [],
+ "answer": [
+ "Clarence Thomas",
+ "Samuel Alito",
+ "Sonia Sotomayor",
+ "John Roberts",
+ "Elena Kagan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31737,
+ "revid": 1185937026,
+ "title": "Supreme Court of the United States",
+ "url": "https://en.wikipedia.org/wiki/Supreme_Court_of_the_United_States"
+ }
+ },
+ {
+ "id": "5832b57a42f821b8",
+ "question": "How many children does Justice Clarence Thomas have?",
+ "decomposition": [],
+ "answer": "1",
+ "depends_on": [
+ "16209d56a0e808c7"
+ ],
+ "evidence": {
+ "pageid": 28291766,
+ "revid": 1185947157,
+ "title": "Clarence Thomas",
+ "url": "https://en.wikipedia.org/wiki/Clarence_Thomas"
+ }
+ },
+ {
+ "id": "288c00e7bdd22a92",
+ "question": "How many children does Justice Samuel Alito have?",
+ "decomposition": [],
+ "answer": "2",
+ "depends_on": [
+ "16209d56a0e808c7"
+ ],
+ "evidence": {
+ "pageid": 1199173,
+ "revid": 1182732418,
+ "title": "Samuel Alito",
+ "url": "https://en.wikipedia.org/wiki/Samuel_Alito"
+ }
+ },
+ {
+ "id": "bc5b15fba03f5243",
+ "question": "How many children does Justice Sonia Sotomayor have?",
+ "decomposition": [],
+ "answer": "0",
+ "depends_on": [
+ "16209d56a0e808c7"
+ ],
+ "evidence": {
+ "pageid": 2095829,
+ "revid": 1178458812,
+ "title": "Sonia Sotomayor",
+ "url": "https://en.wikipedia.org/wiki/Sonia_Sotomayor"
+ }
+ },
+ {
+ "id": "388ee1df6d80a04c",
+ "question": "How many children does Chief Justice John Roberts have?",
+ "decomposition": [],
+ "answer": "2",
+ "depends_on": [
+ "16209d56a0e808c7"
+ ],
+ "evidence": {
+ "pageid": 1928850,
+ "revid": 1185431089,
+ "title": "John Roberts",
+ "url": "https://en.wikipedia.org/wiki/John_Roberts"
+ }
+ },
+ {
+ "id": "bd00a22d91fbe425",
+ "question": "How many children does Justice Elena Kagan have?",
+ "decomposition": [],
+ "answer": "0",
+ "depends_on": [
+ "16209d56a0e808c7"
+ ],
+ "evidence": {
+ "pageid": 2093225,
+ "revid": 1180044509,
+ "title": "Elena Kagan",
+ "url": "https://en.wikipedia.org/wiki/Elena_Kagan"
+ }
+ }
+ ],
+ "answer": [
+ "1",
+ "2",
+ "0",
+ "2",
+ "0"
+ ],
+ "depends_on": [
+ "e511f6451d51d6a2"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": [
+ "1",
+ "2",
+ "0",
+ "2",
+ "0"
+ ],
+ "categories": [
+ "Politics",
+ "Law"
+ ]
+ },
+ {
+ "id": "99b2c27ef3524e10",
+ "question": "Who are the founders of the five largest companies by revenue in 2023?",
+ "decomposition": [
+ {
+ "id": "0980f8ae2fb30285",
+ "question": "Who were the five largest companies by revenue in 2023?",
+ "decomposition": [],
+ "answer": "Walmart, Amazon, ExxonMobil, Apple, UnitedHealth Group",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 61181662,
+ "revid": 1183367931,
+ "title": "List of largest companies in the United States by revenue",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_companies_in_the_United_States_by_revenue"
+ }
+ },
+ {
+ "id": "9e7da9ec4d8b9dfc",
+ "question": "Who is the founder of Walmart?",
+ "decomposition": [],
+ "answer": "Sam Walton & James Budd Wulton",
+ "depends_on": [
+ "0980f8ae2fb30285"
+ ],
+ "evidence": {
+ "pageid": 33589,
+ "revid": 1185423753,
+ "title": "Walmart",
+ "url": "https://en.wikipedia.org/wiki/Walmart"
+ }
+ },
+ {
+ "id": "7ee244f4b52ddab4",
+ "question": "Who is the founder of Amazon?",
+ "decomposition": [],
+ "answer": "Jeff Bezos",
+ "depends_on": [
+ "0980f8ae2fb30285"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "f6da6ba6518ebf0d",
+ "question": "Who is the founder of ExxonMobil?",
+ "decomposition": [],
+ "answer": "John D. Rockefeller",
+ "depends_on": [
+ "0980f8ae2fb30285"
+ ],
+ "evidence": {
+ "pageid": 18848197,
+ "revid": 1185831106,
+ "title": "ExxonMobil",
+ "url": "https://en.wikipedia.org/wiki/ExxonMobil"
+ }
+ },
+ {
+ "id": "a8b61ee036758add",
+ "question": "Who is the founder of Apple?",
+ "decomposition": [],
+ "answer": "Steve Wozniak, Steve Jobs & Ronald Wayne",
+ "depends_on": [
+ "0980f8ae2fb30285"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "cba9ae17e04b26ff",
+ "question": "Who is the founder of UnitedHealth Group?",
+ "decomposition": [],
+ "answer": "Richard Taylor Burke",
+ "depends_on": [
+ "0980f8ae2fb30285"
+ ],
+ "evidence": {
+ "pageid": 1845551,
+ "revid": 1185887119,
+ "title": "UnitedHealth Group",
+ "url": "https://en.wikipedia.org/wiki/UnitedHealth_Group"
+ }
+ }
+ ],
+ "answer": {
+ "Walmart": "Sam Walton & James Budd Wulton",
+ "Amazon": "Jeff Bezos",
+ "ExxonMobil": "John D. Rockefeller",
+ "Apple": "Steve Wozniak, Steve Jobs & Ronald Wayne",
+ "UnitedHealth Group": "Richard Taylor Burke"
+ },
+ "categories": [
+ "History",
+ "Business"
+ ]
+ },
+ {
+ "id": "8dd202edb48d9e6d",
+ "question": "What are the record high temperatures in Celcius in the top 5 most populous cities in the world?",
+ "decomposition": [
+ {
+ "id": "616263dee2905296",
+ "question": "What are the top 5 most populous cities in the world?",
+ "decomposition": [],
+ "answer": [
+ "Tokyo",
+ "Delhi",
+ "Shanghai",
+ "Sao Paulo",
+ "Mexico City"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14649921,
+ "revid": 1184671739,
+ "title": "List of largest cities",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_cities"
+ }
+ },
+ {
+ "id": "8cf41652c795bde7",
+ "question": "What is the highest recorded temparature in Tokyo (in Celcius)?",
+ "decomposition": [],
+ "answer": 39.5,
+ "depends_on": [
+ "616263dee2905296"
+ ],
+ "evidence": {
+ "pageid": 30057,
+ "revid": 1185512854,
+ "title": "Tokyo",
+ "url": "https://en.wikipedia.org/wiki/Tokyo"
+ }
+ },
+ {
+ "id": "53ef49bb459ba74d",
+ "question": "What is the highest recorded temparature in Delhi (in Celcius)?",
+ "decomposition": [],
+ "answer": 47.2,
+ "depends_on": [
+ "616263dee2905296"
+ ],
+ "evidence": {
+ "pageid": 37756,
+ "revid": 1185858759,
+ "title": "Delhi",
+ "url": "https://en.wikipedia.org/wiki/Delhi"
+ }
+ },
+ {
+ "id": "0a7a48c51b374c35",
+ "question": "What is the highest recorded temparature in Shanghai (in Celcius)?",
+ "decomposition": [],
+ "answer": 40.9,
+ "depends_on": [
+ "616263dee2905296"
+ ],
+ "evidence": {
+ "pageid": 27643,
+ "revid": 1185922962,
+ "title": "Shanghai",
+ "url": "https://en.wikipedia.org/wiki/Shanghai"
+ }
+ },
+ {
+ "id": "2cdee234763d51d0",
+ "question": "What is the highest recorded temparature in Sao Paulo (in Celcius)?",
+ "decomposition": [],
+ "answer": 37.0,
+ "depends_on": [
+ "616263dee2905296"
+ ],
+ "evidence": {
+ "pageid": 390875,
+ "revid": 1185771387,
+ "title": "S\u00e3o Paulo",
+ "url": "https://en.wikipedia.org/wiki/S%C3%A3o_Paulo"
+ }
+ },
+ {
+ "id": "eac220729a7fa58c",
+ "question": "What is the highest recorded temparature in Mexico City (in Celcius)?",
+ "decomposition": [],
+ "answer": 33.9,
+ "depends_on": [
+ "616263dee2905296"
+ ],
+ "evidence": {
+ "pageid": 18987,
+ "revid": 1185243080,
+ "title": "Mexico City",
+ "url": "https://en.wikipedia.org/wiki/Mexico_City"
+ }
+ }
+ ],
+ "answer": {
+ "Tokyo": 39.5,
+ "Delhi": 47.2,
+ "Shanghai": 40.9,
+ "Sao Paulo": 37.0,
+ "Mexico City": 33.9
+ },
+ "categories": [
+ "Climatology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "bcf7502e3c4716b8",
+ "question": "What are the lengths in kilometers of the longest rivers in the five countries with the largest land area?",
+ "decomposition": [
+ {
+ "id": "430c6c253431af09",
+ "question": "What are the five countries with the largest land area?",
+ "decomposition": [],
+ "answer": [
+ "Russia",
+ "Canada",
+ "China",
+ "United States",
+ "Brazil"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3989609,
+ "revid": 1185612973,
+ "title": "List of countries and dependencies by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_and_dependencies_by_area"
+ }
+ },
+ {
+ "id": "0f2bb4d813522290",
+ "question": "What is the length of the longest river in Russia?",
+ "decomposition": [],
+ "answer": 3692,
+ "depends_on": [
+ "430c6c253431af09"
+ ],
+ "evidence": {
+ "pageid": 216239,
+ "revid": 1181419348,
+ "title": "List of rivers of Russia",
+ "url": "https://en.wikipedia.org/wiki/List_of_rivers_of_Russia"
+ }
+ },
+ {
+ "id": "3e848fc59a78f862",
+ "question": "What is the length of the longest river in Canada?",
+ "decomposition": [],
+ "answer": 2420,
+ "depends_on": [
+ "430c6c253431af09"
+ ],
+ "evidence": {
+ "pageid": 321126,
+ "revid": 1183900690,
+ "title": "List of rivers of Canada",
+ "url": "https://en.wikipedia.org/wiki/List_of_rivers_of_Canada"
+ }
+ },
+ {
+ "id": "b0de3066a345bd86",
+ "question": "What is the length of the longest river in China?",
+ "decomposition": [],
+ "answer": 3915,
+ "depends_on": [
+ "430c6c253431af09"
+ ],
+ "evidence": {
+ "pageid": 860732,
+ "revid": 1179142343,
+ "title": "List of rivers of China",
+ "url": "https://en.wikipedia.org/wiki/List_of_rivers_of_China"
+ }
+ },
+ {
+ "id": "4427bacf386e937a",
+ "question": "What is the length of the longest river in the United States?",
+ "decomposition": [],
+ "answer": 2348,
+ "depends_on": [
+ "430c6c253431af09"
+ ],
+ "evidence": {
+ "pageid": 146109,
+ "revid": 1095951001,
+ "title": "List of rivers of the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_rivers_of_the_United_States"
+ }
+ },
+ {
+ "id": "44c9af83785218ff",
+ "question": "What is the length of the longest river in Brazil?",
+ "decomposition": [],
+ "answer": 4380,
+ "depends_on": [
+ "430c6c253431af09"
+ ],
+ "evidence": {
+ "pageid": 23346894,
+ "revid": 1160331655,
+ "title": "List of rivers of Brazil",
+ "url": "https://en.wikipedia.org/wiki/List_of_rivers_of_Brazil"
+ }
+ }
+ ],
+ "answer": {
+ "Russia": 3692,
+ "Canada": 2420,
+ "China": 3915,
+ "United States": 2348,
+ "Brazil": 4380
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "fa599c99bdc4ca27",
+ "question": "Who are Singapore's most recent five deputy prime ministers (chronological order), and which university did they each attend?",
+ "decomposition": [
+ {
+ "id": "ff2620d4c7f513e7",
+ "question": "Who are Singapore's most recent five deputy prime ministers, in chronological order?",
+ "decomposition": [],
+ "answer": [
+ "Wong Kan Seng",
+ "Teo Chee Hean",
+ "Tharman Shanmugaratnam",
+ "Heng Swee Keat",
+ "Lawrence Wong"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3800252,
+ "revid": 1185384494,
+ "title": "Deputy Prime Minister of Singapore",
+ "url": "https://en.wikipedia.org/wiki/Deputy_Prime_Minister_of_Singapore"
+ }
+ },
+ {
+ "id": "f5691768076bee03",
+ "question": "Which college did Wong Kan Seng attend?",
+ "decomposition": [],
+ "answer": "National University of Singapore",
+ "depends_on": [
+ "ff2620d4c7f513e7"
+ ],
+ "evidence": {
+ "pageid": 2291336,
+ "revid": 1179419676,
+ "title": "Wong Kan Seng",
+ "url": "https://en.wikipedia.org/wiki/Wong_Kan_Seng"
+ }
+ },
+ {
+ "id": "bf386ac09b566005",
+ "question": "Which college did Teo Chee Hean attend?",
+ "decomposition": [],
+ "answer": "University of Manchester",
+ "depends_on": [
+ "ff2620d4c7f513e7"
+ ],
+ "evidence": {
+ "pageid": 1013459,
+ "revid": 1179429878,
+ "title": "Teo Chee Hean",
+ "url": "https://en.wikipedia.org/wiki/Teo_Chee_Hean"
+ }
+ },
+ {
+ "id": "ed0a68ddeffb2848",
+ "question": "Which college did Tharman Shanmugaratnam attend?",
+ "decomposition": [],
+ "answer": "London School of Economics",
+ "depends_on": [
+ "ff2620d4c7f513e7"
+ ],
+ "evidence": {
+ "pageid": 4024053,
+ "revid": 1185610434,
+ "title": "Tharman Shanmugaratnam",
+ "url": "https://en.wikipedia.org/wiki/Tharman_Shanmugaratnam"
+ }
+ },
+ {
+ "id": "654cb7490942c854",
+ "question": "Which college did Heng Swee Keat attend?",
+ "decomposition": [],
+ "answer": "University of Cambridge",
+ "depends_on": [
+ "ff2620d4c7f513e7"
+ ],
+ "evidence": {
+ "pageid": 31755604,
+ "revid": 1179428718,
+ "title": "Heng Swee Keat",
+ "url": "https://en.wikipedia.org/wiki/Heng_Swee_Keat"
+ }
+ },
+ {
+ "id": "31e3fa2ef86290f8",
+ "question": "Which college did Lawrence Wong attend?",
+ "decomposition": [],
+ "answer": "University of Wisconsin\u2013Madison",
+ "depends_on": [
+ "ff2620d4c7f513e7"
+ ],
+ "evidence": {
+ "pageid": 32336575,
+ "revid": 1185851847,
+ "title": "Lawrence Wong",
+ "url": "https://en.wikipedia.org/wiki/Lawrence_Wong"
+ }
+ }
+ ],
+ "answer": {
+ "Wong Kan Seng": "National University of Singapore",
+ "Teo Chee Hean": "University of Manchester",
+ "Tharman Shanmugaratnam": "London School of Economics",
+ "Heng Swee Keat": "University of Cambridge",
+ "Lawrence Wong": "University of Wisconsin\u2013Madison"
+ },
+ "categories": [
+ "Education",
+ "Politics"
+ ]
+ },
+ {
+ "id": "291b1c294b1a69a7",
+ "question": "List the populations of the four cities where Lionel Messi last played club soccer.",
+ "decomposition": [
+ {
+ "id": "fc68bfe1a455cf4a",
+ "question": "What were the last 4 soccer clubs that Lionel Messi played for?",
+ "decomposition": [],
+ "answer": "Inter Miami, Paris Saint-Germain, Barcelona, Newell's Old Boys",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2150841,
+ "revid": 1185609783,
+ "title": "Lionel Messi",
+ "url": "https://en.wikipedia.org/wiki/Lionel_Messi"
+ }
+ },
+ {
+ "id": "b38aed8c3de8c616",
+ "question": "What is the population of Miami?",
+ "decomposition": [],
+ "answer": "442241",
+ "depends_on": [
+ "fc68bfe1a455cf4a"
+ ],
+ "evidence": {
+ "pageid": 53846,
+ "revid": 1185948299,
+ "title": "Miami",
+ "url": "https://en.wikipedia.org/wiki/Miami"
+ }
+ },
+ {
+ "id": "e2dad5370292f856",
+ "question": "What is the population of Paris?",
+ "decomposition": [],
+ "answer": "2102650",
+ "depends_on": [
+ "fc68bfe1a455cf4a"
+ ],
+ "evidence": {
+ "pageid": 22989,
+ "revid": 1185934392,
+ "title": "Paris",
+ "url": "https://en.wikipedia.org/wiki/Paris"
+ }
+ },
+ {
+ "id": "fa305b1192b1b092",
+ "question": "What is the population of Barcelona?",
+ "decomposition": [],
+ "answer": "1620343",
+ "depends_on": [
+ "fc68bfe1a455cf4a"
+ ],
+ "evidence": {
+ "pageid": 4443,
+ "revid": 1184282890,
+ "title": "Barcelona",
+ "url": "https://en.wikipedia.org/wiki/Barcelona"
+ }
+ },
+ {
+ "id": "c867db3a25558841",
+ "question": "What is the population of Rosario?",
+ "decomposition": [],
+ "answer": "1276000",
+ "depends_on": [
+ "fc68bfe1a455cf4a"
+ ],
+ "evidence": {
+ "pageid": 592784,
+ "revid": 1184264596,
+ "title": "Rosario",
+ "url": "https://en.wikipedia.org/wiki/Rosario,_Santa_Fe"
+ }
+ }
+ ],
+ "answer": [
+ "442241",
+ "2102650",
+ "1620343",
+ "1276000"
+ ],
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "d74222cba26f3a21",
+ "question": "What is the Human Development Index ranking of NATO member states that joined NATO after 2005?",
+ "decomposition": [
+ {
+ "id": "a4663d669dcf34c3",
+ "question": "Which NATO member states joined NATO after 2005?",
+ "decomposition": [],
+ "answer": [
+ "Albania",
+ "Croatia",
+ "Finland",
+ "Montenegro",
+ "North Macedonia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17971449,
+ "revid": 1184105403,
+ "title": "Member states of NATO",
+ "url": "https://en.wikipedia.org/wiki/Member_states_of_NATO"
+ }
+ },
+ {
+ "id": "247fd5dce815c0f1",
+ "question": "What is the Human Develpment Index ranking of Albania?",
+ "decomposition": [],
+ "answer": "67",
+ "depends_on": [
+ "a4663d669dcf34c3"
+ ],
+ "evidence": {
+ "pageid": 738,
+ "revid": 1185765622,
+ "title": "Albania",
+ "url": "https://en.wikipedia.org/wiki/Albania"
+ }
+ },
+ {
+ "id": "495da7ce7ef6a6cd",
+ "question": "What is the Human Develpment Index ranking of Croatia?",
+ "decomposition": [],
+ "answer": "40",
+ "depends_on": [
+ "a4663d669dcf34c3"
+ ],
+ "evidence": {
+ "pageid": 5573,
+ "revid": 1185924660,
+ "title": "Croatia",
+ "url": "https://en.wikipedia.org/wiki/Croatia"
+ }
+ },
+ {
+ "id": "6c414c307b81db3a",
+ "question": "What is the Human Develpment Index ranking of Finland?",
+ "decomposition": [],
+ "answer": "11",
+ "depends_on": [
+ "a4663d669dcf34c3"
+ ],
+ "evidence": {
+ "pageid": 10577,
+ "revid": 1185305113,
+ "title": "Finland",
+ "url": "https://en.wikipedia.org/wiki/Finland"
+ }
+ },
+ {
+ "id": "60530ac4d109370d",
+ "question": "What is the Human Develpment Index ranking of Montenegro?",
+ "decomposition": [],
+ "answer": "49",
+ "depends_on": [
+ "a4663d669dcf34c3"
+ ],
+ "evidence": {
+ "pageid": 20760,
+ "revid": 1185491421,
+ "title": "Montenegro",
+ "url": "https://en.wikipedia.org/wiki/Montenegro"
+ }
+ },
+ {
+ "id": "f40f1250ea0f85b4",
+ "question": "What is the Human Develpment Index ranking of North Macedonia?",
+ "decomposition": [],
+ "answer": "78",
+ "depends_on": [
+ "a4663d669dcf34c3"
+ ],
+ "evidence": {
+ "pageid": 23564616,
+ "revid": 1185763020,
+ "title": "North Macedonia",
+ "url": "https://en.wikipedia.org/wiki/North_Macedonia"
+ }
+ }
+ ],
+ "answer": {
+ "Albania": "67",
+ "Croatia": "40",
+ "Finland": "11",
+ "Motenegro": "49",
+ "North Macedonia": "78"
+ },
+ "categories": [
+ "Statistics",
+ "International Relations"
+ ]
+ },
+ {
+ "id": "d44a53d2d8fe82c6",
+ "question": "Which of the shapes listed under the common variations of dice shapes is not a Platonic solid?",
+ "decomposition": [
+ {
+ "id": "b25a0e2a61d76c14",
+ "question": "What are the shapes listed under the common variations of dice shapes?",
+ "decomposition": [],
+ "answer": [
+ "Tetrahedron",
+ "Cube",
+ "Octahedron",
+ "Pentagonal trapezohedron",
+ "Dodecahedron",
+ "Icosahedron"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 8244,
+ "revid": 1182379038,
+ "title": "Dice",
+ "url": "https://en.wikipedia.org/wiki/Dice"
+ }
+ },
+ {
+ "id": "54dab767217688ae",
+ "question": "What is the type of a Tetrahedron?",
+ "decomposition": [],
+ "answer": "Platonic solid",
+ "depends_on": [
+ "b25a0e2a61d76c14"
+ ],
+ "evidence": {
+ "pageid": 30606,
+ "revid": 1184963332,
+ "title": "Tetrahedron",
+ "url": "https://en.wikipedia.org/wiki/Tetrahedron"
+ }
+ },
+ {
+ "id": "4a3829591e74688f",
+ "question": "What is the type of a Cube?",
+ "decomposition": [],
+ "answer": "Platonic solid",
+ "depends_on": [
+ "b25a0e2a61d76c14"
+ ],
+ "evidence": {
+ "pageid": 6285,
+ "revid": 1185500198,
+ "title": "Cube",
+ "url": "https://en.wikipedia.org/wiki/Cube"
+ }
+ },
+ {
+ "id": "170f523482b5f302",
+ "question": "What is the type of a Octahedron?",
+ "decomposition": [],
+ "answer": "Platonic solid",
+ "depends_on": [
+ "b25a0e2a61d76c14"
+ ],
+ "evidence": {
+ "pageid": 22458,
+ "revid": 1176139251,
+ "title": "Octahedron",
+ "url": "https://en.wikipedia.org/wiki/Octahedron"
+ }
+ },
+ {
+ "id": "75a349d259129dac",
+ "question": "What is the type of a Pentagonal trapezohedron?",
+ "decomposition": [],
+ "answer": "trapezohedra",
+ "depends_on": [
+ "b25a0e2a61d76c14"
+ ],
+ "evidence": {
+ "pageid": 3504428,
+ "revid": 1183681768,
+ "title": "Pentagonal trapezohedron",
+ "url": "https://en.wikipedia.org/wiki/Pentagonal_trapezohedron"
+ }
+ },
+ {
+ "id": "704f4b7babd4dedf",
+ "question": "What is the type of a Dodecahedron?",
+ "decomposition": [],
+ "answer": "Platonic solid",
+ "depends_on": [
+ "b25a0e2a61d76c14"
+ ],
+ "evidence": {
+ "pageid": 7149361,
+ "revid": 1171206974,
+ "title": "Regular dodecahedron",
+ "url": "https://en.wikipedia.org/wiki/Regular_dodecahedron"
+ }
+ },
+ {
+ "id": "014522f475ba24de",
+ "question": "What is the type of a Icosahedron?",
+ "decomposition": [],
+ "answer": "Platonic solid",
+ "depends_on": [
+ "b25a0e2a61d76c14"
+ ],
+ "evidence": {
+ "pageid": 14968,
+ "revid": 1180504423,
+ "title": "Regular icosahedron",
+ "url": "https://en.wikipedia.org/wiki/Regular_icosahedron"
+ }
+ }
+ ],
+ "answer": [
+ "Pentagonal trapezohedron"
+ ],
+ "categories": [
+ "Geometry",
+ "Mathematics"
+ ]
+ },
+ {
+ "id": "065b97c2df131209",
+ "question": "Who are the current head coaches of the 6 NFL teams with the most Super Bowl wins?",
+ "decomposition": [
+ {
+ "id": "24029605f4653b19",
+ "question": "What are the 6 most Super Bowl wins teams in the NFL?",
+ "decomposition": [],
+ "answer": [
+ "Pittsburgh Steelers",
+ "New England Patriots",
+ "San Francisco 49ers",
+ "Dallas Cowboys",
+ "New York Giants",
+ "Green Bay Packers"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 27718,
+ "revid": 1185353877,
+ "title": "Super Bowl",
+ "url": "https://en.wikipedia.org/wiki/Super_Bowl"
+ }
+ },
+ {
+ "id": "37adf8aeed5a91e9",
+ "question": "Who is the current head coach of Pittsburgh Steelers?",
+ "decomposition": [],
+ "answer": "Mike Tomlin",
+ "depends_on": [
+ "24029605f4653b19"
+ ],
+ "evidence": {
+ "pageid": 23338,
+ "revid": 1183985953,
+ "title": "Pittsburgh Steelers",
+ "url": "https://en.wikipedia.org/wiki/Pittsburgh_Steelers"
+ }
+ },
+ {
+ "id": "f62f4b1c587ff16c",
+ "question": "Who is the current head coach of New England Patriots?",
+ "decomposition": [],
+ "answer": "Bill Belichick",
+ "depends_on": [
+ "24029605f4653b19"
+ ],
+ "evidence": {
+ "pageid": 21719,
+ "revid": 1184907286,
+ "title": "New England Patriots",
+ "url": "https://en.wikipedia.org/wiki/New_England_Patriots"
+ }
+ },
+ {
+ "id": "694cdd29beaad369",
+ "question": "Who is the current head coach of San Francisco 49ers?",
+ "decomposition": [],
+ "answer": "Kyle Shanahan",
+ "depends_on": [
+ "24029605f4653b19"
+ ],
+ "evidence": {
+ "pageid": 27169,
+ "revid": 1185779008,
+ "title": "San Francisco 49ers",
+ "url": "https://en.wikipedia.org/wiki/San_Francisco_49ers"
+ }
+ },
+ {
+ "id": "a198c164f455db49",
+ "question": "Who is the current head coach of Dallas Cowboys?",
+ "decomposition": [],
+ "answer": "Mike McCarthy",
+ "depends_on": [
+ "24029605f4653b19"
+ ],
+ "evidence": {
+ "pageid": 8121,
+ "revid": 1185890062,
+ "title": "Dallas Cowboys",
+ "url": "https://en.wikipedia.org/wiki/Dallas_Cowboys"
+ }
+ },
+ {
+ "id": "d86b6cb303e82043",
+ "question": "Who is the current head coach of New York Giants?",
+ "decomposition": [],
+ "answer": "Brian Daboll",
+ "depends_on": [
+ "24029605f4653b19"
+ ],
+ "evidence": {
+ "pageid": 21757,
+ "revid": 1183800234,
+ "title": "New York Giants",
+ "url": "https://en.wikipedia.org/wiki/New_York_Giants"
+ }
+ },
+ {
+ "id": "efed3bc3ffb1810a",
+ "question": "Who is the current head coach of Green Bay Packers?",
+ "decomposition": [],
+ "answer": "Matt LaFleur",
+ "depends_on": [
+ "24029605f4653b19"
+ ],
+ "evidence": {
+ "pageid": 12663,
+ "revid": 1185636406,
+ "title": "Green Bay Packers",
+ "url": "https://en.wikipedia.org/wiki/Green_Bay_Packers"
+ }
+ }
+ ],
+ "answer": {
+ "Pittsburgh Steelers": "Mike Tomlin",
+ "New England Patriots": "Bill Belichick",
+ "San Francisco 49ers": "Kyle Shanahan",
+ "Dallas Cowboys": "Mike McCarthy",
+ "New York Giants": "Brian Daboll",
+ "Green Bay Packers": "Matt LaFleur"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "3590f8178fec483b",
+ "question": "In what cities were the top five goalscorers of FC Barcelona born?",
+ "decomposition": [
+ {
+ "id": "df55816f0a9b6638",
+ "question": "Who are the top five goalscorers of FC Barcelona?",
+ "decomposition": [],
+ "answer": [
+ "Lionel Messi",
+ "C\u00e9sar Rodr\u00edguez",
+ "Luis Su\u00e1rez",
+ "L\u00e1szl\u00f3 Kubala",
+ "Josep Samitier"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14707564,
+ "revid": 1184175971,
+ "title": "List of FC Barcelona records and statistics",
+ "url": "https://en.wikipedia.org/wiki/List_of_FC_Barcelona_records_and_statistics"
+ }
+ },
+ {
+ "id": "8a23fb71abfcd58c",
+ "question": "What city was Lionel Messi born in?",
+ "decomposition": [],
+ "answer": "Rosario, Santa Fe",
+ "depends_on": [
+ "df55816f0a9b6638"
+ ],
+ "evidence": {
+ "pageid": 2150841,
+ "revid": 1185609783,
+ "title": "Lionel Messi",
+ "url": "https://en.wikipedia.org/wiki/Lionel_Messi"
+ }
+ },
+ {
+ "id": "fa1865171732c453",
+ "question": "What city was C\u00e9sar Rodr\u00edguez born in?",
+ "decomposition": [],
+ "answer": "Le\u00f3n, Castile and Le\u00f3n",
+ "depends_on": [
+ "df55816f0a9b6638"
+ ],
+ "evidence": {
+ "pageid": 9472304,
+ "revid": 1175860803,
+ "title": "C\u00e9sar Rodr\u00edguez (footballer, born 1920)",
+ "url": "https://en.wikipedia.org/wiki/C%C3%A9sar_Rodr%C3%ADguez_(footballer,_born_1920)"
+ }
+ },
+ {
+ "id": "bf75aa16970a7495",
+ "question": "What city was Luis Su\u00e1rez born in?",
+ "decomposition": [],
+ "answer": "Salto",
+ "depends_on": [
+ "df55816f0a9b6638"
+ ],
+ "evidence": {
+ "pageid": 7819615,
+ "revid": 1185821181,
+ "title": "Luis Su\u00e1rez",
+ "url": "https://en.wikipedia.org/wiki/Luis_Su%C3%A1rez"
+ }
+ },
+ {
+ "id": "dc94a01fc998129a",
+ "question": "What city was L\u00e1szl\u00f3 Kubala born in?",
+ "decomposition": [],
+ "answer": "Budapest",
+ "depends_on": [
+ "df55816f0a9b6638"
+ ],
+ "evidence": {
+ "pageid": 1597897,
+ "revid": 1180473318,
+ "title": "L\u00e1szl\u00f3 Kubala",
+ "url": "https://en.wikipedia.org/wiki/L%C3%A1szl%C3%B3_Kubala"
+ }
+ },
+ {
+ "id": "af9ea638a813295f",
+ "question": "What city was Josep Samitier born in?",
+ "decomposition": [],
+ "answer": "Barcelona, Catalonia",
+ "depends_on": [
+ "df55816f0a9b6638"
+ ],
+ "evidence": {
+ "pageid": 3543342,
+ "revid": 1177519902,
+ "title": "Josep Samitier",
+ "url": "https://en.wikipedia.org/wiki/Josep_Samitier"
+ }
+ }
+ ],
+ "answer": {
+ "Lionel Messi": "Rosario, Santa Fe",
+ "C\u00e9sar Rodr\u00edguez": "Le\u00f3n, Castile and Le\u00f3n",
+ "Luis Su\u00e1rez": "Salto",
+ "L\u00e1szl\u00f3 Kubala": "Budapest",
+ "Josep Samitier": "Barcelona, Catalonia"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "1244f9eb0096a5f2",
+ "question": "What are the 5 countries with the highest reported cases of COVID-19 and when did the outbreak begin in each of these countries?",
+ "decomposition": [
+ {
+ "id": "4f0c4748d13ab693",
+ "question": "What are the 5 countries with the highest reported cases of COVID-19?",
+ "decomposition": [],
+ "answer": [
+ "US",
+ "China",
+ "India",
+ "France",
+ "Germany"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 62938755,
+ "revid": 1183760103,
+ "title": "COVID-19 pandemic by country and territory",
+ "url": "https://en.wikipedia.org/wiki/COVID-19_pandemic_by_country_and_territory"
+ }
+ },
+ {
+ "id": "c3a2fc7b87174d37",
+ "question": "When did the outbreak begin in US?",
+ "decomposition": [],
+ "answer": "January 13, 2020",
+ "depends_on": [
+ "4f0c4748d13ab693"
+ ],
+ "evidence": {
+ "pageid": 63136490,
+ "revid": 1183964189,
+ "title": "COVID-19 pandemic in the United States",
+ "url": "https://en.wikipedia.org/wiki/COVID-19_pandemic_in_the_United_States"
+ }
+ },
+ {
+ "id": "c154c61800da57e7",
+ "question": "When did the outbreak begin in China?",
+ "decomposition": [],
+ "answer": "December 1, 2019",
+ "depends_on": [
+ "4f0c4748d13ab693"
+ ],
+ "evidence": {
+ "pageid": 70607114,
+ "revid": 1177816538,
+ "title": "COVID-19 pandemic in China",
+ "url": "https://en.wikipedia.org/wiki/COVID-19_pandemic_in_China"
+ }
+ },
+ {
+ "id": "149587b88380c56d",
+ "question": "When did the outbreak begin in India?",
+ "decomposition": [],
+ "answer": "January 30, 2020",
+ "depends_on": [
+ "4f0c4748d13ab693"
+ ],
+ "evidence": {
+ "pageid": 63265538,
+ "revid": 1183781750,
+ "title": "COVID-19 pandemic in India",
+ "url": "https://en.wikipedia.org/wiki/COVID-19_pandemic_in_India"
+ }
+ },
+ {
+ "id": "c9ac01e4ab494e7c",
+ "question": "When did the outbreak begin in France?",
+ "decomposition": [],
+ "answer": "January 24, 2020",
+ "depends_on": [
+ "4f0c4748d13ab693"
+ ],
+ "evidence": {
+ "pageid": 63216759,
+ "revid": 1184925014,
+ "title": "COVID-19 pandemic in France",
+ "url": "https://en.wikipedia.org/wiki/COVID-19_pandemic_in_France"
+ }
+ },
+ {
+ "id": "356b2f079443ddd6",
+ "question": "When did the outbreak begin in Germany?",
+ "decomposition": [],
+ "answer": "January 27, 2020",
+ "depends_on": [
+ "4f0c4748d13ab693"
+ ],
+ "evidence": {
+ "pageid": 63216845,
+ "revid": 1180192621,
+ "title": "COVID-19 pandemic in Germany",
+ "url": "https://en.wikipedia.org/wiki/COVID-19_pandemic_in_Germany"
+ }
+ }
+ ],
+ "answer": {
+ "US": "January 13, 2020",
+ "China": "December 1, 2019",
+ "India": "January 30, 2020",
+ "France": "January 24, 2020",
+ "Germany": "January 27, 2020"
+ },
+ "categories": [
+ "History",
+ "Epidemiology"
+ ]
+ },
+ {
+ "id": "cc4e6774f97b0101",
+ "question": "Which heads of state of the founding countries of the European Union are older than 80 years old?",
+ "decomposition": [
+ {
+ "id": "c0d2a68a7ee8320a",
+ "question": "What countries founded the European Union?",
+ "decomposition": [],
+ "answer": [
+ "Belgium",
+ "France",
+ "Germany",
+ "Italy",
+ "Luxembourg",
+ "Netherlands"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9317,
+ "revid": 1185848851,
+ "title": "European Union",
+ "url": "https://en.wikipedia.org/wiki/European_Union"
+ }
+ },
+ {
+ "id": "721d13dac3a8d4d6",
+ "question": "Who is the head of state of Belgium and how old are they?",
+ "decomposition": [
+ {
+ "id": "c9246c6d6d2f64f7",
+ "question": "Who is the head of state of Belgium?",
+ "decomposition": [],
+ "answer": [
+ "King Philippe"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3343,
+ "revid": 1185085425,
+ "title": "Belgium",
+ "url": "https://en.wikipedia.org/wiki/Belgium"
+ }
+ },
+ {
+ "id": "4ae79e8c49bc07f6",
+ "question": "How old is King Philippe?",
+ "decomposition": [],
+ "answer": 63,
+ "depends_on": [
+ "c9246c6d6d2f64f7"
+ ],
+ "evidence": {
+ "pageid": 168868,
+ "revid": 1178463297,
+ "title": "Philippe of Belgium",
+ "url": "https://en.wikipedia.org/wiki/Philippe_of_Belgium"
+ }
+ }
+ ],
+ "answer": {
+ "King Philippe": 63
+ },
+ "depends_on": [
+ "c0d2a68a7ee8320a"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "8bd0bbdea76558f8",
+ "question": "Who is the head of state of France and how old are they?",
+ "decomposition": [
+ {
+ "id": "32fa5902eb83d240",
+ "question": "Who is the head of state of France?",
+ "decomposition": [],
+ "answer": [
+ "Emmanuel Macron"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5843419,
+ "revid": 1185856656,
+ "title": "France",
+ "url": "https://en.wikipedia.org/wiki/France"
+ }
+ },
+ {
+ "id": "6ab257b84078d70a",
+ "question": "How old is Emmanuel Macron?",
+ "decomposition": [],
+ "answer": 45,
+ "depends_on": [
+ "32fa5902eb83d240"
+ ],
+ "evidence": {
+ "pageid": 43671127,
+ "revid": 1185674037,
+ "title": "Emmanuel Macron",
+ "url": "https://en.wikipedia.org/wiki/Emmanuel_Macron"
+ }
+ }
+ ],
+ "answer": {
+ "Emmanuel Macron": 45
+ },
+ "depends_on": [
+ "c0d2a68a7ee8320a"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "7debfaef33b16ef2",
+ "question": "Who is the head of state of Germany and how old are they?",
+ "decomposition": [
+ {
+ "id": "07ba7a9a300629f3",
+ "question": "Who is the head of state of Greece?",
+ "decomposition": [],
+ "answer": [
+ "Frank-Walter Steinmeier"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11867,
+ "revid": 1185869364,
+ "title": "Germany",
+ "url": "https://en.wikipedia.org/wiki/Germany"
+ }
+ },
+ {
+ "id": "4630dc7fc6db0959",
+ "question": "How old is Frank-Walter Steinmeier?",
+ "decomposition": [],
+ "answer": 67,
+ "depends_on": [
+ "07ba7a9a300629f3"
+ ],
+ "evidence": {
+ "pageid": 2897286,
+ "revid": 1185138742,
+ "title": "Frank-Walter Steinmeier",
+ "url": "https://en.wikipedia.org/wiki/Frank-Walter_Steinmeier"
+ }
+ }
+ ],
+ "answer": {
+ "Frank-Walter Steinmeier": 67
+ },
+ "depends_on": [
+ "c0d2a68a7ee8320a"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "4cfdd206d5601333",
+ "question": "Who is the head of state of Italy and a how old are they?",
+ "decomposition": [
+ {
+ "id": "f21737f38efd89e8",
+ "question": "Who is the head of state of Italy?",
+ "decomposition": [],
+ "answer": [
+ "Sergio Mattarella"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14532,
+ "revid": 1185928833,
+ "title": "Italy",
+ "url": "https://en.wikipedia.org/wiki/Italy"
+ }
+ },
+ {
+ "id": "6b2ddb198e1f6a79",
+ "question": "How old is Sergio Mattarella?",
+ "decomposition": [],
+ "answer": 82,
+ "depends_on": [
+ "f21737f38efd89e8"
+ ],
+ "evidence": {
+ "pageid": 13947321,
+ "revid": 1185811007,
+ "title": "Sergio Mattarella",
+ "url": "https://en.wikipedia.org/wiki/Sergio_Mattarella"
+ }
+ }
+ ],
+ "answer": {
+ "Sergio Mattarella": 82
+ },
+ "depends_on": [
+ "c0d2a68a7ee8320a"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "6d12bc6e1e653cef",
+ "question": "Who is the head of state of Luxembourg and how old are they?",
+ "decomposition": [
+ {
+ "id": "3309fdf76297e230",
+ "question": "Who is the head of state of Luxembourg?",
+ "decomposition": [],
+ "answer": [
+ "Grand Duke Henri"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17515,
+ "revid": 1185517682,
+ "title": "Luxembourg",
+ "url": "https://en.wikipedia.org/wiki/Luxembourg"
+ }
+ },
+ {
+ "id": "1e4b5ca93f350f81",
+ "question": "How old is Grand Duke Henri?",
+ "decomposition": [],
+ "answer": 68,
+ "depends_on": [
+ "3309fdf76297e230"
+ ],
+ "evidence": {
+ "pageid": 348759,
+ "revid": 1185297329,
+ "title": "Henri, Grand Duke of Luxembourg",
+ "url": "https://en.wikipedia.org/wiki/Henri,_Grand_Duke_of_Luxembourg"
+ }
+ }
+ ],
+ "answer": {
+ "Grand Duke Henri": 68
+ },
+ "depends_on": [
+ "c0d2a68a7ee8320a"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "956b74dfcea795fc",
+ "question": "Who is the head of state of Netherlands and how old are they?",
+ "decomposition": [
+ {
+ "id": "9d203c7f057281d8",
+ "question": "Who is the head of state of the Netherlands?",
+ "decomposition": [],
+ "answer": [
+ "King Willem-Alexander"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21148,
+ "revid": 1185922618,
+ "title": "Netherlands",
+ "url": "https://en.wikipedia.org/wiki/Netherlands"
+ }
+ },
+ {
+ "id": "8436d2a32866c271",
+ "question": "How old is King Willem-Alexander?",
+ "decomposition": [],
+ "answer": 56,
+ "depends_on": [
+ "9d203c7f057281d8"
+ ],
+ "evidence": {
+ "pageid": 100384,
+ "revid": 1184992840,
+ "title": "Willem-Alexander of the Netherlands",
+ "url": "https://en.wikipedia.org/wiki/Willem-Alexander_of_the_Netherlands"
+ }
+ }
+ ],
+ "answer": {
+ "King Willem-Alexander": 56
+ },
+ "depends_on": [
+ "c0d2a68a7ee8320a"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": [
+ "Sergio Mattarella"
+ ],
+ "categories": [
+ "Politics",
+ "European Studies"
+ ]
+ },
+ {
+ "id": "dfc6679e70dc0854",
+ "question": "List the female winners of the Nobel Prize in 2019 or 2020 and specify the category they won in.",
+ "decomposition": [
+ {
+ "id": "28f5a620e6dcfe97",
+ "question": "Who are the female Nobel Prize winners in 2019 and 2020",
+ "decomposition": [],
+ "answer": [
+ "Esther Duflo",
+ "Abhijit Banerjee",
+ "Jennifer A. Doudna",
+ "Emmanuelle Charpentier",
+ "Frances H. Arnold",
+ "Andrea Mia Ghez",
+ "Louise Gl\u00fcck"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2041164,
+ "revid": 1182410428,
+ "title": "List of female Nobel laureates",
+ "url": "https://en.wikipedia.org/wiki/List_of_female_Nobel_laureates"
+ }
+ },
+ {
+ "id": "6e056a4373fe0fa8",
+ "question": "For what did Esther Duflo receive the Nobel Prize?",
+ "decomposition": [],
+ "answer": "Economic Sciences",
+ "depends_on": [
+ "28f5a620e6dcfe97"
+ ],
+ "evidence": {
+ "pageid": 16736191,
+ "revid": 1185075311,
+ "title": "Esther Duflo",
+ "url": "https://en.wikipedia.org/wiki/Esther_Duflo"
+ }
+ },
+ {
+ "id": "984b5dfd50a6f759",
+ "question": "For what did Abhijit Banerjee receive the Nobel Prize?",
+ "decomposition": [],
+ "answer": "Economic Sciences",
+ "depends_on": [
+ "28f5a620e6dcfe97"
+ ],
+ "evidence": {
+ "pageid": 18961973,
+ "revid": 1185072344,
+ "title": "Abhijit Banerjee",
+ "url": "https://en.wikipedia.org/wiki/Abhijit_Banerjee"
+ }
+ },
+ {
+ "id": "6701c27ec4ca9d77",
+ "question": "For what did Jennifer A. Doudna receive the Nobel Prize?",
+ "decomposition": [],
+ "answer": "Chemistry",
+ "depends_on": [
+ "28f5a620e6dcfe97"
+ ],
+ "evidence": {
+ "pageid": 36836014,
+ "revid": 1184968645,
+ "title": "Jennifer Doudna",
+ "url": "https://en.wikipedia.org/wiki/Jennifer_Doudna"
+ }
+ },
+ {
+ "id": "4245b3c10749c8c4",
+ "question": "For what did Emmanuelle Charpentier receive the Nobel Prize?",
+ "decomposition": [],
+ "answer": "Chemistry",
+ "depends_on": [
+ "28f5a620e6dcfe97"
+ ],
+ "evidence": {
+ "pageid": 47056521,
+ "revid": 1178160840,
+ "title": "Emmanuelle Charpentier",
+ "url": "https://en.wikipedia.org/wiki/Emmanuelle_Charpentier"
+ }
+ },
+ {
+ "id": "3612b42003325471",
+ "question": "For what did Frances H. Arnold receive the Nobel Prize?",
+ "decomposition": [],
+ "answer": "Chemistry",
+ "depends_on": [
+ "28f5a620e6dcfe97"
+ ],
+ "evidence": {
+ "pageid": 19812169,
+ "revid": 1179801473,
+ "title": "Frances Arnold",
+ "url": "https://en.wikipedia.org/wiki/Frances_H._Arnold"
+ }
+ },
+ {
+ "id": "875b9b000a791912",
+ "question": "For what did Andrea Mia Ghez receive the Nobel Prize?",
+ "decomposition": [],
+ "answer": "Physics",
+ "depends_on": [
+ "28f5a620e6dcfe97"
+ ],
+ "evidence": {
+ "pageid": 704276,
+ "revid": 1182574555,
+ "title": "Andrea M. Ghez",
+ "url": "https://en.wikipedia.org/wiki/Andrea_Mia_Ghez"
+ }
+ },
+ {
+ "id": "17cc06a2013bb9e4",
+ "question": "For what did Louise Gl\u00fcck receive the Nobel Prize?",
+ "decomposition": [],
+ "answer": "Literature",
+ "depends_on": [
+ "28f5a620e6dcfe97"
+ ],
+ "evidence": {
+ "pageid": 527135,
+ "revid": 1185498924,
+ "title": "Louise Gl\u00fcck",
+ "url": "https://en.wikipedia.org/wiki/Louise_Gl%C3%BCck"
+ }
+ }
+ ],
+ "answer": {
+ "Esther Duflo": "Economic Sciences",
+ "Abhijit Banerjee": "Economic Sciences",
+ "Jennifer A. Doudna": "Chemistry",
+ "Emmanuelle Charpentier": "Chemistry",
+ "Frances H. Arnold": "Chemistry",
+ "Andrea Mia Ghez": "Physics",
+ "Louise Gl\u00fcck": "Literature"
+ },
+ "categories": [
+ "History",
+ "Women's Studies"
+ ]
+ },
+ {
+ "id": "12a65a9f0f9190c0",
+ "question": "What is the percentage of Asians in the population of each borough of New York City in 2020?",
+ "decomposition": [
+ {
+ "id": "899e4575a29c6005",
+ "question": "What are the boroughs of New York City?",
+ "decomposition": [],
+ "answer": [
+ "Manhattan",
+ "Brooklyn",
+ "Queens",
+ "The Bronx",
+ "Staten Island"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5155825,
+ "revid": 1181820741,
+ "title": "Boroughs of New York City",
+ "url": "https://en.wikipedia.org/wiki/Boroughs_of_New_York_City"
+ }
+ },
+ {
+ "id": "03492d6d06e20b48",
+ "question": "What is the percentage of Asians in the the populations of Manhattan in 2020?",
+ "decomposition": [],
+ "answer": 13.1,
+ "depends_on": [
+ "899e4575a29c6005"
+ ],
+ "evidence": {
+ "pageid": 45470,
+ "revid": 1185096305,
+ "title": "Manhattan",
+ "url": "https://en.wikipedia.org/wiki/Manhattan"
+ }
+ },
+ {
+ "id": "c4830ee3d7946217",
+ "question": "What is the percentage of Asians in the the populations of Brooklyn in 2020?",
+ "decomposition": [],
+ "answer": 13.6,
+ "depends_on": [
+ "899e4575a29c6005"
+ ],
+ "evidence": {
+ "pageid": 47384,
+ "revid": 1185380890,
+ "title": "Brooklyn",
+ "url": "https://en.wikipedia.org/wiki/Brooklyn"
+ }
+ },
+ {
+ "id": "bb0015bff2d45f99",
+ "question": "What is the percentage of Asians in the the populations of Queens in 2020?",
+ "decomposition": [],
+ "answer": 27.5,
+ "depends_on": [
+ "899e4575a29c6005"
+ ],
+ "evidence": {
+ "pageid": 45579,
+ "revid": 1185873137,
+ "title": "Queens",
+ "url": "https://en.wikipedia.org/wiki/Queens"
+ }
+ },
+ {
+ "id": "33efe468d263eea5",
+ "question": "What is the percentage of Asians in the the populations of The Bronx in 2020?",
+ "decomposition": [],
+ "answer": 4.7,
+ "depends_on": [
+ "899e4575a29c6005"
+ ],
+ "evidence": {
+ "pageid": 3338,
+ "revid": 1185822905,
+ "title": "The Bronx",
+ "url": "https://en.wikipedia.org/wiki/The_Bronx"
+ }
+ },
+ {
+ "id": "67c5395eb9e7074c",
+ "question": "What is the percentage of Asians in the the populations of Staten Island in 2020?",
+ "decomposition": [],
+ "answer": 12.0,
+ "depends_on": [
+ "899e4575a29c6005"
+ ],
+ "evidence": {
+ "pageid": 127062,
+ "revid": 1183502583,
+ "title": "Staten Island",
+ "url": "https://en.wikipedia.org/wiki/Staten_Island"
+ }
+ }
+ ],
+ "answer": {
+ "Manhattan": 13.1,
+ "Brooklyn": 13.6,
+ "Queens": 27.5,
+ "The Bronx": 4.7,
+ "Staten Island": 12.0
+ },
+ "categories": [
+ "Demographics",
+ "Sociology"
+ ]
+ },
+ {
+ "id": "bb5b7ff52cf4567b",
+ "question": "What are the four oldest Ivy League universities and who is the provost for each of them?",
+ "decomposition": [
+ {
+ "id": "71f64c45ad95155e",
+ "question": "What are the four oldest Ivy League universities?",
+ "decomposition": [],
+ "answer": [
+ "Harvard University",
+ "Yale University",
+ "University of Pennsylvania",
+ "Princeton University"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14975,
+ "revid": 1185923896,
+ "title": "Ivy League",
+ "url": "https://en.wikipedia.org/wiki/Ivy_League"
+ }
+ },
+ {
+ "id": "216836096d8b9dc0",
+ "question": "Who is the provost of Harvard University?",
+ "decomposition": [],
+ "answer": "Alan Garber",
+ "depends_on": [
+ "71f64c45ad95155e"
+ ],
+ "evidence": {
+ "pageid": 18426501,
+ "revid": 1185051550,
+ "title": "Harvard University",
+ "url": "https://en.wikipedia.org/wiki/Harvard_University"
+ }
+ },
+ {
+ "id": "97983aa4432bc4b1",
+ "question": "Who is the provost of Yale University?",
+ "decomposition": [],
+ "answer": "Scott Strobel",
+ "depends_on": [
+ "71f64c45ad95155e"
+ ],
+ "evidence": {
+ "pageid": 34273,
+ "revid": 1185621306,
+ "title": "Yale University",
+ "url": "https://en.wikipedia.org/wiki/Yale_University"
+ }
+ },
+ {
+ "id": "3ec55af92af89c81",
+ "question": "Who is the provost of University of Pennsylvania?",
+ "decomposition": [],
+ "answer": "John L. Jackson Jr.",
+ "depends_on": [
+ "71f64c45ad95155e"
+ ],
+ "evidence": {
+ "pageid": 31793,
+ "revid": 1185817557,
+ "title": "University of Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/University_of_Pennsylvania"
+ }
+ },
+ {
+ "id": "1962dc570a5c9cc9",
+ "question": "Who is the provost of Princeton University?",
+ "decomposition": [],
+ "answer": "Jennifer Rexford",
+ "depends_on": [
+ "71f64c45ad95155e"
+ ],
+ "evidence": {
+ "pageid": 23922,
+ "revid": 1185831342,
+ "title": "Princeton University",
+ "url": "https://en.wikipedia.org/wiki/Princeton_University"
+ }
+ }
+ ],
+ "answer": {
+ "Harvard University": "Alan Garber",
+ "Yale University": "Scott Strobel",
+ "University of Pennsylvania": "John L. Jackson Jr.",
+ "Princeton University": "Jennifer Rexford"
+ },
+ "categories": [
+ "History",
+ "Education"
+ ]
+ },
+ {
+ "id": "693619f2f644eacd",
+ "question": "How many children does each of the top 5 wealthiest Americans have?",
+ "decomposition": [
+ {
+ "id": "477bb843c332723e",
+ "question": "Who are the top 5 weathiest Americans?",
+ "decomposition": [],
+ "answer": [
+ "Elon Musk",
+ "Jeff Bezos",
+ "Bill Gates",
+ "Larry Ellison",
+ "Mark Zuckerberg"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 25331700,
+ "revid": 1185720264,
+ "title": "List of wealthiest Americans by net worth",
+ "url": "https://en.wikipedia.org/wiki/List_of_wealthiest_Americans_by_net_worth"
+ }
+ },
+ {
+ "id": "ea5d2351c45626ab",
+ "question": "How many childrean does Elon Musk has?",
+ "decomposition": [],
+ "answer": 11,
+ "depends_on": [
+ "477bb843c332723e"
+ ],
+ "evidence": {
+ "pageid": 909036,
+ "revid": 1185947144,
+ "title": "Elon Musk",
+ "url": "https://en.wikipedia.org/wiki/Elon_Musk"
+ }
+ },
+ {
+ "id": "d10f8ec38c0360fe",
+ "question": "How many childrean does Jeff Bezos has?",
+ "decomposition": [],
+ "answer": 4,
+ "depends_on": [
+ "477bb843c332723e"
+ ],
+ "evidence": {
+ "pageid": 3747,
+ "revid": 1185818230,
+ "title": "Bill Gates",
+ "url": "https://en.wikipedia.org/wiki/Bill_Gates"
+ }
+ },
+ {
+ "id": "733fbe42ca91e3a4",
+ "question": "How many childrean does Bill Gates has?",
+ "decomposition": [],
+ "answer": 3,
+ "depends_on": [
+ "477bb843c332723e"
+ ],
+ "evidence": {
+ "pageid": 170144,
+ "revid": 1185425308,
+ "title": "Lisa Kudrow",
+ "url": "https://en.wikipedia.org/wiki/Lisa_Kudrow"
+ }
+ },
+ {
+ "id": "a3453b00ece11923",
+ "question": "How many childrean does Larry Ellison has?",
+ "decomposition": [],
+ "answer": 2,
+ "depends_on": [
+ "477bb843c332723e"
+ ],
+ "evidence": {
+ "pageid": 172395,
+ "revid": 1185603108,
+ "title": "Larry Ellison",
+ "url": "https://en.wikipedia.org/wiki/Larry_Ellison"
+ }
+ },
+ {
+ "id": "497c0b8c4cf119d8",
+ "question": "How many childrean does Mark Zuckerberg has?",
+ "decomposition": [],
+ "answer": 3,
+ "depends_on": [
+ "477bb843c332723e"
+ ],
+ "evidence": {
+ "pageid": 2844938,
+ "revid": 1185930259,
+ "title": "Mark Zuckerberg",
+ "url": "https://en.wikipedia.org/wiki/Mark_Zuckerberg"
+ }
+ }
+ ],
+ "answer": {
+ "Elon Musk": 11,
+ "Jeff Bezos": 4,
+ "Bill Gates": 3,
+ "Larry Ellison": 2,
+ "Mark Zuckerberg": 3
+ },
+ "categories": [
+ "Economics",
+ "Sociology"
+ ]
+ },
+ {
+ "id": "a284cc925636d80b",
+ "question": "Which actors played Spider-man in the latest live-action Spider-man movie, and who directed their respective Spider-man movies?",
+ "decomposition": [
+ {
+ "id": "21fbc9df8559be5b",
+ "question": "What is the latest live-action Spider-man movie?",
+ "decomposition": [],
+ "answer": "Spider-Man: No Way Home (2021)",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7927053,
+ "revid": 1185711433,
+ "title": "Spider-Man in film",
+ "url": "https://en.wikipedia.org/wiki/Spider-Man_in_film"
+ }
+ },
+ {
+ "id": "96096da1d084dc9f",
+ "question": "Which actors played Spider-man in 'Spider-Man: No Way Home (2021)'?",
+ "decomposition": [],
+ "answer": [
+ "Tom Holland",
+ "Tobey Maguire",
+ "Andrew Garfield"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 52239333,
+ "revid": 1184887023,
+ "title": "Spider-Man: No Way Home",
+ "url": "https://en.wikipedia.org/wiki/Spider-Man:_No_Way_Home"
+ }
+ },
+ {
+ "id": "68e8fed3e66505a9",
+ "question": "Who directed Tom Holland's, Tobey Maguire's and Andrew Garfield's respective Spider-man movies?",
+ "decomposition": [
+ {
+ "id": "4327dfe84ab7602a",
+ "question": "Who directed Tom Holland's Spider-man movies?",
+ "decomposition": [
+ {
+ "id": "af98d89725a81885",
+ "question": "What is the title of Tom Holland's last Spider-man movie?",
+ "decomposition": [],
+ "answer": "Spider-Man: No Way Home (2021)",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 26763420,
+ "revid": 1183454218,
+ "title": "Tom Holland",
+ "url": "https://en.wikipedia.org/wiki/Tom_Holland"
+ }
+ },
+ {
+ "id": "96a4c48776b54257",
+ "question": "Who was the director of Spider-Man: No Way Home (2021)?",
+ "decomposition": [],
+ "answer": "Jon Watts",
+ "depends_on": [
+ "af98d89725a81885"
+ ],
+ "evidence": {
+ "pageid": 52239333,
+ "revid": 1184887023,
+ "title": "Spider-Man: No Way Home",
+ "url": "https://en.wikipedia.org/wiki/Spider-Man:_No_Way_Home"
+ }
+ }
+ ],
+ "answer": "Jon Watts",
+ "depends_on": [],
+ "evidence": null
+ },
+ {
+ "id": "5662d4b203d0daac",
+ "question": "Who directed Tobey Maguire's Spider-man movies?",
+ "decomposition": [
+ {
+ "id": "daa4606c1ae04f73",
+ "question": "What is the title of Tobey Magquire's last Spider-man movie?",
+ "decomposition": [],
+ "answer": "Spider-Man 3 (2007)",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 163228,
+ "revid": 1178942008,
+ "title": "Tobey Maguire",
+ "url": "https://en.wikipedia.org/wiki/Tobey_Maguire"
+ }
+ },
+ {
+ "id": "f4ccd20535f1f8e5",
+ "question": "Who was the director of Spider-Man 3 (2007)?",
+ "decomposition": [],
+ "answer": "Sam Raimi",
+ "depends_on": [
+ "daa4606c1ae04f73"
+ ],
+ "evidence": {
+ "pageid": 702117,
+ "revid": 1185323646,
+ "title": "Spider-Man 3",
+ "url": "https://en.wikipedia.org/wiki/Spider-Man_3"
+ }
+ }
+ ],
+ "answer": "Sam Raimi",
+ "depends_on": [],
+ "evidence": null
+ },
+ {
+ "id": "855a6a1734c40af2",
+ "question": "Who directed Andrew Garfield's Spider-man movies?",
+ "decomposition": [
+ {
+ "id": "d60e07504536d933",
+ "question": "What is the title of Andrew Garfield's last Spider-man movie?",
+ "decomposition": [],
+ "answer": "The Amazing Spider-Man 2 (2014)",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5993647,
+ "revid": 1181829321,
+ "title": "Andrew Garfield",
+ "url": "https://en.wikipedia.org/wiki/Andrew_Garfield"
+ }
+ },
+ {
+ "id": "91640b97ca454135",
+ "question": "Who was the director of The Amazing Spider-Man 2 (2014)?",
+ "decomposition": [],
+ "answer": "Marc Webb",
+ "depends_on": [
+ "d60e07504536d933"
+ ],
+ "evidence": {
+ "pageid": 35625166,
+ "revid": 1185752301,
+ "title": "The Amazing Spider-Man 2",
+ "url": "https://en.wikipedia.org/wiki/The_Amazing_Spider-Man_2"
+ }
+ }
+ ],
+ "answer": "Marc Webb",
+ "depends_on": [],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Tom Holland": "Jon Watts",
+ "Tobey Maguire": "Sam Raimi",
+ "Andrew Garfield": "Marc Webb"
+ },
+ "depends_on": [
+ "21fbc9df8559be5b",
+ "96096da1d084dc9f"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Tom Holland": "Jon Watts",
+ "Tobey Maguire": "Sam Raimi",
+ "Andrew Garfield": "Marc Webb"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "c51b94d41576255d",
+ "question": "What are the capital cities of the seven largest islands in the world?",
+ "decomposition": [
+ {
+ "id": "b636bc9bc1325dbf",
+ "question": "What are the seven largest islands in the world?",
+ "decomposition": [],
+ "answer": [
+ "Greenland",
+ "New Guinea",
+ "Borneo",
+ "Madagascar",
+ "Baffin Island",
+ "Sumatra",
+ "Honshu"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 330163,
+ "revid": 1185208683,
+ "title": "List of islands by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_islands_by_area"
+ }
+ },
+ {
+ "id": "be28aa6a7b123093",
+ "question": "What is the capital city of Greenland?",
+ "decomposition": [],
+ "answer": "Nuuk",
+ "depends_on": [
+ "b636bc9bc1325dbf"
+ ],
+ "evidence": {
+ "pageid": 12118,
+ "revid": 1185699468,
+ "title": "Greenland",
+ "url": "https://en.wikipedia.org/wiki/Greenland"
+ }
+ },
+ {
+ "id": "c7847a753929019a",
+ "question": "What is the capital city of New Guinea?",
+ "decomposition": [],
+ "answer": "Port Moresby (Papua New Guinea side), Jayapura (Indonesian side)",
+ "depends_on": [
+ "b636bc9bc1325dbf"
+ ],
+ "evidence": {
+ "pageid": 20611456,
+ "revid": 1184263341,
+ "title": "New Guinea",
+ "url": "https://en.wikipedia.org/wiki/New_Guinea"
+ }
+ },
+ {
+ "id": "388752720be8ade0",
+ "question": "What is the capital city of Borneo?",
+ "decomposition": [],
+ "answer": "Multiple capitals - Palangka Raya (Central Kalimantan), Bandar Seri Begawan (Brunei), Kota Kinabalu (Sabah), Kuching (Sarawak)",
+ "depends_on": [
+ "b636bc9bc1325dbf"
+ ],
+ "evidence": {
+ "pageid": 4518,
+ "revid": 1184903084,
+ "title": "Borneo",
+ "url": "https://en.wikipedia.org/wiki/Borneo"
+ }
+ },
+ {
+ "id": "15573b99b7204226",
+ "question": "What is the capital city of Madagascar?",
+ "decomposition": [],
+ "answer": "Antananarivo",
+ "depends_on": [
+ "b636bc9bc1325dbf"
+ ],
+ "evidence": {
+ "pageid": 18964,
+ "revid": 1185933466,
+ "title": "Madagascar",
+ "url": "https://en.wikipedia.org/wiki/Madagascar"
+ }
+ },
+ {
+ "id": "9e7bd064e221f541",
+ "question": "What is the capital city of Baffin Island?",
+ "decomposition": [],
+ "answer": "Iqaluit",
+ "depends_on": [
+ "b636bc9bc1325dbf"
+ ],
+ "evidence": {
+ "pageid": 69024,
+ "revid": 1184126804,
+ "title": "Baffin Island",
+ "url": "https://en.wikipedia.org/wiki/Baffin_Island"
+ }
+ },
+ {
+ "id": "260e07bffe29ab23",
+ "question": "What is the capital city of Sumatra?",
+ "decomposition": [],
+ "answer": "Medan",
+ "depends_on": [
+ "b636bc9bc1325dbf"
+ ],
+ "evidence": {
+ "pageid": 28679,
+ "revid": 1185871108,
+ "title": "Sumatra",
+ "url": "https://en.wikipedia.org/wiki/Sumatra"
+ }
+ },
+ {
+ "id": "4dbebe6509d1dbf4",
+ "question": "What is the capital city of Honshu?",
+ "decomposition": [],
+ "answer": "Tokyo",
+ "depends_on": [
+ "b636bc9bc1325dbf"
+ ],
+ "evidence": {
+ "pageid": 59057,
+ "revid": 1184657697,
+ "title": "Honshu",
+ "url": "https://en.wikipedia.org/wiki/Honshu"
+ }
+ }
+ ],
+ "answer": {
+ "Greenland": "Nuuk",
+ "New Guinea": "Port Moresby (Papua New Guinea side), Jayapura (Indonesian side)",
+ "Borneo": "Multiple capitals - Palangka Raya (Central Kalimantan), Bandar Seri Begawan (Brunei), Kota Kinabalu (Sabah), Kuching (Sarawak)",
+ "Madagascar": "Antananarivo",
+ "Baffin Island": "Iqaluit",
+ "Sumatra": "Medan",
+ "Honshu": "Tokyo"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "d88a046051e878a4",
+ "question": "What was the population in 1980 of the five most populous states in the United States?",
+ "decomposition": [
+ {
+ "id": "102a7998505f7a6a",
+ "question": "What are the 5 most populous cities in the United States?",
+ "decomposition": [],
+ "answer": [
+ "California",
+ "Texas",
+ "Florida",
+ "New York",
+ "Pennsylvania"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 87525,
+ "revid": 1185517911,
+ "title": "List of U.S. states and territories by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_U.S._states_and_territories_by_population"
+ }
+ },
+ {
+ "id": "2559ae5aadbdf262",
+ "question": "What was the population of California in 1980?",
+ "decomposition": [],
+ "answer": 23667902,
+ "depends_on": [
+ "102a7998505f7a6a"
+ ],
+ "evidence": {
+ "pageid": 8279916,
+ "revid": 1184554092,
+ "title": "Demographics of California",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_California"
+ }
+ },
+ {
+ "id": "0e7fcf7b7829b8e2",
+ "question": "What was the population of Texas in 1980?",
+ "decomposition": [],
+ "answer": 14229191,
+ "depends_on": [
+ "102a7998505f7a6a"
+ ],
+ "evidence": {
+ "pageid": 8450791,
+ "revid": 1184123801,
+ "title": "Demographics of Texas",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Texas"
+ }
+ },
+ {
+ "id": "dc26351a7daf0855",
+ "question": "What was the population of Florida in 1980?",
+ "decomposition": [],
+ "answer": 9746324,
+ "depends_on": [
+ "102a7998505f7a6a"
+ ],
+ "evidence": {
+ "pageid": 16721718,
+ "revid": 1185901334,
+ "title": "Demographics of Florida",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Florida"
+ }
+ },
+ {
+ "id": "18614cd584e450ad",
+ "question": "What was the population of New York in 1980?",
+ "decomposition": [],
+ "answer": 17558072,
+ "depends_on": [
+ "102a7998505f7a6a"
+ ],
+ "evidence": {
+ "pageid": 9430314,
+ "revid": 1177211745,
+ "title": "Demographics of New York (state)",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_New_York_(state)"
+ }
+ },
+ {
+ "id": "548f9788bf5d90e5",
+ "question": "What was the population of Pennsylvania in 1980?",
+ "decomposition": [],
+ "answer": 11863895,
+ "depends_on": [
+ "102a7998505f7a6a"
+ ],
+ "evidence": {
+ "pageid": 23332,
+ "revid": 1185595305,
+ "title": "Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/Pennsylvania#Demographics"
+ }
+ }
+ ],
+ "answer": {
+ "California": 23667902,
+ "Texas": 14229191,
+ "Florida": 9746324,
+ "New York": 17558072,
+ "Pennsylvania": 11863895
+ },
+ "categories": [
+ "History",
+ "Demographics"
+ ]
+ },
+ {
+ "id": "11f79563a6d1f4fa",
+ "question": "Who were the founders of the 5 most valuable brands according to Kantar?",
+ "decomposition": [
+ {
+ "id": "56f412f66789d5f9",
+ "question": "What are the 5 most valuable brands?",
+ "decomposition": [],
+ "answer": [
+ "Apple Inc.",
+ "Google",
+ "Microsoft",
+ "Amazon.com",
+ "Mcdonald's"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 66095781,
+ "revid": 1170814651,
+ "title": "List of most valuable brands",
+ "url": "https://en.wikipedia.org/wiki/List_of_most_valuable_brands"
+ }
+ },
+ {
+ "id": "a360eb01f424c5e5",
+ "question": "Who founded Apple Inc.?",
+ "decomposition": [],
+ "answer": "Steve Jobs, Steve Wozniak, Ronald Wayne",
+ "depends_on": [
+ "56f412f66789d5f9"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "812fb907d656f011",
+ "question": "Who founded Google?",
+ "decomposition": [],
+ "answer": "Larry Page, Sergey Brin",
+ "depends_on": [
+ "56f412f66789d5f9"
+ ],
+ "evidence": {
+ "pageid": 1092923,
+ "revid": 1185807050,
+ "title": "Google",
+ "url": "https://en.wikipedia.org/wiki/Google"
+ }
+ },
+ {
+ "id": "767660786ec36615",
+ "question": "Who founded Microsoft?",
+ "decomposition": [],
+ "answer": "Bill Gates, Paul Allen",
+ "depends_on": [
+ "56f412f66789d5f9"
+ ],
+ "evidence": {
+ "pageid": 19001,
+ "revid": 1185824087,
+ "title": "Microsoft",
+ "url": "https://en.wikipedia.org/wiki/Microsoft"
+ }
+ },
+ {
+ "id": "ca2fa750019a8b4c",
+ "question": "Who founded Amazon.com?",
+ "decomposition": [],
+ "answer": "Jeff Bezos",
+ "depends_on": [
+ "56f412f66789d5f9"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "f5ad2f709cf94086",
+ "question": "Who founded McDonald's?",
+ "decomposition": [],
+ "answer": "Richard McDonald, Maurice McDonald, Ray Kroc",
+ "depends_on": [
+ "56f412f66789d5f9"
+ ],
+ "evidence": {
+ "pageid": 2480627,
+ "revid": 1185857730,
+ "title": "McDonald's",
+ "url": "https://en.wikipedia.org/wiki/McDonald%27s"
+ }
+ }
+ ],
+ "answer": {
+ "Apple Inc.": "Steve Jobs, Steve Wozniak, Ronald Wayne",
+ "Google": "Larry Page, Sergey Brin",
+ "Microsoft": "Bill Gates, Paul Allen",
+ "Amazon.com": "Jeff Bezos",
+ "McDonald's": "Richard McDonald, Maurice McDonald, Ray Kroc"
+ },
+ "categories": [
+ "Marketing",
+ "Business"
+ ]
+ },
+ {
+ "id": "8d2bb1a2fbcab9d4",
+ "question": "Find the richest 5 people in the world. Which university/high school did they graduate from?",
+ "decomposition": [
+ {
+ "id": "0254245530d851fe",
+ "question": "Who are the richest 5 people?",
+ "decomposition": [],
+ "answer": [
+ "Bernard Arnault & family",
+ "Elon Musk",
+ "Jeff Bezos",
+ "Larry Ellison",
+ "Warren Buffett"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 33331732,
+ "revid": 1185895137,
+ "title": "The World's Billionaires",
+ "url": "https://en.wikipedia.org/wiki/The_World%27s_Billionaires"
+ }
+ },
+ {
+ "id": "6b4847040cc8ec50",
+ "question": "Where did Bernard Arnault go to school?",
+ "decomposition": [],
+ "answer": "\u00c9cole Polytechnique",
+ "depends_on": [
+ "0254245530d851fe"
+ ],
+ "evidence": {
+ "pageid": 882504,
+ "revid": 1185942344,
+ "title": "Bernard Arnault",
+ "url": "https://en.wikipedia.org/wiki/Bernard_Arnault"
+ }
+ },
+ {
+ "id": "9ed54a5294de6e05",
+ "question": "Where did Elon Musk go to school?",
+ "decomposition": [],
+ "answer": "University of Pennsylvania",
+ "depends_on": [
+ "0254245530d851fe"
+ ],
+ "evidence": {
+ "pageid": 909036,
+ "revid": 1185947144,
+ "title": "Elon Musk",
+ "url": "https://en.wikipedia.org/wiki/Elon_Musk"
+ }
+ },
+ {
+ "id": "976d228f4a5e1979",
+ "question": "Where did Jeff Bezos go to school?",
+ "decomposition": [],
+ "answer": "Princeton University",
+ "depends_on": [
+ "0254245530d851fe"
+ ],
+ "evidence": {
+ "pageid": 142528,
+ "revid": 1185613326,
+ "title": "Jeff Bezos",
+ "url": "https://en.wikipedia.org/wiki/Jeff_Bezos"
+ }
+ },
+ {
+ "id": "2840d01fc7a73f87",
+ "question": "Where did Larry Ellison go to school?",
+ "decomposition": [],
+ "answer": "University of Illinois, Urbana-Champaign",
+ "depends_on": [
+ "0254245530d851fe"
+ ],
+ "evidence": {
+ "pageid": 172395,
+ "revid": 1185603108,
+ "title": "Larry Ellison",
+ "url": "https://en.wikipedia.org/wiki/Larry_Ellison"
+ }
+ },
+ {
+ "id": "68281c3683274b4a",
+ "question": "Where did Warren Buffett go to school?",
+ "decomposition": [],
+ "answer": "University of Pennsylvania",
+ "depends_on": [
+ "0254245530d851fe"
+ ],
+ "evidence": {
+ "pageid": 211518,
+ "revid": 1185766748,
+ "title": "Warren Buffett",
+ "url": "https://en.wikipedia.org/wiki/Warren_Buffett"
+ }
+ }
+ ],
+ "answer": {
+ "Bernard Arnault & family": "\u00c9cole Polytechnique",
+ "Elon Musk": "University of Pennsylvania",
+ "Jeff Bezos": "Princeton University",
+ "Larry Ellison": "University of Illinois, Urbana-Champaign",
+ "Warren Buffett": "University of Pennsylvania"
+ },
+ "categories": [
+ "Education",
+ "Business"
+ ]
+ },
+ {
+ "id": "7ae1b4fff7374d6d",
+ "question": "Who are the top 5 US athletes with the most Olympic medals and in what years were they born?",
+ "decomposition": [
+ {
+ "id": "26af0447a25c9c9d",
+ "question": "Who are the top 5 US athletes with most Olympics medals",
+ "decomposition": [],
+ "answer": [
+ "Michael Phelps",
+ "Jenny Thompson",
+ "Ryan Lochte",
+ "Dara Torres",
+ "Natalie Coughlin"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 18855244,
+ "revid": 1172566047,
+ "title": "List of multiple Olympic medalists",
+ "url": "https://en.wikipedia.org/wiki/List_of_multiple_Olympic_medalists"
+ }
+ },
+ {
+ "id": "f39a5136884b6abe",
+ "question": "What year were Michael Phelps born?",
+ "decomposition": [],
+ "answer": 1985,
+ "depends_on": [
+ "26af0447a25c9c9d"
+ ],
+ "evidence": {
+ "pageid": 19084502,
+ "revid": 1183734654,
+ "title": "Michael Phelps",
+ "url": "https://en.wikipedia.org/wiki/Michael_Phelps"
+ }
+ },
+ {
+ "id": "6642802d1d3efbf5",
+ "question": "What year were Jenny Thompson born?",
+ "decomposition": [],
+ "answer": 1973,
+ "depends_on": [
+ "26af0447a25c9c9d"
+ ],
+ "evidence": {
+ "pageid": 52262,
+ "revid": 1176209620,
+ "title": "Jenny Thompson",
+ "url": "https://en.wikipedia.org/wiki/Jenny_Thompson"
+ }
+ },
+ {
+ "id": "35332dc7def83533",
+ "question": "What year were Ryan Lochte born?",
+ "decomposition": [],
+ "answer": 1984,
+ "depends_on": [
+ "26af0447a25c9c9d"
+ ],
+ "evidence": {
+ "pageid": 6886,
+ "revid": 1185815115,
+ "title": "Chicago",
+ "url": "https://en.wikipedia.org/wiki/Chicago"
+ }
+ },
+ {
+ "id": "2d65284a02c22ebf",
+ "question": "What year were Dara Torres born?",
+ "decomposition": [],
+ "answer": 1967,
+ "depends_on": [
+ "26af0447a25c9c9d"
+ ],
+ "evidence": {
+ "pageid": 1740620,
+ "revid": 1180744852,
+ "title": "Dara Torres",
+ "url": "https://en.wikipedia.org/wiki/Dara_Torres"
+ }
+ },
+ {
+ "id": "5988a6da5a55713e",
+ "question": "What year were Natalie Coughlin born?",
+ "decomposition": [],
+ "answer": 1982,
+ "depends_on": [
+ "26af0447a25c9c9d"
+ ],
+ "evidence": {
+ "pageid": 907833,
+ "revid": 1168904416,
+ "title": "Natalie Coughlin",
+ "url": "https://en.wikipedia.org/wiki/Natalie_Coughlin"
+ }
+ }
+ ],
+ "answer": {
+ "Michael Phelps": 1985,
+ "Jenny Thompson": 1973,
+ "Ryan Lochte": 1984,
+ "Dara Torres": 1967,
+ "Natalie Coughlin": 1982
+ },
+ "categories": [
+ "History",
+ "Sports"
+ ]
+ },
+ {
+ "id": "21031bb074213f22",
+ "question": "Who are the current owners of the top 5 most-visited websites?",
+ "decomposition": [
+ {
+ "id": "5137f1f3e0ba6c40",
+ "question": "What are the top 5 most-visited websites",
+ "decomposition": [],
+ "answer": [
+ "Google Search",
+ "YouTube",
+ "Facebook",
+ "Instagram",
+ "Twitter"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 37716939,
+ "revid": 1185844267,
+ "title": "List of most-visited websites",
+ "url": "https://en.wikipedia.org/wiki/List_of_most-visited_websites"
+ }
+ },
+ {
+ "id": "cadfc64d1d803264",
+ "question": "Which company owns Google Search?",
+ "decomposition": [],
+ "answer": "Google",
+ "depends_on": [
+ "5137f1f3e0ba6c40"
+ ],
+ "evidence": {
+ "pageid": 12431,
+ "revid": 1185244968,
+ "title": "Google Search",
+ "url": "https://en.wikipedia.org/wiki/Google_Search"
+ }
+ },
+ {
+ "id": "89948fee26a87556",
+ "question": "Which company owns YouTube?",
+ "decomposition": [],
+ "answer": "Alphabet Inc.",
+ "depends_on": [
+ "5137f1f3e0ba6c40"
+ ],
+ "evidence": {
+ "pageid": 3524766,
+ "revid": 1185800017,
+ "title": "YouTube",
+ "url": "https://en.wikipedia.org/wiki/YouTube"
+ }
+ },
+ {
+ "id": "c208e80dd4411258",
+ "question": "Which company owns Facebook?",
+ "decomposition": [],
+ "answer": "Meta Platforms",
+ "depends_on": [
+ "5137f1f3e0ba6c40"
+ ],
+ "evidence": {
+ "pageid": 7529378,
+ "revid": 1185232863,
+ "title": "Facebook",
+ "url": "https://en.wikipedia.org/wiki/Facebook"
+ }
+ },
+ {
+ "id": "c1de6e465f3fdc4c",
+ "question": "Which company owns Instagram?",
+ "decomposition": [],
+ "answer": "Meta Platforms",
+ "depends_on": [
+ "5137f1f3e0ba6c40"
+ ],
+ "evidence": {
+ "pageid": 31591547,
+ "revid": 1184814696,
+ "title": "Instagram",
+ "url": "https://en.wikipedia.org/wiki/Instagram"
+ }
+ },
+ {
+ "id": "9fc8bde0ac707d94",
+ "question": "Which company owns Twitter?",
+ "decomposition": [],
+ "answer": "X Corp.",
+ "depends_on": [
+ "5137f1f3e0ba6c40"
+ ],
+ "evidence": {
+ "pageid": 9988187,
+ "revid": 1185941254,
+ "title": "Twitter",
+ "url": "https://en.wikipedia.org/wiki/Twitter"
+ }
+ }
+ ],
+ "answer": {
+ "Google Search": "Google",
+ "YouTube": "Alphabet Inc.",
+ "Facebook": "Meta Platforms",
+ "Instagram": "Meta Platforms",
+ "Twitter": "X Corp."
+ },
+ "categories": [
+ "Business",
+ "Internet"
+ ]
+ },
+ {
+ "id": "36d5935e429d2333",
+ "question": "Which borough is Taylor Swift born in and what are the birth dates of the town's other 5 notable people?",
+ "decomposition": [
+ {
+ "id": "bb37cb48e2f67bfa",
+ "question": "Which borough is Taylor Swift born in?",
+ "decomposition": [],
+ "answer": "West Reading, Pennsylvania",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5422144,
+ "revid": 1185910868,
+ "title": "Taylor Swift",
+ "url": "https://en.wikipedia.org/wiki/Taylor_Swift"
+ }
+ },
+ {
+ "id": "ce20e401c67c362a",
+ "question": "Who are five other notable people from West Reading?",
+ "decomposition": [
+ {
+ "id": "bb063314bf369a12",
+ "question": "Who are five other notable people from West Reading?",
+ "decomposition": [],
+ "answer": [
+ "John Fetterman",
+ "Al Gursky",
+ "Chad Henne,",
+ "Michael W. Kirst",
+ "Andrew H. Knoll"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 131417,
+ "revid": 1183677017,
+ "title": "West Reading, Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/West_Reading,_Pennsylvania"
+ }
+ },
+ {
+ "id": "2f7023024cbcd896",
+ "question": "What is John Fetterman's birth date?",
+ "decomposition": [],
+ "answer": "August 15, 1969",
+ "depends_on": [
+ "bb063314bf369a12"
+ ],
+ "evidence": {
+ "pageid": 5303368,
+ "revid": 1180046667,
+ "title": "John Fetterman",
+ "url": "https://en.wikipedia.org/wiki/John_Fetterman"
+ }
+ },
+ {
+ "id": "c5d982924ba34474",
+ "question": "What is Al Gursky's birth date?",
+ "decomposition": [],
+ "answer": "November 23, 1940",
+ "depends_on": [
+ "bb063314bf369a12"
+ ],
+ "evidence": {
+ "pageid": 68412526,
+ "revid": 1167103976,
+ "title": "Al Gursky",
+ "url": "https://en.wikipedia.org/wiki/Al_Gursky"
+ }
+ },
+ {
+ "id": "a3ebcdabf3d577c6",
+ "question": "What is Chad Henne's birth date",
+ "decomposition": [],
+ "answer": "July 2, 1985",
+ "depends_on": [
+ "bb063314bf369a12"
+ ],
+ "evidence": {
+ "pageid": 4165775,
+ "revid": 1184838000,
+ "title": "Chad Henne",
+ "url": "https://en.wikipedia.org/wiki/Chad_Henne"
+ }
+ },
+ {
+ "id": "6ad1b5c9a49b4f75",
+ "question": "What is Michael W. Kirst's birth date",
+ "decomposition": [],
+ "answer": "August 1, 1939",
+ "depends_on": [
+ "bb063314bf369a12"
+ ],
+ "evidence": {
+ "pageid": 40190080,
+ "revid": 1173583391,
+ "title": "Michael W. Kirst",
+ "url": "https://en.wikipedia.org/wiki/Michael_W._Kirst"
+ }
+ },
+ {
+ "id": "11917f5178cffc74",
+ "question": "What is Andrew H. Knoll's birth date",
+ "decomposition": [],
+ "answer": "April 23, 1951",
+ "depends_on": [
+ "bb063314bf369a12"
+ ],
+ "evidence": {
+ "pageid": 8553022,
+ "revid": 1175863274,
+ "title": "Andrew H. Knoll",
+ "url": "https://en.wikipedia.org/wiki/Andrew_H._Knoll"
+ }
+ }
+ ],
+ "answer": {
+ "John Fetterman": "August 15, 1969",
+ "Al Gursky": "November 23, 1940",
+ "Chad Henne": "July 2, 1985",
+ "Michael W. Kirst": "August 1, 1939",
+ "Andrew H. Knoll": "April 23, 1951"
+ },
+ "depends_on": [
+ "bb37cb48e2f67bfa"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "John Fetterman": "August 15, 1969",
+ "Al Gursky": "November 23, 1940",
+ "Chad Henne": "July 2, 1985",
+ "Michael W. Kirst": "August 1, 1939",
+ "Andrew H. Knoll": "April 23, 1951"
+ },
+ "categories": [
+ "History",
+ "Music",
+ "Geography"
+ ]
+ },
+ {
+ "id": "c0ca99cbbb908c7d",
+ "question": "When were the top 5 most translated authors born?",
+ "decomposition": [
+ {
+ "id": "53c18517f647bccd",
+ "question": "Who are the top 5 most translated authors?",
+ "decomposition": [],
+ "answer": [
+ "Agatha Christie",
+ "Jules Verne",
+ "William Shakespeare",
+ "Enid Blyton",
+ "Barbara Cartland"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 54858478,
+ "revid": 1156598522,
+ "title": "List of most translated individual authors",
+ "url": "https://en.wikipedia.org/wiki/List_of_most_translated_individual_authors"
+ }
+ },
+ {
+ "id": "a61cefdfffeebea0",
+ "question": "In which year was Agatha Christie born?",
+ "decomposition": [],
+ "answer": 1890,
+ "depends_on": [
+ "53c18517f647bccd"
+ ],
+ "evidence": {
+ "pageid": 984,
+ "revid": 1184968491,
+ "title": "Agatha Christie",
+ "url": "https://en.wikipedia.org/wiki/Agatha_Christie"
+ }
+ },
+ {
+ "id": "e0aa369dfe3ec8f2",
+ "question": "In which year was Jules Verne born?",
+ "decomposition": [],
+ "answer": 1828,
+ "depends_on": [
+ "53c18517f647bccd"
+ ],
+ "evidence": {
+ "pageid": 15770,
+ "revid": 1185887001,
+ "title": "Jules Verne",
+ "url": "https://en.wikipedia.org/wiki/Jules_Verne"
+ }
+ },
+ {
+ "id": "ef8ffc2f781132c5",
+ "question": "In which year was William Shakespeare born?",
+ "decomposition": [],
+ "answer": 1564,
+ "depends_on": [
+ "53c18517f647bccd"
+ ],
+ "evidence": {
+ "pageid": 32897,
+ "revid": 1184110621,
+ "title": "William Shakespeare",
+ "url": "https://en.wikipedia.org/wiki/William_Shakespeare"
+ }
+ },
+ {
+ "id": "5fdba78c29b510aa",
+ "question": "In which year was Enid Blyton born?",
+ "decomposition": [],
+ "answer": 1897,
+ "depends_on": [
+ "53c18517f647bccd"
+ ],
+ "evidence": {
+ "pageid": 10258,
+ "revid": 1185931634,
+ "title": "Enid Blyton",
+ "url": "https://en.wikipedia.org/wiki/Enid_Blyton"
+ }
+ },
+ {
+ "id": "e834b9ca3865c1b0",
+ "question": "In which year was Barbara Cartland born?",
+ "decomposition": [],
+ "answer": 1901,
+ "depends_on": [
+ "53c18517f647bccd"
+ ],
+ "evidence": {
+ "pageid": 199995,
+ "revid": 1185917779,
+ "title": "Barbara Cartland",
+ "url": "https://en.wikipedia.org/wiki/Barbara_Cartland"
+ }
+ }
+ ],
+ "answer": {
+ "Agatha Christie": 1890,
+ "Jules Verne": 1828,
+ "William Shakespeare": 1564,
+ "Enid Blyton": 1897,
+ "Barbara Cartland": 1901
+ },
+ "categories": [
+ "Literature",
+ "History"
+ ]
+ },
+ {
+ "id": "844997c932888c54",
+ "question": "What are the birth years of the last five solo Pritzker Prize winners?",
+ "decomposition": [
+ {
+ "id": "5928f6e55377af15",
+ "question": "Who were the last five solo Pritzker Prize winners?",
+ "decomposition": [],
+ "answer": [
+ "David Chipperfield",
+ "Di\u00e9b\u00e9do Francis K\u00e9r\u00e9",
+ "Arata Isozaki",
+ "BV Doshi",
+ "Alejandro Aravena"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 53422,
+ "revid": 1182571667,
+ "title": "Pritzker Architecture Prize",
+ "url": "https://en.wikipedia.org/wiki/Pritzker_Architecture_Prize"
+ }
+ },
+ {
+ "id": "a1c0976d39aa8de2",
+ "question": "In what year was David Chipperfield born?",
+ "decomposition": [],
+ "answer": 1953,
+ "depends_on": [
+ "5928f6e55377af15"
+ ],
+ "evidence": {
+ "pageid": 2098825,
+ "revid": 1181558703,
+ "title": "David Chipperfield",
+ "url": "https://en.wikipedia.org/wiki/David_Chipperfield"
+ }
+ },
+ {
+ "id": "6bd4ee4172e611f6",
+ "question": "In what year was Di\u00e9b\u00e9do Francis K\u00e9r\u00e9 born?",
+ "decomposition": [],
+ "answer": 1965,
+ "depends_on": [
+ "5928f6e55377af15"
+ ],
+ "evidence": {
+ "pageid": 25986110,
+ "revid": 1185929781,
+ "title": "Di\u00e9b\u00e9do Francis K\u00e9r\u00e9",
+ "url": "https://en.wikipedia.org/wiki/Di%C3%A9b%C3%A9do_Francis_K%C3%A9r%C3%A9"
+ }
+ },
+ {
+ "id": "0c124820dbbe79bd",
+ "question": "In what year was Arata Isozaki born?",
+ "decomposition": [],
+ "answer": 1931,
+ "depends_on": [
+ "5928f6e55377af15"
+ ],
+ "evidence": {
+ "pageid": 1825766,
+ "revid": 1184769916,
+ "title": "Arata Isozaki",
+ "url": "https://en.wikipedia.org/wiki/Arata_Isozaki"
+ }
+ },
+ {
+ "id": "15a8c00478e9b0f2",
+ "question": "In what year was B.V. Doshi born?",
+ "decomposition": [],
+ "answer": 1927,
+ "depends_on": [
+ "5928f6e55377af15"
+ ],
+ "evidence": {
+ "pageid": 2250207,
+ "revid": 1184762029,
+ "title": "B. V. Doshi",
+ "url": "https://en.wikipedia.org/wiki/B._V._Doshi"
+ }
+ },
+ {
+ "id": "48697de2b5d06f67",
+ "question": "In what year was Alejandro Aravena born?",
+ "decomposition": [],
+ "answer": 1967,
+ "depends_on": [
+ "5928f6e55377af15"
+ ],
+ "evidence": {
+ "pageid": 39935926,
+ "revid": 1170028663,
+ "title": "Alejandro Aravena",
+ "url": "https://en.wikipedia.org/wiki/Alejandro_Aravena"
+ }
+ }
+ ],
+ "answer": {
+ "David Chipperfield": 1953,
+ "Di\u00e9b\u00e9do Francis K\u00e9r\u00e9": 1965,
+ "Arata Isozaki": 1931,
+ "B.V. Doshi": 1927,
+ "Alejandro Aravena": 1967
+ },
+ "categories": [
+ "Architecture",
+ "History"
+ ]
+ },
+ {
+ "id": "3925d5c953644a2f",
+ "question": "What are the undergraduate alma maters of the actors who played main characters in the last season of Suits?",
+ "decomposition": [
+ {
+ "id": "87ac6d29f51ed37f",
+ "question": "Which actors played main characters in the last season of Suits?",
+ "decomposition": [],
+ "answer": [
+ "Gabriel Macht",
+ "Patrick J. Adams",
+ "Rick Hoffman",
+ "Sarah Rafferty",
+ "Amanda Schull",
+ "Dul\u00e9 Hill",
+ "Katherine Heigl"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 30987670,
+ "revid": 1185894677,
+ "title": "Suits (American TV series)",
+ "url": "https://en.wikipedia.org/wiki/Suits_(American_TV_series)#Cast_and_characters"
+ }
+ },
+ {
+ "id": "c0b41a5ec03c215c",
+ "question": "What is Gabriel Macht's undergraduate alma mater?",
+ "decomposition": [],
+ "answer": "Carnegie Mellon University",
+ "depends_on": [
+ "87ac6d29f51ed37f"
+ ],
+ "evidence": {
+ "pageid": 2278550,
+ "revid": 1184959168,
+ "title": "Gabriel Macht",
+ "url": "https://en.wikipedia.org/wiki/Gabriel_Macht"
+ }
+ },
+ {
+ "id": "e3914152a99ed283",
+ "question": "What is Patrick J. Adams's undergraduate alma mater?",
+ "decomposition": [],
+ "answer": "University of Southern California",
+ "depends_on": [
+ "87ac6d29f51ed37f"
+ ],
+ "evidence": {
+ "pageid": 22938282,
+ "revid": 1184813764,
+ "title": "Patrick J. Adams",
+ "url": "https://en.wikipedia.org/wiki/Patrick_J._Adams"
+ }
+ },
+ {
+ "id": "325404aa69988b82",
+ "question": "What is Rick Hoffman's undergraduate alma mater?",
+ "decomposition": [],
+ "answer": "University of Arizona",
+ "depends_on": [
+ "87ac6d29f51ed37f"
+ ],
+ "evidence": {
+ "pageid": 3624347,
+ "revid": 1185861015,
+ "title": "Rick Hoffman",
+ "url": "https://en.wikipedia.org/wiki/Rick_Hoffman"
+ }
+ },
+ {
+ "id": "d78599ac5c01488a",
+ "question": "What is Sarah Rafferty's undergraduate alma mater?",
+ "decomposition": [],
+ "answer": "Hamilton College",
+ "depends_on": [
+ "87ac6d29f51ed37f"
+ ],
+ "evidence": {
+ "pageid": 33002004,
+ "revid": 1185670779,
+ "title": "Sarah Rafferty",
+ "url": "https://en.wikipedia.org/wiki/Sarah_Rafferty"
+ }
+ },
+ {
+ "id": "39e5ccf7090de963",
+ "question": "What is Amanda Schull's undergraduate alma mater?",
+ "decomposition": [],
+ "answer": "N/A",
+ "depends_on": [
+ "87ac6d29f51ed37f"
+ ],
+ "evidence": {
+ "pageid": 2064803,
+ "revid": 1176024194,
+ "title": "Amanda Schull",
+ "url": "https://en.wikipedia.org/wiki/Amanda_Schull"
+ }
+ },
+ {
+ "id": "f73ee26206f1423c",
+ "question": "What is Dul\u00e9 Hill's undergraduate alma mater?",
+ "decomposition": [],
+ "answer": "Seton Hall University",
+ "depends_on": [
+ "87ac6d29f51ed37f"
+ ],
+ "evidence": {
+ "pageid": 778276,
+ "revid": 1185315220,
+ "title": "Dul\u00e9 Hill",
+ "url": "https://en.wikipedia.org/wiki/Dul%C3%A9_Hill"
+ }
+ },
+ {
+ "id": "a4ac95193192380c",
+ "question": "What is Katherine Heigl's undergraduate alma mater?",
+ "decomposition": [],
+ "answer": "N/A",
+ "depends_on": [
+ "87ac6d29f51ed37f"
+ ],
+ "evidence": {
+ "pageid": 20913924,
+ "revid": 1185826982,
+ "title": "Katherine Heigl",
+ "url": "https://en.wikipedia.org/wiki/Katherine_Heigl"
+ }
+ }
+ ],
+ "answer": {
+ "Gabriel Macht": "Carnegie Mellon University",
+ "Patrick J. Adams": "University of Southern California",
+ "Rick Hoffman": "University of Arizona",
+ "Sarah Rafferty": "Hamilton College",
+ "Amanda Schull": "N/A",
+ "Dul\u00e9 Hill": "Seton Hall University",
+ "Katherine Heigl": "N/A"
+ },
+ "categories": [
+ "Education",
+ "Television"
+ ]
+ },
+ {
+ "id": "182b4a71e4ada225",
+ "question": "Who is the General Manager for each of the four teams that won the world series most recently?",
+ "decomposition": [
+ {
+ "id": "42ec2d8eb0f47163",
+ "question": "What are the latest four teams that won the world series?",
+ "decomposition": [],
+ "answer": [
+ "Texas Rangers",
+ "Houston Astros",
+ "Atlanta Braves",
+ "Los Angeles Dodgers"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7599168,
+ "revid": 1185888946,
+ "title": "List of World Series champions",
+ "url": "https://en.wikipedia.org/wiki/List_of_World_Series_champions"
+ }
+ },
+ {
+ "id": "508123e06f934084",
+ "question": "Who is the General Manager of the Texas Rangers?",
+ "decomposition": [],
+ "answer": "Chris Young",
+ "depends_on": [
+ "42ec2d8eb0f47163"
+ ],
+ "evidence": {
+ "pageid": 30857,
+ "revid": 1185888002,
+ "title": "Texas Rangers (baseball)",
+ "url": "https://en.wikipedia.org/wiki/Texas_Rangers_(baseball)"
+ }
+ },
+ {
+ "id": "8f8795e34db0d2c3",
+ "question": "Who is the General Manager of the Houston Astros?",
+ "decomposition": [],
+ "answer": "Dana Brown",
+ "depends_on": [
+ "42ec2d8eb0f47163"
+ ],
+ "evidence": {
+ "pageid": 13894,
+ "revid": 1184966734,
+ "title": "Houston Astros",
+ "url": "https://en.wikipedia.org/wiki/Houston_Astros"
+ }
+ },
+ {
+ "id": "57b0073a934c1d29",
+ "question": "Who is the General Manager of the Atlanta Braves?",
+ "decomposition": [],
+ "answer": "Alex Anthopoulos",
+ "depends_on": [
+ "42ec2d8eb0f47163"
+ ],
+ "evidence": {
+ "pageid": 2140,
+ "revid": 1185654043,
+ "title": "Atlanta Braves",
+ "url": "https://en.wikipedia.org/wiki/Atlanta_Braves"
+ }
+ },
+ {
+ "id": "65b476b769a8d2cd",
+ "question": "Who is the General Manager of the Los Angeles Dodgers?",
+ "decomposition": [],
+ "answer": "Brandon Gomes",
+ "depends_on": [
+ "42ec2d8eb0f47163"
+ ],
+ "evidence": {
+ "pageid": 18213,
+ "revid": 1184971171,
+ "title": "Los Angeles Dodgers",
+ "url": "https://en.wikipedia.org/wiki/Los_Angeles_Dodgers"
+ }
+ }
+ ],
+ "answer": {
+ "Texas Rangers": "Chris Young",
+ "Houston Astros": "Dana Brown",
+ "Atlanta Braves": "Alex Anthopoulos",
+ "Los Angeles Dodgers": "Brandon Gomes"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "36ca6edd0420b273",
+ "question": "Out of the top 5 Formula 1 drivers with the most race wins, who was born before 1990?",
+ "decomposition": [
+ {
+ "id": "56215960a4d72c3b",
+ "question": "Who are the top 5 Formula 1 drivers with the most race wins?",
+ "decomposition": [],
+ "answer": [
+ "Lewis Hamilton",
+ "Michael Schumacher",
+ "Sebastian Vettel",
+ "Max Verstappen",
+ "Alain Prost"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 6732460,
+ "revid": 1185848605,
+ "title": "List of Formula One Grand Prix winners",
+ "url": "https://en.wikipedia.org/wiki/List_of_Formula_One_Grand_Prix_winners"
+ }
+ },
+ {
+ "id": "b9a242b1215a150b",
+ "question": "Was Lewis Hamilton born before 1990?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "56215960a4d72c3b"
+ ],
+ "evidence": {
+ "pageid": 675561,
+ "revid": 1185854989,
+ "title": "Lewis Hamilton",
+ "url": "https://en.wikipedia.org/wiki/Lewis_Hamilton"
+ }
+ },
+ {
+ "id": "559b47d5fc7b2759",
+ "question": "Was Michael Schumacher born before 1990?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "56215960a4d72c3b"
+ ],
+ "evidence": {
+ "pageid": 20396,
+ "revid": 1185255210,
+ "title": "Michael Schumacher",
+ "url": "https://en.wikipedia.org/wiki/Michael_Schumacher"
+ }
+ },
+ {
+ "id": "11d47f8e216633d8",
+ "question": "Was Sebastian Vettel born before 1990?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "56215960a4d72c3b"
+ ],
+ "evidence": {
+ "pageid": 6437759,
+ "revid": 1183871598,
+ "title": "Sebastian Vettel",
+ "url": "https://en.wikipedia.org/wiki/Sebastian_Vettel"
+ }
+ },
+ {
+ "id": "b6a6c8e23a1e3496",
+ "question": "Was Max Verstappen born before 1990?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "56215960a4d72c3b"
+ ],
+ "evidence": {
+ "pageid": 41758713,
+ "revid": 1185926177,
+ "title": "Max Verstappen",
+ "url": "https://en.wikipedia.org/wiki/Max_Verstappen"
+ }
+ },
+ {
+ "id": "eed1596829edfe3d",
+ "question": "Was Alain Prost born before 1990?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "56215960a4d72c3b"
+ ],
+ "evidence": {
+ "pageid": 36917,
+ "revid": 1184805348,
+ "title": "Alain Prost",
+ "url": "https://en.wikipedia.org/wiki/Alain_Prost"
+ }
+ }
+ ],
+ "answer": {
+ "Lewis Hamilton": true,
+ "Michael Schumacher": true,
+ "Sebastian Vettel": true,
+ "Max Verstappen": false,
+ "Alain Prost": true
+ },
+ "categories": [
+ "History",
+ "Sports"
+ ]
+ },
+ {
+ "id": "05451952c20e474b",
+ "question": "Identify the inventors of five key 20th-century inventions: the airplane, the internet, the personal computer, the mobile phone, and the digital camera.",
+ "decomposition": [
+ {
+ "id": "839bb02a7289a12f",
+ "question": "Who invented the airplane?",
+ "decomposition": [],
+ "answer": "Wright brothers",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 58410,
+ "revid": 1184475168,
+ "title": "Wright brothers",
+ "url": "https://en.wikipedia.org/wiki/Wright_brothers"
+ }
+ },
+ {
+ "id": "577551aaaee909f3",
+ "question": "Who is credited with inventing the internet?",
+ "decomposition": [],
+ "answer": "Vint Cerf and Bob Kahn",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 13692,
+ "revid": 1184897943,
+ "title": "History of the Internet",
+ "url": "https://en.wikipedia.org/wiki/History_of_the_Internet"
+ }
+ },
+ {
+ "id": "f93ac46214a6b564",
+ "question": "Who invented the personal computer?",
+ "decomposition": [],
+ "answer": "Multiple claimants",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 18457137,
+ "revid": 1184914082,
+ "title": "Personal computer",
+ "url": "https://en.wikipedia.org/wiki/Personal_computer#History"
+ }
+ },
+ {
+ "id": "bcd9330e42ecc431",
+ "question": "Who invented the mobile phone?",
+ "decomposition": [],
+ "answer": "Martin Cooper",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1245539,
+ "revid": 1184823039,
+ "title": "History of mobile phones",
+ "url": "https://en.wikipedia.org/wiki/History_of_mobile_phones"
+ }
+ },
+ {
+ "id": "68bf8c5301fdac95",
+ "question": "Who invented the digital camera?",
+ "decomposition": [],
+ "answer": "Steven Sasson",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 52797,
+ "revid": 1184478497,
+ "title": "Digital camera",
+ "url": "https://en.wikipedia.org/wiki/Digital_camera#History"
+ }
+ }
+ ],
+ "answer": {
+ "Airplane": "Wright brothers",
+ "Internet": "Vint Cerf and Bob Kahn",
+ "Personal Computer": "Multiple claimants",
+ "Mobile Phone": "Martin Cooper",
+ "Digital Camera": "Steven Sasson"
+ },
+ "categories": [
+ "History",
+ "Technology"
+ ]
+ },
+ {
+ "id": "0d8d39017fbbd9b9",
+ "question": "Who directed the highest grossing film each year from 1996 to 2000?",
+ "decomposition": [
+ {
+ "id": "ec147d6b4eaf9e9a",
+ "question": "What were the highest grossing films by year of release from 1996-2000?",
+ "decomposition": [],
+ "answer": [
+ "Independence Day",
+ "Titanic",
+ "Armageddon",
+ "Star Wars: Episode I - The Phantom Menace",
+ "Mission: Impossible 2"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59892,
+ "revid": 1185890055,
+ "title": "List of highest-grossing films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_films"
+ }
+ },
+ {
+ "id": "f145f852e265b041",
+ "question": "Who directed Independence Day?",
+ "decomposition": [],
+ "answer": [
+ "Roland Emmerich"
+ ],
+ "depends_on": [
+ "ec147d6b4eaf9e9a"
+ ],
+ "evidence": {
+ "pageid": 52389,
+ "revid": 1184791530,
+ "title": "Independence Day (1996 film)",
+ "url": "https://en.wikipedia.org/wiki/Independence_Day_(1996_film)"
+ }
+ },
+ {
+ "id": "e1c410760cf9d6e1",
+ "question": "Who directed Titanic?",
+ "decomposition": [],
+ "answer": [
+ "James Cameron"
+ ],
+ "depends_on": [
+ "ec147d6b4eaf9e9a"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "a76e1ad14649d565",
+ "question": "Who directed Armageddon?",
+ "decomposition": [],
+ "answer": [
+ "Michael Bay"
+ ],
+ "depends_on": [
+ "ec147d6b4eaf9e9a"
+ ],
+ "evidence": {
+ "pageid": 52390,
+ "revid": 1185658556,
+ "title": "Armageddon (1998 film)",
+ "url": "https://en.wikipedia.org/wiki/Armageddon_(1998_film)"
+ }
+ },
+ {
+ "id": "e4a0e0fb5d5cfeed",
+ "question": "Who directed Star Wars: Episode I \u2013 The Phantom Menace?",
+ "decomposition": [],
+ "answer": [
+ "George Lucas"
+ ],
+ "depends_on": [
+ "ec147d6b4eaf9e9a"
+ ],
+ "evidence": {
+ "pageid": 50793,
+ "revid": 1185883860,
+ "title": "Star Wars: Episode I \u2013 The Phantom Menace",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_Episode_I_%E2%80%93_The_Phantom_Menace"
+ }
+ },
+ {
+ "id": "bc0b0e411213fb0b",
+ "question": "Who directed Mission: Impossible 2?",
+ "decomposition": [],
+ "answer": [
+ "John Woo"
+ ],
+ "depends_on": [
+ "ec147d6b4eaf9e9a"
+ ],
+ "evidence": {
+ "pageid": 451866,
+ "revid": 1183860105,
+ "title": "Mission: Impossible 2",
+ "url": "https://en.wikipedia.org/wiki/Mission:_Impossible_2"
+ }
+ }
+ ],
+ "answer": {
+ "1996": "Roland Emmerich",
+ "1997": "James Cameron",
+ "1998": "Michael Bay",
+ "1999": "George Lucas",
+ "2000": "John Woo"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "66d8b25fb1cc7141",
+ "question": "List the universities that made it to the Final Four in the 2019, 2021, 2022, and 2023 NCAA Men's Basketball Championships along with their team mascots.",
+ "decomposition": [
+ {
+ "id": "7b8deabc54d9132e",
+ "question": "Which universities made it to the Final Four in the 2019, 2021, 2022, and 2023 NCAA Men's Basketball Championships?",
+ "decomposition": [],
+ "answer": [
+ "Auburn",
+ "Michigan State",
+ "Texas Tech",
+ "Virginia",
+ "Baylor",
+ "Gonzaga",
+ "Houston",
+ "UCLA",
+ "Duke",
+ "Kansas",
+ "UNC",
+ "Villanova",
+ "UConn",
+ "Miami (Fla.)",
+ "San Diego State",
+ "Florida Atlantic"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 507399,
+ "revid": 1184265492,
+ "title": "NCAA Division I men's basketball tournament",
+ "url": "https://en.wikipedia.org/wiki/NCAA_Division_I_Men%27s_Basketball_Tournament#Champions,_Runners-up_and_MVPs"
+ }
+ },
+ {
+ "id": "05e29de60e4ced17",
+ "question": "What is the team mascot of Auburn University?",
+ "decomposition": [],
+ "answer": "Tiger",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 967228,
+ "revid": 1182111265,
+ "title": "Auburn Tigers",
+ "url": "https://en.wikipedia.org/wiki/Auburn_Tigers"
+ }
+ },
+ {
+ "id": "1d72ebe57b37b2db",
+ "question": "What is the team mascot of Michigan State University?",
+ "decomposition": [],
+ "answer": "Spartan",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 3618323,
+ "revid": 1184149209,
+ "title": "Michigan State Spartans",
+ "url": "https://en.wikipedia.org/wiki/Michigan_State_Spartans"
+ }
+ },
+ {
+ "id": "eeacc9fb1453dcd8",
+ "question": "What is the team mascot of Texas Tech University?",
+ "decomposition": [],
+ "answer": "Red Raider",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 3694376,
+ "revid": 1185891367,
+ "title": "Texas Tech Red Raiders",
+ "url": "https://en.wikipedia.org/wiki/Texas_Tech_Red_Raiders"
+ }
+ },
+ {
+ "id": "939708594013dd93",
+ "question": "What is the team mascot of the University of Virginia?",
+ "decomposition": [],
+ "answer": "Cavalier",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 3485377,
+ "revid": 1182357061,
+ "title": "Virginia Cavaliers",
+ "url": "https://en.wikipedia.org/wiki/Virginia_Cavaliers"
+ }
+ },
+ {
+ "id": "d63a9a3d79bf44db",
+ "question": "What is the team mascot of Baylor University?",
+ "decomposition": [],
+ "answer": "Bear",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 3694292,
+ "revid": 1184818135,
+ "title": "Baylor Bears",
+ "url": "https://en.wikipedia.org/wiki/Baylor_Bears"
+ }
+ },
+ {
+ "id": "bc6fc38d9317f2c1",
+ "question": "What is the team mascot of Gonzaga University?",
+ "decomposition": [],
+ "answer": "Bulldog",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 2438020,
+ "revid": 1169697950,
+ "title": "Gonzaga Bulldogs",
+ "url": "https://en.wikipedia.org/wiki/Gonzaga_Bulldogs"
+ }
+ },
+ {
+ "id": "6ed1785a783ffd37",
+ "question": "What is the team mascot of the University of Houston?",
+ "decomposition": [],
+ "answer": "Cougar",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 1941776,
+ "revid": 1184818248,
+ "title": "Houston Cougars",
+ "url": "https://en.wikipedia.org/wiki/Houston_Cougars"
+ }
+ },
+ {
+ "id": "0237a96f729dff49",
+ "question": "What is the team mascot of UCLA?",
+ "decomposition": [],
+ "answer": "Bruin",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 3213075,
+ "revid": 1185431274,
+ "title": "UCLA Bruins",
+ "url": "https://en.wikipedia.org/wiki/UCLA_Bruins"
+ }
+ },
+ {
+ "id": "2d314f1bb9f49a42",
+ "question": "What is the team mascot of Duke University?",
+ "decomposition": [],
+ "answer": "Blue Devil",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 2435721,
+ "revid": 1184800729,
+ "title": "Duke Blue Devils",
+ "url": "https://en.wikipedia.org/wiki/Duke_Blue_Devils"
+ }
+ },
+ {
+ "id": "c3cf4301e732d6a0",
+ "question": "What is the team mascot of the University of Kansas?",
+ "decomposition": [],
+ "answer": "Jayhawk",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 2888989,
+ "revid": 1183986159,
+ "title": "Kansas Jayhawks",
+ "url": "https://en.wikipedia.org/wiki/Kansas_Jayhawks"
+ }
+ },
+ {
+ "id": "e0cae8732e804d17",
+ "question": "What is the team mascot of the University of North Carolina?",
+ "decomposition": [],
+ "answer": "Ram",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 7588083,
+ "revid": 1185943073,
+ "title": "North Carolina Tar Heels",
+ "url": "https://en.wikipedia.org/wiki/North_Carolina_Tar_Heels"
+ }
+ },
+ {
+ "id": "bfd4e15e8b051cab",
+ "question": "What is the team mascot of Villanova University?",
+ "decomposition": [],
+ "answer": "Wildcat",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 9821281,
+ "revid": 1150310750,
+ "title": "Villanova Wildcats",
+ "url": "https://en.wikipedia.org/wiki/Villanova_Wildcats"
+ }
+ },
+ {
+ "id": "80fc95228c0ada71",
+ "question": "What is the team mascot of the University of Connecticut?",
+ "decomposition": [],
+ "answer": "Husky",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 6880521,
+ "revid": 1165470181,
+ "title": "UConn Huskies",
+ "url": "https://en.wikipedia.org/wiki/Connecticut_Huskies"
+ }
+ },
+ {
+ "id": "2a66743159fe779a",
+ "question": "What is the team mascot of the University of Miami (Florida)?",
+ "decomposition": [],
+ "answer": "Ibis",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 9078644,
+ "revid": 1179137359,
+ "title": "Miami Hurricanes",
+ "url": "https://en.wikipedia.org/wiki/Miami_Hurricanes"
+ }
+ },
+ {
+ "id": "05df4c48ada24915",
+ "question": "What is the team mascot of San Diego State University?",
+ "decomposition": [],
+ "answer": "Aztec",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 6767670,
+ "revid": 1185573923,
+ "title": "San Diego State Aztecs",
+ "url": "https://en.wikipedia.org/wiki/San_Diego_State_Aztecs"
+ }
+ },
+ {
+ "id": "61c33cf839822aa4",
+ "question": "What is the team mascot of Florida Atlantic University?",
+ "decomposition": [],
+ "answer": "Owl",
+ "depends_on": [
+ "7b8deabc54d9132e"
+ ],
+ "evidence": {
+ "pageid": 9473101,
+ "revid": 1176828287,
+ "title": "Florida Atlantic Owls",
+ "url": "https://en.wikipedia.org/wiki/Florida_Atlantic_Owls"
+ }
+ }
+ ],
+ "answer": {
+ "Auburn": "Tiger",
+ "Michigan State": "Spartan",
+ "Texas Tech": "Red Raider",
+ "Virginia": "Cavalier",
+ "Baylor": "Bear",
+ "Gonzaga": "Bulldog",
+ "Houston": "Cougar",
+ "UCLA": "Bruin",
+ "Duke": "Blue Devil",
+ "Kansas": "Jayhawk",
+ "UNC": "Ram",
+ "Villanova": "Wildcat",
+ "UConn": "Husky",
+ "Miami (Fla.)": "Ibis",
+ "San Diego State": "Aztec",
+ "Florida Atlantic": "Owl"
+ },
+ "categories": [
+ "Education",
+ "Sports"
+ ]
+ },
+ {
+ "id": "f83b8cb27cceafc1",
+ "question": "What are the running times in minutes of the five most recent Indian Academy Award winners and nominees?",
+ "decomposition": [
+ {
+ "id": "5b9037f8b85f7f5c",
+ "question": "What are the 5 latest Indian winners and nominees of the Academy Awards?",
+ "decomposition": [],
+ "answer": [
+ "All That Breathes",
+ "The Elephant Whisperers",
+ "RRR",
+ "Writing with Fire",
+ "St. Louis Superman"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 38069252,
+ "revid": 1185406560,
+ "title": "List of Indian winners and nominees of the Academy Awards",
+ "url": "https://en.wikipedia.org/wiki/List_of_Indian_winners_and_nominees_of_the_Academy_Awards"
+ }
+ },
+ {
+ "id": "ef8485a3739427ae",
+ "question": "What is the running time of All That Breathes?",
+ "decomposition": [],
+ "answer": 91,
+ "depends_on": [
+ "5b9037f8b85f7f5c"
+ ],
+ "evidence": {
+ "pageid": 70579002,
+ "revid": 1184699245,
+ "title": "All That Breathes",
+ "url": "https://en.wikipedia.org/wiki/All_That_Breathes"
+ }
+ },
+ {
+ "id": "b1c1a03abeafbb8f",
+ "question": "What is the running time of The Elephant Whisperers?",
+ "decomposition": [],
+ "answer": 39,
+ "depends_on": [
+ "5b9037f8b85f7f5c"
+ ],
+ "evidence": {
+ "pageid": 72365547,
+ "revid": 1182734320,
+ "title": "The Elephant Whisperers",
+ "url": "https://en.wikipedia.org/wiki/The_Elephant_Whisperers"
+ }
+ },
+ {
+ "id": "9fb2c7f496510649",
+ "question": "What is the running time of RRR?",
+ "decomposition": [],
+ "answer": 182,
+ "depends_on": [
+ "5b9037f8b85f7f5c"
+ ],
+ "evidence": {
+ "pageid": 59329596,
+ "revid": 1185753043,
+ "title": "RRR",
+ "url": "https://en.wikipedia.org/wiki/RRR_(film)"
+ }
+ },
+ {
+ "id": "b73c9e5a8536bdd0",
+ "question": "What is the running time of Writing with Fire?",
+ "decomposition": [],
+ "answer": 94,
+ "depends_on": [
+ "5b9037f8b85f7f5c"
+ ],
+ "evidence": {
+ "pageid": 69604108,
+ "revid": 1160897314,
+ "title": "Writing with Fire",
+ "url": "https://en.wikipedia.org/wiki/Writing_with_Fire"
+ }
+ },
+ {
+ "id": "492dd4c179060d21",
+ "question": "What is the running time of St. Louis Superman?",
+ "decomposition": [],
+ "answer": 28,
+ "depends_on": [
+ "5b9037f8b85f7f5c"
+ ],
+ "evidence": {
+ "pageid": 62922774,
+ "revid": 1177382933,
+ "title": "St. Louis Superman",
+ "url": "https://en.wikipedia.org/wiki/St._Louis_Superman"
+ }
+ }
+ ],
+ "answer": {
+ "All That Breathes": 91,
+ "The Elephant Whisperers": 39,
+ "RRR": 182,
+ "Writing with Fire": 94,
+ "St. Louis Superman": 28
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "6492d086356c3988",
+ "question": "Who are the main characters in J.K. Rowling's most popular book series, and when are their birthdays?",
+ "decomposition": [
+ {
+ "id": "aad862cfb3509a3e",
+ "question": "What is J.K. Rowling's most popular book series?",
+ "decomposition": [],
+ "answer": "Harry Potter",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 16027,
+ "revid": 1183966649,
+ "title": "J. K. Rowling",
+ "url": "https://en.wikipedia.org/wiki/J._K._Rowling"
+ }
+ },
+ {
+ "id": "cf6cc7f3a217f8c8",
+ "question": "Who are the main characters in Harry Potter and when were they born?",
+ "decomposition": [
+ {
+ "id": "2658b8d92bf7596d",
+ "question": "Who are the main characters in Harry Potter?",
+ "decomposition": [],
+ "answer": [
+ "Harry Potter",
+ "Hermione Granger",
+ "Ron Weasley"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2387806,
+ "revid": 1185604388,
+ "title": "Harry Potter",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter"
+ }
+ },
+ {
+ "id": "2e7d002c6ca51cc6",
+ "question": "When is Harry Potter's birthday?",
+ "decomposition": [],
+ "answer": "July 31st, 1980",
+ "depends_on": [
+ "2658b8d92bf7596d"
+ ],
+ "evidence": {
+ "pageid": 727836,
+ "revid": 1185397032,
+ "title": "Harry Potter (character)",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_(character)"
+ }
+ },
+ {
+ "id": "fe0f1b8b35ff5cb6",
+ "question": "When is Hermione Granger's birthday?",
+ "decomposition": [],
+ "answer": "September 19th, 1979",
+ "depends_on": [
+ "2658b8d92bf7596d"
+ ],
+ "evidence": {
+ "pageid": 45100,
+ "revid": 1185070990,
+ "title": "Hermione Granger",
+ "url": "https://en.wikipedia.org/wiki/Hermione_Granger"
+ }
+ },
+ {
+ "id": "27453f8f15187aa3",
+ "question": "When is Ron Weasley's birthday?",
+ "decomposition": [],
+ "answer": "March 1st, 1980",
+ "depends_on": [
+ "2658b8d92bf7596d"
+ ],
+ "evidence": {
+ "pageid": 19156567,
+ "revid": 1183842785,
+ "title": "Ron Weasley",
+ "url": "https://en.wikipedia.org/wiki/Ron_Weasley"
+ }
+ }
+ ],
+ "answer": {
+ "Harry Potter": "July 31st, 1980",
+ "Hermione Granger": "September 19th, 1979",
+ "Ron Weasley": "March 1st, 1980"
+ },
+ "depends_on": [
+ "aad862cfb3509a3e"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Harry Potter": "July 31st, 1980",
+ "Hermione Granger": "September 19th, 1979",
+ "Ron Weasley": "March 1st, 1980"
+ },
+ "categories": [
+ "Literature"
+ ]
+ },
+ {
+ "id": "eb125c4757874b8f",
+ "question": "What years were the 5 most popular newspapers in the US founded?",
+ "decomposition": [
+ {
+ "id": "fe7b4fb0a39a21e4",
+ "question": "What are the 5 most popular newspapers in the US?",
+ "decomposition": [],
+ "answer": [
+ "The New York Times",
+ "The Wall Street Journal",
+ "The Washington Post",
+ "USA Today",
+ "Los Angeles Times"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7919475,
+ "revid": 1184756004,
+ "title": "List of newspapers in the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_newspapers_in_the_United_States"
+ }
+ },
+ {
+ "id": "f86d6aeac7b734c3",
+ "question": "What year was The New York Times Founded?",
+ "decomposition": [],
+ "answer": 1851,
+ "depends_on": [
+ "fe7b4fb0a39a21e4"
+ ],
+ "evidence": {
+ "pageid": 30680,
+ "revid": 1185942126,
+ "title": "The New York Times",
+ "url": "https://en.wikipedia.org/wiki/The_New_York_Times"
+ }
+ },
+ {
+ "id": "aa83a516931f4e41",
+ "question": "What year was The Wall Street Journal Founded?",
+ "decomposition": [],
+ "answer": 1889,
+ "depends_on": [
+ "fe7b4fb0a39a21e4"
+ ],
+ "evidence": {
+ "pageid": 173070,
+ "revid": 1185761285,
+ "title": "The Wall Street Journal",
+ "url": "https://en.wikipedia.org/wiki/The_Wall_Street_Journal"
+ }
+ },
+ {
+ "id": "6444914a2df482a0",
+ "question": "What year was The Washington Post Founded?",
+ "decomposition": [],
+ "answer": 1877,
+ "depends_on": [
+ "fe7b4fb0a39a21e4"
+ ],
+ "evidence": {
+ "pageid": 102226,
+ "revid": 1185445402,
+ "title": "The Washington Post",
+ "url": "https://en.wikipedia.org/wiki/The_Washington_Post"
+ }
+ },
+ {
+ "id": "1585fb704342919d",
+ "question": "What year was USA Today Founded?",
+ "decomposition": [],
+ "answer": 1982,
+ "depends_on": [
+ "fe7b4fb0a39a21e4"
+ ],
+ "evidence": {
+ "pageid": 208463,
+ "revid": 1185586766,
+ "title": "USA Today",
+ "url": "https://en.wikipedia.org/wiki/USA_Today"
+ }
+ },
+ {
+ "id": "d2d5b0b31fec6f97",
+ "question": "What year was Los Angeles Times Founded?",
+ "decomposition": [],
+ "answer": 1881,
+ "depends_on": [
+ "fe7b4fb0a39a21e4"
+ ],
+ "evidence": {
+ "pageid": 273319,
+ "revid": 1185863058,
+ "title": "Los Angeles Times",
+ "url": "https://en.wikipedia.org/wiki/Los_Angeles_Times"
+ }
+ }
+ ],
+ "answer": {
+ "The New York Times": 1851,
+ "The Wall Street Journal": 1889,
+ "The Washington Post": 1877,
+ "USA Today": 1982,
+ "Los Angeles Times": 1881
+ },
+ "categories": [
+ "Journalism",
+ "History"
+ ]
+ },
+ {
+ "id": "c91cb8efeedea700",
+ "question": "Of the countries with a head of state assuming office prior to 2000, which are the five with the largest GDP per capita?",
+ "decomposition": [
+ {
+ "id": "9c9d8f83ef733263",
+ "question": "Which countries have a head of state assuming office prior to 2000?",
+ "decomposition": [],
+ "answer": [
+ "Brunei",
+ "Denmark",
+ "Sweden",
+ "Cameroon",
+ "Equatorial Guinea",
+ "Iran",
+ "Eswatini",
+ "Liechtenstein",
+ "Uganda",
+ "Norway",
+ "Eritrea",
+ "Tajikistan",
+ "Belarus",
+ "Lesotho",
+ "Congo",
+ "Luxembourg",
+ "Jordan",
+ "Bahrain",
+ "Djibouti",
+ "Morocco",
+ "Russia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5584241,
+ "revid": 1185817363,
+ "title": "List of current state leaders by date of assumption of office",
+ "url": "https://en.wikipedia.org/wiki/List_of_current_state_leaders_by_date_of_assumption_of_office"
+ }
+ },
+ {
+ "id": "49d0ccb3006b2518",
+ "question": "What is the GDP of Brunei?",
+ "decomposition": [],
+ "answer": 31449,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 3466,
+ "revid": 1184892368,
+ "title": "Brunei",
+ "url": "https://en.wikipedia.org/wiki/Brunei"
+ }
+ },
+ {
+ "id": "ac64360357811af5",
+ "question": "What is the GDP of Denmark?",
+ "decomposition": [],
+ "answer": 68037,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 76972,
+ "revid": 1185439131,
+ "title": "Denmark",
+ "url": "https://en.wikipedia.org/wiki/Denmark"
+ }
+ },
+ {
+ "id": "14b9a62ccc7ad759",
+ "question": "What is the GDP of Sweden?",
+ "decomposition": [],
+ "answer": 60730,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 5058739,
+ "revid": 1184591766,
+ "title": "Sweden",
+ "url": "https://en.wikipedia.org/wiki/Sweden"
+ }
+ },
+ {
+ "id": "1be84131700f25fc",
+ "question": "What is the GDP of Cameroon?",
+ "decomposition": [],
+ "answer": 1668,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 5447,
+ "revid": 1184358840,
+ "title": "Cameroon",
+ "url": "https://en.wikipedia.org/wiki/Cameroon"
+ }
+ },
+ {
+ "id": "97e69137cc29769b",
+ "question": "What is the GDP of Equatorial Guinea?",
+ "decomposition": [],
+ "answer": 7605,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 9366,
+ "revid": 1185870643,
+ "title": "Equatorial Guinea",
+ "url": "https://en.wikipedia.org/wiki/Equatorial_Guinea"
+ }
+ },
+ {
+ "id": "5fd3ae93bdc67f1b",
+ "question": "What is the GDP of Iran?",
+ "decomposition": [],
+ "answer": 6766,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 14653,
+ "revid": 1185904283,
+ "title": "Iran",
+ "url": "https://en.wikipedia.org/wiki/Iran"
+ }
+ },
+ {
+ "id": "fbc882ca4109971a",
+ "question": "What is the GDP of Eswatini?",
+ "decomposition": [],
+ "answer": 3969,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 27451,
+ "revid": 1184025090,
+ "title": "Eswatini",
+ "url": "https://en.wikipedia.org/wiki/Eswatini"
+ }
+ },
+ {
+ "id": "3cd4b3b4486de73a",
+ "question": "What is the GDP of Liechtenstein?",
+ "decomposition": [],
+ "answer": 169260,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 17810,
+ "revid": 1185735722,
+ "title": "Liechtenstein",
+ "url": "https://en.wikipedia.org/wiki/Liechtenstein"
+ }
+ },
+ {
+ "id": "dcc1855bbfb59b93",
+ "question": "What is the GDP of Uganda?",
+ "decomposition": [],
+ "answer": 930,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 31816,
+ "revid": 1184593195,
+ "title": "Uganda",
+ "url": "https://en.wikipedia.org/wiki/Uganda"
+ }
+ },
+ {
+ "id": "06515120706e3b88",
+ "question": "What is the GDP of Norway?",
+ "decomposition": [],
+ "answer": 89242,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 21241,
+ "revid": 1185418933,
+ "title": "Norway",
+ "url": "https://en.wikipedia.org/wiki/Norway"
+ }
+ },
+ {
+ "id": "fbd281ee19da47df",
+ "question": "What is the GDP of Eritrea?",
+ "decomposition": [],
+ "answer": 623,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 17238590,
+ "revid": 1185941394,
+ "title": "Eritrea",
+ "url": "https://en.wikipedia.org/wiki/Eritrea"
+ }
+ },
+ {
+ "id": "da358d2c84940494",
+ "question": "What is the GDP of Tajikistan?",
+ "decomposition": [],
+ "answer": 897,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 30108,
+ "revid": 1185844507,
+ "title": "Tajikistan",
+ "url": "https://en.wikipedia.org/wiki/Tajikistan"
+ }
+ },
+ {
+ "id": "01f3f4f472d1bd32",
+ "question": "What is the GDP of Belarus?",
+ "decomposition": [],
+ "answer": 7121,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 3457,
+ "revid": 1184891494,
+ "title": "Belarus",
+ "url": "https://en.wikipedia.org/wiki/Belarus"
+ }
+ },
+ {
+ "id": "7e290383feb985ff",
+ "question": "What is the GDP of Lesotho?",
+ "decomposition": [],
+ "answer": 7067,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 17781,
+ "revid": 1185905823,
+ "title": "Lesotho",
+ "url": "https://en.wikipedia.org/wiki/Lesotho"
+ }
+ },
+ {
+ "id": "6b3bb781a5cf481f",
+ "question": "What is the GDP of Congo?",
+ "decomposition": [],
+ "answer": 2200,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 19599929,
+ "revid": 1184945181,
+ "title": "Republic of the Congo",
+ "url": "https://en.wikipedia.org/wiki/Republic_of_the_Congo"
+ }
+ },
+ {
+ "id": "3338636af23ddc5b",
+ "question": "What is the GDP of Luxembourg?",
+ "decomposition": [],
+ "answer": 133745,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 17515,
+ "revid": 1185517682,
+ "title": "Luxembourg",
+ "url": "https://en.wikipedia.org/wiki/Luxembourg"
+ }
+ },
+ {
+ "id": "7386087136f8ee78",
+ "question": "What is the GDP of Jordan?",
+ "decomposition": [],
+ "answer": 4058,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 7515964,
+ "revid": 1185835142,
+ "title": "Jordan",
+ "url": "https://en.wikipedia.org/wiki/Jordan"
+ }
+ },
+ {
+ "id": "9649431f6dd21d4c",
+ "question": "What is the GDP of Bahrain?",
+ "decomposition": [],
+ "answer": 26563,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 18933277,
+ "revid": 1185880801,
+ "title": "Bahrain",
+ "url": "https://en.wikipedia.org/wiki/Bahrain"
+ }
+ },
+ {
+ "id": "86001bc02501c845",
+ "question": "What is the GDP of Djibouti?",
+ "decomposition": [],
+ "answer": 3348,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 17207794,
+ "revid": 1185927494,
+ "title": "Djibouti",
+ "url": "https://en.wikipedia.org/wiki/Djibouti"
+ }
+ },
+ {
+ "id": "48b9d461b418616e",
+ "question": "What is the GDP of Morocco?",
+ "decomposition": [],
+ "answer": 3853,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 19291,
+ "revid": 1185721475,
+ "title": "Morocco",
+ "url": "https://en.wikipedia.org/wiki/Morocco"
+ }
+ },
+ {
+ "id": "9f0f062152caaaf1",
+ "question": "What is the GDP of Russia?",
+ "decomposition": [],
+ "answer": 12259,
+ "depends_on": [
+ "9c9d8f83ef733263"
+ ],
+ "evidence": {
+ "pageid": 25391,
+ "revid": 1185169928,
+ "title": "Russia",
+ "url": "https://en.wikipedia.org/wiki/Russia"
+ }
+ }
+ ],
+ "answer": {
+ "Liechtenstein": 169260,
+ "Luxembourg": 133745,
+ "Norway": 89242,
+ "Denmark": 68037,
+ "Sweden": 60730
+ },
+ "categories": [
+ "Economics",
+ "Political Science"
+ ]
+ },
+ {
+ "id": "22892e5a38e781cc",
+ "question": "Which Ivy League universities have female presidents?",
+ "decomposition": [
+ {
+ "id": "f2174ce0c054c3a7",
+ "question": "What are the Ivy League School?",
+ "decomposition": [],
+ "answer": [
+ "Brown University",
+ "Columbia University",
+ "Cornell University",
+ "Dartmouth College",
+ "Harvard University",
+ "Princeton University",
+ "University of Pennsylvania",
+ "Yale University"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14975,
+ "revid": 1185923896,
+ "title": "Ivy League",
+ "url": "https://en.wikipedia.org/wiki/Ivy_League"
+ }
+ },
+ {
+ "id": "f173a294deae436e",
+ "question": "Is the president in Brown University female?",
+ "decomposition": [],
+ "answer": [
+ true
+ ],
+ "depends_on": [
+ "f2174ce0c054c3a7"
+ ],
+ "evidence": {
+ "pageid": 4157,
+ "revid": 1185769999,
+ "title": "Brown University",
+ "url": "https://en.wikipedia.org/wiki/Brown_University"
+ }
+ },
+ {
+ "id": "3ab16508f218637d",
+ "question": "Is the president in Columbia University female?",
+ "decomposition": [],
+ "answer": [
+ true
+ ],
+ "depends_on": [
+ "f2174ce0c054c3a7"
+ ],
+ "evidence": {
+ "pageid": 6310,
+ "revid": 1185631345,
+ "title": "Columbia University",
+ "url": "https://en.wikipedia.org/wiki/Columbia_University"
+ }
+ },
+ {
+ "id": "3624d50b729f3930",
+ "question": "Is the president in Cornell University female?",
+ "decomposition": [],
+ "answer": [
+ true
+ ],
+ "depends_on": [
+ "f2174ce0c054c3a7"
+ ],
+ "evidence": {
+ "pageid": 7954422,
+ "revid": 1185934071,
+ "title": "Cornell University",
+ "url": "https://en.wikipedia.org/wiki/Cornell_University"
+ }
+ },
+ {
+ "id": "76267f77cb69e385",
+ "question": "Is the president in Dartmouth College female?",
+ "decomposition": [],
+ "answer": [
+ true
+ ],
+ "depends_on": [
+ "f2174ce0c054c3a7"
+ ],
+ "evidence": {
+ "pageid": 8418,
+ "revid": 1185637041,
+ "title": "Dartmouth College",
+ "url": "https://en.wikipedia.org/wiki/Dartmouth_College"
+ }
+ },
+ {
+ "id": "61d1229dd4b3aa9c",
+ "question": "Is the president in Harvard University female?",
+ "decomposition": [],
+ "answer": [
+ true
+ ],
+ "depends_on": [
+ "f2174ce0c054c3a7"
+ ],
+ "evidence": {
+ "pageid": 18426501,
+ "revid": 1185051550,
+ "title": "Harvard University",
+ "url": "https://en.wikipedia.org/wiki/Harvard_University"
+ }
+ },
+ {
+ "id": "afa9bdee54e3d7ce",
+ "question": "Is the president in Princeton University female?",
+ "decomposition": [],
+ "answer": [
+ false
+ ],
+ "depends_on": [
+ "f2174ce0c054c3a7"
+ ],
+ "evidence": {
+ "pageid": 23922,
+ "revid": 1185831342,
+ "title": "Princeton University",
+ "url": "https://en.wikipedia.org/wiki/Princeton_University"
+ }
+ },
+ {
+ "id": "494941ae420b888a",
+ "question": "Is the president in University of Pennsylvania female?",
+ "decomposition": [],
+ "answer": [
+ true
+ ],
+ "depends_on": [
+ "f2174ce0c054c3a7"
+ ],
+ "evidence": {
+ "pageid": 31793,
+ "revid": 1185817557,
+ "title": "University of Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/University_of_Pennsylvania"
+ }
+ },
+ {
+ "id": "d6804c7766d69f37",
+ "question": "Is the president in Yale University female?",
+ "decomposition": [],
+ "answer": [
+ false
+ ],
+ "depends_on": [
+ "f2174ce0c054c3a7"
+ ],
+ "evidence": {
+ "pageid": 34273,
+ "revid": 1185621306,
+ "title": "Yale University",
+ "url": "https://en.wikipedia.org/wiki/Yale_University"
+ }
+ }
+ ],
+ "answer": [
+ "Brown University",
+ "Columbia University",
+ "Cornell University",
+ "Dartmouth College",
+ "Harvard University",
+ "University of Pennsylvania"
+ ],
+ "categories": [
+ "Education",
+ "Gender Studies"
+ ]
+ },
+ {
+ "id": "6c76196b5b7f6646",
+ "question": "Who are the directors of the top 5 highest-grossing animated films of all time?",
+ "decomposition": [
+ {
+ "id": "a998adf2821e3cce",
+ "question": "What are the 5 highest-grossing animated films of all time?",
+ "decomposition": [],
+ "answer": [
+ "The Lion King (2019)",
+ "Frozen II",
+ "The Super Mario Bros. Movie",
+ "Frozen",
+ "Incredibles 2"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 29176320,
+ "revid": 1185405878,
+ "title": "List of highest-grossing animated films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_animated_films"
+ }
+ },
+ {
+ "id": "acefb7b3512dc9b8",
+ "question": "Who directed The Lion King (2019)?",
+ "decomposition": [],
+ "answer": "Jon Favreau",
+ "depends_on": [
+ "a998adf2821e3cce"
+ ],
+ "evidence": {
+ "pageid": 51780570,
+ "revid": 1185750430,
+ "title": "The Lion King (2019 film)",
+ "url": "https://en.wikipedia.org/wiki/The_Lion_King_(2019_film)"
+ }
+ },
+ {
+ "id": "1dd09b3d2abe501a",
+ "question": "Who directed Frozen II?",
+ "decomposition": [],
+ "answer": "Chris Buck and Jennifer Lee",
+ "depends_on": [
+ "a998adf2821e3cce"
+ ],
+ "evidence": {
+ "pageid": 44539921,
+ "revid": 1185480991,
+ "title": "Frozen II",
+ "url": "https://en.wikipedia.org/wiki/Frozen_II"
+ }
+ },
+ {
+ "id": "907d1c15ea5a4ae0",
+ "question": "Who directed The Super Mario Bros. Movie?",
+ "decomposition": [],
+ "answer": "Aaron Horvath and Michael Jelenic",
+ "depends_on": [
+ "a998adf2821e3cce"
+ ],
+ "evidence": {
+ "pageid": 68803319,
+ "revid": 1185889837,
+ "title": "The Super Mario Bros. Movie",
+ "url": "https://en.wikipedia.org/wiki/The_Super_Mario_Bros._Movie"
+ }
+ },
+ {
+ "id": "f4ce6a3a122bdc92",
+ "question": "Who directed Frozen?",
+ "decomposition": [],
+ "answer": "Chris Buck and Jennifer Lee",
+ "depends_on": [
+ "a998adf2821e3cce"
+ ],
+ "evidence": {
+ "pageid": 34164547,
+ "revid": 1185917307,
+ "title": "Frozen (2013 film)",
+ "url": "https://en.wikipedia.org/wiki/Frozen_(2013_film)"
+ }
+ },
+ {
+ "id": "faa5c931bdba3759",
+ "question": "Who directed Incredibles 2?",
+ "decomposition": [],
+ "answer": "Brad Bird",
+ "depends_on": [
+ "a998adf2821e3cce"
+ ],
+ "evidence": {
+ "pageid": 39502474,
+ "revid": 1185822040,
+ "title": "Incredibles 2",
+ "url": "https://en.wikipedia.org/wiki/Incredibles_2"
+ }
+ }
+ ],
+ "answer": {
+ "The Lion King (2019)": "Jon Favreau",
+ "Frozen II": "Chris Buck and Jennifer Lee",
+ "The Super Mario Bros. Movie": "Aaron Horvath and Michael Jelenic",
+ "Frozen": "Chris Buck and Jennifer Lee",
+ "Incredibles 2": "Brad Bird"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "c898b5f658c13b95",
+ "question": "Which of the US states have animals on their flags?",
+ "decomposition": [
+ {
+ "id": "26e3aa0ab75aa972",
+ "question": "List the states in the US.",
+ "decomposition": [],
+ "answer": [
+ "Alabama",
+ "Alaska",
+ "Arizona",
+ "Arkansas",
+ "California",
+ "Colorado",
+ "Connecticut",
+ "Delaware",
+ "Florida",
+ "Georgia",
+ "Hawaii",
+ "Idaho",
+ "Illinois",
+ "Indiana",
+ "Iowa",
+ "Kansas",
+ "Kentucky",
+ "Louisiana",
+ "Maine",
+ "Maryland",
+ "Massachusetts",
+ "Michigan",
+ "Minnesota",
+ "Mississippi",
+ "Missouri",
+ "Montana",
+ "Nebraska",
+ "Nevada",
+ "New Hampshire",
+ "New Jersey",
+ "New Mexico",
+ "New York",
+ "North Carolina",
+ "North Dakota",
+ "Ohio",
+ "Oklahoma",
+ "Oregon",
+ "Pennsylvania",
+ "Rhode Island",
+ "South Carolina",
+ "South Dakota",
+ "Tennessee",
+ "Texas",
+ "Utah",
+ "Vermont",
+ "Virginia",
+ "Washington",
+ "West Virginia",
+ "Wisconsin",
+ "Wyoming"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 12610470,
+ "revid": 1179405336,
+ "title": "List of states and territories of the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_states_and_territories_of_the_United_States"
+ }
+ },
+ {
+ "id": "b19e115de7d0a569",
+ "question": "Does California have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 399416,
+ "revid": 1183523012,
+ "title": "Flag of California",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_California"
+ }
+ },
+ {
+ "id": "77ccb3ade69de90d",
+ "question": "Does Delaware have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 495807,
+ "revid": 1155110973,
+ "title": "Flag of Delaware",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Delaware"
+ }
+ },
+ {
+ "id": "3d5638ed13c8c22a",
+ "question": "Does Idaho have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 2458841,
+ "revid": 1171951282,
+ "title": "Flag and seal of Idaho",
+ "url": "https://en.wikipedia.org/wiki/Flag_and_seal_of_Idaho"
+ }
+ },
+ {
+ "id": "07a12947d28863bb",
+ "question": "Does Illinois have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 2458498,
+ "revid": 1179098202,
+ "title": "Flag and seal of Illinois",
+ "url": "https://en.wikipedia.org/wiki/Flag_and_seal_of_Illinois"
+ }
+ },
+ {
+ "id": "a933ad8b3e3cde03",
+ "question": "Does Iowa have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 495892,
+ "revid": 1182183951,
+ "title": "Flag of Iowa",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Iowa"
+ }
+ },
+ {
+ "id": "9979082118ff827e",
+ "question": "Does Kansas have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 316351,
+ "revid": 1166177883,
+ "title": "Flag of Kansas",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Kansas"
+ }
+ },
+ {
+ "id": "f9d318903e5be6cf",
+ "question": "Does Louisiana have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 495954,
+ "revid": 1183553064,
+ "title": "Flag of Louisiana",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Louisiana"
+ }
+ },
+ {
+ "id": "f97cf3dfb26ee47e",
+ "question": "Does Maine have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 495962,
+ "revid": 1185879851,
+ "title": "Flag of Maine",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Maine"
+ }
+ },
+ {
+ "id": "86cdf01b45f797bb",
+ "question": "Does Michigan have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 307004,
+ "revid": 1181701238,
+ "title": "Flag of Michigan",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Michigan"
+ }
+ },
+ {
+ "id": "0c4690951bacfc39",
+ "question": "Does Missouri have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 177665,
+ "revid": 1185942874,
+ "title": "Flag of Missouri",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Missouri"
+ }
+ },
+ {
+ "id": "4f9407af0f489f1b",
+ "question": "Does New York have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 180028,
+ "revid": 1181315484,
+ "title": "Coat of arms of New York",
+ "url": "https://en.wikipedia.org/wiki/Coat_of_arms_of_New_York"
+ }
+ },
+ {
+ "id": "4686714226e6004c",
+ "question": "Does North Dakota have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 470622,
+ "revid": 1171236383,
+ "title": "Flag of North Dakota",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_North_Dakota"
+ }
+ },
+ {
+ "id": "b1e17e5f4d066a51",
+ "question": "Does Oregon have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 89205,
+ "revid": 1184762856,
+ "title": "Flag of Oregon",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Oregon"
+ }
+ },
+ {
+ "id": "75c519dec40293f5",
+ "question": "Does Pennsylvania have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 497244,
+ "revid": 1175393916,
+ "title": "Flag of Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Pennsylvania"
+ }
+ },
+ {
+ "id": "a5e4ae2efc20edbf",
+ "question": "Does Utah have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 497274,
+ "revid": 1184857396,
+ "title": "Flag of Utah",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Utah"
+ }
+ },
+ {
+ "id": "0ff5a311b2760b5b",
+ "question": "Does Vermont have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 497283,
+ "revid": 1183361102,
+ "title": "Flag of Vermont",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Vermont"
+ }
+ },
+ {
+ "id": "46d5a490a3dbd8e0",
+ "question": "Does Wyoming have animals on its flag?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "26e3aa0ab75aa972"
+ ],
+ "evidence": {
+ "pageid": 497305,
+ "revid": 1181204758,
+ "title": "Flag of Wyoming",
+ "url": "https://en.wikipedia.org/wiki/Flag_of_Wyoming"
+ }
+ }
+ ],
+ "answer": [
+ "California",
+ "Delaware",
+ "Idaho",
+ "Illinois",
+ "Iowa",
+ "Kansas",
+ "Louisiana",
+ "Maine",
+ "Michigan",
+ "Missouri",
+ "New York",
+ "North Dakota",
+ "Oregon",
+ "Pennsylvania",
+ "Utah",
+ "Vermont",
+ "Wyoming"
+ ],
+ "categories": [
+ "History",
+ "Geography"
+ ]
+ },
+ {
+ "id": "5e660d80b1608a8a",
+ "question": "Which universities did the female senators appointed in 2020 and onwards attend for their bachelor's degrees?",
+ "decomposition": [
+ {
+ "id": "97a4f521f017d8ef",
+ "question": "Who are the female senators appointed 2020 and onwards?",
+ "decomposition": [],
+ "answer": [
+ "Kelly Loeffler",
+ "Cynthia Lummis",
+ "Katie Britt",
+ "Laphonza Butler"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1156180,
+ "revid": 1185836556,
+ "title": "Women in the United States Senate",
+ "url": "https://en.wikipedia.org/wiki/Women_in_the_United_States_Senate#:~:text=As%20of%20October%203%2C%202023,Independent)%20serving%20as%20U.S.%20senators."
+ }
+ },
+ {
+ "id": "a705e547ea7decad",
+ "question": "Which university did Kelly Loeffler go for her bachelor's?",
+ "decomposition": [],
+ "answer": "University of Illinois at Urbana\u2013Champaign",
+ "depends_on": [
+ "97a4f521f017d8ef"
+ ],
+ "evidence": {
+ "pageid": 62440506,
+ "revid": 1184507440,
+ "title": "Kelly Loeffler",
+ "url": "https://en.wikipedia.org/wiki/Kelly_Loeffler"
+ }
+ },
+ {
+ "id": "85f899b6e928a57e",
+ "question": "Which university did Cynthia Lummis go for her bachelor's?",
+ "decomposition": [],
+ "answer": "University of Wyoming",
+ "depends_on": [
+ "97a4f521f017d8ef"
+ ],
+ "evidence": {
+ "pageid": 10936603,
+ "revid": 1185619343,
+ "title": "Cynthia Lummis",
+ "url": "https://en.wikipedia.org/wiki/Cynthia_Lummis"
+ }
+ },
+ {
+ "id": "ecc1f14ef86f2ec5",
+ "question": "Which university did Katie Britt go for her bachelor's?",
+ "decomposition": [],
+ "answer": "University of Alabama",
+ "depends_on": [
+ "97a4f521f017d8ef"
+ ],
+ "evidence": {
+ "pageid": 67663109,
+ "revid": 1183946590,
+ "title": "Katie Britt",
+ "url": "https://en.wikipedia.org/wiki/Katie_Britt"
+ }
+ },
+ {
+ "id": "5b2f469775f16e3c",
+ "question": "Which university did Laphonza Butler go for her bachelor's?",
+ "decomposition": [],
+ "answer": "Jackson State University",
+ "depends_on": [
+ "97a4f521f017d8ef"
+ ],
+ "evidence": {
+ "pageid": 74558346,
+ "revid": 1185422687,
+ "title": "Laphonza Butler",
+ "url": "https://en.wikipedia.org/wiki/Laphonza_Butler"
+ }
+ }
+ ],
+ "answer": {
+ "Kelly Loeffler": "University of Illinois at Urbana\u2013Champaign",
+ "Cynthia Lummis": "University of Wyoming",
+ "Katie Britt": "University of Alabama",
+ "Laphonza Butler": "Jackson State University"
+ },
+ "categories": [
+ "Education",
+ "Political Science"
+ ]
+ },
+ {
+ "id": "8e62c5c69ce8c58d",
+ "question": "Which currently sitting US Supreme Court Justices graduated from a top 14 law school?",
+ "decomposition": [
+ {
+ "id": "668dd9d6f398f7ec",
+ "question": "Who are the current sitting US Supreme Court Judges?",
+ "decomposition": [],
+ "answer": [
+ "John Roberts",
+ "Thomas Clarence",
+ "Samuel Alito",
+ "Sonia Sotomayor",
+ "Elena Kagan",
+ "Neil Gorsuch",
+ "Brett Kavanaugh",
+ "Amy Coney Barrett",
+ "Ketanji Brown Jackson"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31737,
+ "revid": 1185937026,
+ "title": "Supreme Court of the United States",
+ "url": "https://en.wikipedia.org/wiki/Supreme_Court_of_the_United_States"
+ }
+ },
+ {
+ "id": "d1016821f3818221",
+ "question": "What are the T14 law schools and which of the supreme court justices attended them?",
+ "decomposition": [
+ {
+ "id": "b9e842fbc98a7ef0",
+ "question": "What are the T14 law schools?",
+ "decomposition": [],
+ "answer": [
+ "Columbia Law School",
+ "Cornell Law School",
+ "Duke University School of Law",
+ "Georgetown University Law Center",
+ "Harvard Law School",
+ "New York University School of Law",
+ "Northwestern University School of Law",
+ "Stanford Law School",
+ "University of California, Berkeley School of Law",
+ "University of Chicago Law School",
+ "University of Michigan Law School",
+ "University of Pennsylvania Law School",
+ "University of Virginia School of Law",
+ "Yale Law School"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 4750686,
+ "revid": 1169687800,
+ "title": "Law school rankings in the United States",
+ "url": "https://en.wikipedia.org/wiki/Law_school_rankings_in_the_United_States#U.S._News_&_World_Report_rankings"
+ }
+ },
+ {
+ "id": "f64b83a4b7fd3dd6",
+ "question": "Did John Roberts graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 1928850,
+ "revid": 1185431089,
+ "title": "John Roberts",
+ "url": "https://en.wikipedia.org/wiki/John_Roberts"
+ }
+ },
+ {
+ "id": "e63d9e3558bb5753",
+ "question": "Did Thomas Clarence graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 28291766,
+ "revid": 1185947157,
+ "title": "Clarence Thomas",
+ "url": "https://en.wikipedia.org/wiki/Clarence_Thomas"
+ }
+ },
+ {
+ "id": "72199d9a6dfd991a",
+ "question": "Did Samuel Alito graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 1199173,
+ "revid": 1182732418,
+ "title": "Samuel Alito",
+ "url": "https://en.wikipedia.org/wiki/Samuel_Alito"
+ }
+ },
+ {
+ "id": "7bf5a26d9de0a3f7",
+ "question": "Did Sonia Sotomayor graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 2095829,
+ "revid": 1178458812,
+ "title": "Sonia Sotomayor",
+ "url": "https://en.wikipedia.org/wiki/Sonia_Sotomayor"
+ }
+ },
+ {
+ "id": "5f8739857541c05d",
+ "question": "Did Elena Kagan graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 2093225,
+ "revid": 1180044509,
+ "title": "Elena Kagan",
+ "url": "https://en.wikipedia.org/wiki/Elena_Kagan"
+ }
+ },
+ {
+ "id": "0067ca6f2c789530",
+ "question": "Did Neil Gorsuch graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 6049434,
+ "revid": 1185809196,
+ "title": "Neil Gorsuch",
+ "url": "https://en.wikipedia.org/wiki/Neil_Gorsuch"
+ }
+ },
+ {
+ "id": "4dda795da229c50b",
+ "question": "Did Brett Kavanaugh graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 21816987,
+ "revid": 1183477870,
+ "title": "Brett Kavanaugh",
+ "url": "https://en.wikipedia.org/wiki/Brett_Kavanaugh"
+ }
+ },
+ {
+ "id": "737d62309d23f511",
+ "question": "Did Amy Coney Barrett graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 53992581,
+ "revid": 1184345665,
+ "title": "Amy Coney Barrett",
+ "url": "https://en.wikipedia.org/wiki/Amy_Coney_Barrett"
+ }
+ },
+ {
+ "id": "6c8a589b2b52e556",
+ "question": "Did Ketanji Brown Jackson graduate from law school at one of the following universities: Columbia, Cornell, Duke, Georgetown, Harvard, New York University, Northwestern, Stanford, University of California at Berkeley, University of Chicago, University of Michigan, University of Pennslyvania, University of Virginia or Yale?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "b9e842fbc98a7ef0"
+ ],
+ "evidence": {
+ "pageid": 23741955,
+ "revid": 1185494927,
+ "title": "Ketanji Brown Jackson",
+ "url": "https://en.wikipedia.org/wiki/Ketanji_Brown_Jackson"
+ }
+ }
+ ],
+ "answer": [
+ "John Roberts",
+ "Thomas Clarence",
+ "Samuel Alito",
+ "Sonia Sotomayor",
+ "Elena Kagan",
+ "Neil Gorsuch",
+ "Brett Kavanaugh",
+ "Ketanji Brown Jackson"
+ ],
+ "depends_on": [
+ "668dd9d6f398f7ec"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": [
+ "John Roberts",
+ "Thomas Clarence",
+ "Samuel Alito",
+ "Sonia Sotomayor",
+ "Elena Kagan",
+ "Neil Gorsuch",
+ "Brett Kavanaugh",
+ "Ketanji Brown Jackson"
+ ],
+ "categories": [
+ "Political Science",
+ "Law"
+ ]
+ },
+ {
+ "id": "3d0739b161908b67",
+ "question": "What are the U.S. stock tickers for the five U.S. companies with the highest revenue?",
+ "decomposition": [
+ {
+ "id": "49622898186eacb6",
+ "question": "What are the five U.S. companies with the highest revenue?",
+ "decomposition": [],
+ "answer": [
+ "Walmart",
+ "Amazon",
+ "ExxonMobil",
+ "Apple",
+ "UnitedHealthGroup"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 61181662,
+ "revid": 1183367931,
+ "title": "List of largest companies in the United States by revenue",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_companies_in_the_United_States_by_revenue"
+ }
+ },
+ {
+ "id": "2ff5a0169b37cd46",
+ "question": "What is the stock ticker of Walmart?",
+ "decomposition": [],
+ "answer": "WMT",
+ "depends_on": [
+ "49622898186eacb6"
+ ],
+ "evidence": {
+ "pageid": 33589,
+ "revid": 1185423753,
+ "title": "Walmart",
+ "url": "https://en.wikipedia.org/wiki/Walmart"
+ }
+ },
+ {
+ "id": "be72e0b3654090bb",
+ "question": "What is the stock ticker of Amazon?",
+ "decomposition": [],
+ "answer": "AMZN",
+ "depends_on": [
+ "49622898186eacb6"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "dad94ba41122bd2c",
+ "question": "What is the stock ticker of ExxonMobil?",
+ "decomposition": [],
+ "answer": "XOM",
+ "depends_on": [
+ "49622898186eacb6"
+ ],
+ "evidence": {
+ "pageid": 18848197,
+ "revid": 1185831106,
+ "title": "ExxonMobil",
+ "url": "https://en.wikipedia.org/wiki/ExxonMobil"
+ }
+ },
+ {
+ "id": "4c80bea07e4ae937",
+ "question": "What is the stock ticker of Apple?",
+ "decomposition": [],
+ "answer": "AAPL",
+ "depends_on": [
+ "49622898186eacb6"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "e08eeb2928f1ac7f",
+ "question": "What is the stock ticker of UnitedHealthGroup?",
+ "decomposition": [],
+ "answer": "UNH",
+ "depends_on": [
+ "49622898186eacb6"
+ ],
+ "evidence": {
+ "pageid": 1845551,
+ "revid": 1185887119,
+ "title": "UnitedHealth Group",
+ "url": "https://en.wikipedia.org/wiki/UnitedHealth_Group"
+ }
+ }
+ ],
+ "answer": {
+ "Walmart": "WMT",
+ "Amazon": "AMZN",
+ "ExxonMobil": "XOM",
+ "Apple": "AAPL",
+ "UnitedHealthGroup": "UNH"
+ },
+ "categories": [
+ "Finance",
+ "Business"
+ ]
+ },
+ {
+ "id": "1917958c16bb6324",
+ "question": "What are the 5 longest rivers in Asia, in which countries do they originate, and what are the capitals of those countries?",
+ "decomposition": [
+ {
+ "id": "f8feb05802f59055",
+ "question": "What are the five longest rivers in Asia?",
+ "decomposition": [],
+ "answer": [
+ "Yangtze",
+ "Yellow River",
+ "Mekong",
+ "Lena",
+ "Irtysh"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1081611,
+ "revid": 1185635153,
+ "title": "List of longest rivers of Asia",
+ "url": "https://en.wikipedia.org/wiki/List_of_longest_rivers_of_Asia"
+ }
+ },
+ {
+ "id": "2038c552a2ab3e66",
+ "question": "What countries are the Yangtze, Yellow River, Mekong, Lena, and Irtysh rivers originated in?",
+ "decomposition": [
+ {
+ "id": "8ad93a6431fb1b14",
+ "question": "What country is the Yangtze river originated in?",
+ "decomposition": [],
+ "answer": "China",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 6613,
+ "revid": 1185833630,
+ "title": "Yangtze",
+ "url": "https://en.wikipedia.org/wiki/Yangtze"
+ }
+ },
+ {
+ "id": "b446854881d7edeb",
+ "question": "What country is the Yellow River originated in?",
+ "decomposition": [],
+ "answer": "China",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 50819,
+ "revid": 1184161413,
+ "title": "Yellow River",
+ "url": "https://en.wikipedia.org/wiki/Yellow_River"
+ }
+ },
+ {
+ "id": "89d71bab39be6509",
+ "question": "What country is the Mekong river originated in?",
+ "decomposition": [],
+ "answer": "China",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69147,
+ "revid": 1185867993,
+ "title": "Mekong",
+ "url": "https://en.wikipedia.org/wiki/Mekong"
+ }
+ },
+ {
+ "id": "0e3ddecf82e5cb89",
+ "question": "What country is the Lena river originated in?",
+ "decomposition": [],
+ "answer": "Russia",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 367402,
+ "revid": 1184070957,
+ "title": "Lena (river)",
+ "url": "https://en.wikipedia.org/wiki/Lena_(river)"
+ }
+ },
+ {
+ "id": "11428ff4f1a17fc1",
+ "question": "What country is the Irtysh river originated in?",
+ "decomposition": [],
+ "answer": "Mongolia",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 62594,
+ "revid": 1177926599,
+ "title": "Irtysh",
+ "url": "https://en.wikipedia.org/wiki/Irtysh"
+ }
+ },
+ {
+ "id": "4d2790acd29aecf9",
+ "question": "What is the capital of China?",
+ "decomposition": [],
+ "answer": "Beijing",
+ "depends_on": [
+ "8ad93a6431fb1b14",
+ "b446854881d7edeb",
+ "89d71bab39be6509",
+ "0e3ddecf82e5cb89",
+ "11428ff4f1a17fc1"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "f8c3c32726d0ac68",
+ "question": "What is the capital of Russia?",
+ "decomposition": [],
+ "answer": "Moscow",
+ "depends_on": [
+ "8ad93a6431fb1b14",
+ "b446854881d7edeb",
+ "89d71bab39be6509",
+ "0e3ddecf82e5cb89",
+ "11428ff4f1a17fc1"
+ ],
+ "evidence": {
+ "pageid": 25391,
+ "revid": 1185169928,
+ "title": "Russia",
+ "url": "https://en.wikipedia.org/wiki/Russia"
+ }
+ },
+ {
+ "id": "2d315308ac61972d",
+ "question": "What is the capital of Mongolia?",
+ "decomposition": [],
+ "answer": "Ulaanbaatar",
+ "depends_on": [
+ "8ad93a6431fb1b14",
+ "b446854881d7edeb",
+ "89d71bab39be6509",
+ "0e3ddecf82e5cb89",
+ "11428ff4f1a17fc1"
+ ],
+ "evidence": {
+ "pageid": 19271,
+ "revid": 1182391510,
+ "title": "Mongolia",
+ "url": "https://en.wikipedia.org/wiki/Mongolia"
+ }
+ }
+ ],
+ "answer": {
+ "China": "Beijing",
+ "Russia": "Moscow",
+ "Mongolia": "Ulaanbaatar"
+ },
+ "depends_on": [
+ "f8feb05802f59055"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Yangtze": "Beijing",
+ "Yellow River": "Beijing",
+ "Mekong": "Beijing",
+ "Lena": "Moscow",
+ "Irtysh": "Ulaanbaatar"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "0ca82c8661605e74",
+ "question": "Who discovered the first five elements in the periodic table and what were the respective years of their discoveries?",
+ "decomposition": [
+ {
+ "id": "34b165f8ba4b9fb5",
+ "question": "Who discovered Hydrogen and in which year?",
+ "decomposition": [],
+ "answer": "Henry Cavendish, 1766",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 13255,
+ "revid": 1185762725,
+ "title": "Hydrogen",
+ "url": "https://en.wikipedia.org/wiki/Hydrogen"
+ }
+ },
+ {
+ "id": "9afd08b8f493dfcd",
+ "question": "Who discovered Helium and in which year?",
+ "decomposition": [],
+ "answer": "Pierre Janssen, 1868",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 13256,
+ "revid": 1185600362,
+ "title": "Helium",
+ "url": "https://en.wikipedia.org/wiki/Helium"
+ }
+ },
+ {
+ "id": "249992b7b4006d6d",
+ "question": "Who discovered Lithium and in which year?",
+ "decomposition": [],
+ "answer": "Johan August Arfwedson, 1817",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17561,
+ "revid": 1185600486,
+ "title": "Lithium",
+ "url": "https://en.wikipedia.org/wiki/Lithium"
+ }
+ },
+ {
+ "id": "6a157a1d5a8d7b5f",
+ "question": "Who discovered Beryllium and in which year?",
+ "decomposition": [],
+ "answer": "Louis Nicolas Vauquelin, 1798",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3378,
+ "revid": 1185570473,
+ "title": "Beryllium",
+ "url": "https://en.wikipedia.org/wiki/Beryllium"
+ }
+ },
+ {
+ "id": "428b3cb93e664a1b",
+ "question": "Who discovered Boron and in which year?",
+ "decomposition": [],
+ "answer": "Joseph Louis Gay-Lussac, 1808",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3755,
+ "revid": 1185623911,
+ "title": "Boron",
+ "url": "https://en.wikipedia.org/wiki/Boron"
+ }
+ }
+ ],
+ "answer": {
+ "Hydrogen": "Henry Cavendish, 1766",
+ "Helium": "Pierre Janssen, 1868",
+ "Lithium": "Johan August Arfwedson, 1817",
+ "Beryllium": "Louis Nicolas Vauquelin, 1798",
+ "Boron": "Joseph Louis Gay-Lussac, 1808"
+ },
+ "categories": [
+ "Chemistry",
+ "History"
+ ]
+ },
+ {
+ "id": "fdc1b389c63ca222",
+ "question": "What are the 5 largest cruise ships in the world, and what are their call signs?",
+ "decomposition": [
+ {
+ "id": "063de881977a9e49",
+ "question": "What are the 5 largest cruise ships in the world?",
+ "decomposition": [],
+ "answer": [
+ "Wonder of the Seas",
+ "Symphony of the Seas",
+ "Harmony of the Seas",
+ "Oasis of the Seas",
+ "Allure of the Seas"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 24877308,
+ "revid": 1184934730,
+ "title": "List of largest cruise ships",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_cruise_ships"
+ }
+ },
+ {
+ "id": "8012629479aaccb5",
+ "question": "What is Wonder of the Seas' call sign?",
+ "decomposition": [],
+ "answer": "C6EY2",
+ "depends_on": [
+ "063de881977a9e49"
+ ],
+ "evidence": {
+ "pageid": 62027632,
+ "revid": 1182904038,
+ "title": "Wonder of the Seas",
+ "url": "https://en.wikipedia.org/wiki/Wonder_of_the_Seas"
+ }
+ },
+ {
+ "id": "63ad691c8a686ea4",
+ "question": "What is Symphony of the Seas' call sign?",
+ "decomposition": [],
+ "answer": "C6DF6",
+ "depends_on": [
+ "063de881977a9e49"
+ ],
+ "evidence": {
+ "pageid": 53427583,
+ "revid": 1185646877,
+ "title": "Symphony of the Seas",
+ "url": "https://en.wikipedia.org/wiki/Symphony_of_the_Seas"
+ }
+ },
+ {
+ "id": "bfc278382492fcc5",
+ "question": "What is Harmony of the Seas' call sign?",
+ "decomposition": [],
+ "answer": "C6BX8",
+ "depends_on": [
+ "063de881977a9e49"
+ ],
+ "evidence": {
+ "pageid": 45485466,
+ "revid": 1175362514,
+ "title": "Harmony of the Seas",
+ "url": "https://en.wikipedia.org/wiki/Harmony_of_the_Seas"
+ }
+ },
+ {
+ "id": "ed1f31a80a1c30ce",
+ "question": "What is Oasis of the Seas' call sign?",
+ "decomposition": [],
+ "answer": "C6XS7",
+ "depends_on": [
+ "063de881977a9e49"
+ ],
+ "evidence": {
+ "pageid": 17602306,
+ "revid": 1185128097,
+ "title": "Oasis of the Seas",
+ "url": "https://en.wikipedia.org/wiki/Oasis_of_the_Seas"
+ }
+ },
+ {
+ "id": "8ccc04480ae28d5c",
+ "question": "What is Allure of the Seas' call sign?",
+ "decomposition": [],
+ "answer": "C6XS8",
+ "depends_on": [
+ "063de881977a9e49"
+ ],
+ "evidence": {
+ "pageid": 17602342,
+ "revid": 1184255568,
+ "title": "Allure of the Seas",
+ "url": "https://en.wikipedia.org/wiki/Allure_of_the_Seas"
+ }
+ }
+ ],
+ "answer": {
+ "Wonder of the Seas": "C6EY2",
+ "Symphony of the Seas": "C6DF6",
+ "Harmony of the Seas": "C6BX8",
+ "Oasis of the Seas": "C6XS7",
+ "Allure of the Seas": "C6XS8"
+ },
+ "categories": [
+ "Maritime Studies",
+ "Travel"
+ ]
+ },
+ {
+ "id": "40db8922af802a1d",
+ "question": "What are the geographical coordinates of the five oldest buildings in the world?",
+ "decomposition": [
+ {
+ "id": "cb0d8f8bccdd8d09",
+ "question": "What are the top 5 oldest building in the world?",
+ "decomposition": [],
+ "answer": [
+ "G\u00f6bekli Tepe",
+ "Tower of Jericho",
+ "\u00c7atalh\u00f6y\u00fck",
+ "Mehrgarh",
+ "Barnenez"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 30731873,
+ "revid": 1183181222,
+ "title": "List of oldest extant buildings",
+ "url": "https://en.wikipedia.org/wiki/List_of_oldest_extant_buildings"
+ }
+ },
+ {
+ "id": "44659f1e86cb66d1",
+ "question": "What are G\u00f6bekli Tepe's coordinates?",
+ "decomposition": [],
+ "answer": "37\u00b013\u203225\u2033N 38\u00b055\u203218\u2033E",
+ "depends_on": [
+ "cb0d8f8bccdd8d09"
+ ],
+ "evidence": {
+ "pageid": 515395,
+ "revid": 1185732646,
+ "title": "G\u00f6bekli Tepe",
+ "url": "https://en.wikipedia.org/wiki/G%C3%B6bekli_Tepe"
+ }
+ },
+ {
+ "id": "e7c8f7df586dfd7a",
+ "question": "What are Tower of Jericho's coordinates?",
+ "decomposition": [],
+ "answer": "31.872041\u00b0N 35.443981\u00b0E",
+ "depends_on": [
+ "cb0d8f8bccdd8d09"
+ ],
+ "evidence": {
+ "pageid": 32351432,
+ "revid": 1182164945,
+ "title": "Tower of Jericho",
+ "url": "https://en.wikipedia.org/wiki/Tower_of_Jericho"
+ }
+ },
+ {
+ "id": "a42bfa31642e5670",
+ "question": "What are \u00c7atalh\u00f6y\u00fck's coordinates?",
+ "decomposition": [],
+ "answer": "37\u00b040\u203200\u2033N 32\u00b049\u203241\u2033E",
+ "depends_on": [
+ "cb0d8f8bccdd8d09"
+ ],
+ "evidence": {
+ "pageid": 5765,
+ "revid": 1183974925,
+ "title": "\u00c7atalh\u00f6y\u00fck",
+ "url": "https://en.wikipedia.org/wiki/%C3%87atalh%C3%B6y%C3%BCk"
+ }
+ },
+ {
+ "id": "d1d8e8613db16d39",
+ "question": "What are Mehrgarh's coordinates?",
+ "decomposition": [],
+ "answer": "29\u00b023\u2032N 67\u00b037\u2032E",
+ "depends_on": [
+ "cb0d8f8bccdd8d09"
+ ],
+ "evidence": {
+ "pageid": 20675,
+ "revid": 1180794888,
+ "title": "Mehrgarh",
+ "url": "https://en.wikipedia.org/wiki/Mehrgarh"
+ }
+ },
+ {
+ "id": "b934d5921d57407c",
+ "question": "What are Barnenez's coordinates?",
+ "decomposition": [],
+ "answer": "48\u00b040\u203203\u2033N 03\u00b051\u203231\u2033W",
+ "depends_on": [
+ "cb0d8f8bccdd8d09"
+ ],
+ "evidence": {
+ "pageid": 13707411,
+ "revid": 1185787777,
+ "title": "Barnenez",
+ "url": "https://en.wikipedia.org/wiki/Barnenez"
+ }
+ }
+ ],
+ "answer": {
+ "G\u00f6bekli Tepe": "37\u00b013\u203225\u2033N 38\u00b055\u203218\u2033E",
+ "Tower of Jericho": "31.872041\u00b0N 35.443981\u00b0E",
+ "\u00c7atalh\u00f6y\u00fck": "37\u00b040\u203200\u2033N 32\u00b049\u203241\u2033E",
+ "Mehrgarh": "29\u00b023\u2032N 67\u00b037\u2032E",
+ "Barnenez": "48\u00b040\u203203\u2033N 03\u00b051\u203231\u2033W"
+ },
+ "categories": [
+ "History",
+ "Architecture",
+ "Geography"
+ ]
+ },
+ {
+ "id": "6eabcceb8e365b7c",
+ "question": "For teams in the Nippon Professional Baseball league founded after 1945, what are the names of the teams and their mascots?",
+ "decomposition": [
+ {
+ "id": "4fd627150cd06cdb",
+ "question": "Which teams in the Nippon Professional Baseball league were founded after 1945?",
+ "decomposition": [],
+ "answer": [
+ "Hiroshima Toyo Carp",
+ "Tokyo Yakult Swallows",
+ "Yokohama DeNA BayStars",
+ "Chiba Lotte Marines",
+ "Saitama Seibu Lions",
+ "Tohoku Rakuten Golden Eagles"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 147794,
+ "revid": 1184003919,
+ "title": "Nippon Professional Baseball",
+ "url": "https://en.wikipedia.org/wiki/Nippon_Professional_Baseball"
+ }
+ },
+ {
+ "id": "4999e44ba548c6d8",
+ "question": "What are the names of the mascot(s) for the Hiroshima Toyo Carp?",
+ "decomposition": [],
+ "answer": "Slyly",
+ "depends_on": [
+ "4fd627150cd06cdb"
+ ],
+ "evidence": {
+ "pageid": 30873845,
+ "revid": 1183615477,
+ "title": "Hiroshima Toyo Carp",
+ "url": "https://en.wikipedia.org/wiki/Hiroshima_Toyo_Carp"
+ }
+ },
+ {
+ "id": "b1acc176b9ca386c",
+ "question": "What are the names of the mascot(s) for the Tokyo Yakult Swallows?",
+ "decomposition": [],
+ "answer": "Tsubakuro, Tsubami, and Torkuya",
+ "depends_on": [
+ "4fd627150cd06cdb"
+ ],
+ "evidence": {
+ "pageid": 379649,
+ "revid": 1181052559,
+ "title": "Tokyo Yakult Swallows",
+ "url": "https://en.wikipedia.org/wiki/Tokyo_Yakult_Swallows"
+ }
+ },
+ {
+ "id": "de48f4e2712077c2",
+ "question": "What are the names of the mascot(s) for the Yokohama DeNA BayStars?",
+ "decomposition": [],
+ "answer": "DB.Starman and DB.Kirara",
+ "depends_on": [
+ "4fd627150cd06cdb"
+ ],
+ "evidence": {
+ "pageid": 922859,
+ "revid": 1184962310,
+ "title": "Yokohama DeNA BayStars",
+ "url": "https://en.wikipedia.org/wiki/Yokohama_DeNA_BayStars"
+ }
+ },
+ {
+ "id": "2ff394630f6bedfd",
+ "question": "What are the names of the mascot(s) for the Chiba Lotte Marines?",
+ "decomposition": [],
+ "answer": "Mar-kun, Rine-chan, and Zu-chan",
+ "depends_on": [
+ "4fd627150cd06cdb"
+ ],
+ "evidence": {
+ "pageid": 1132196,
+ "revid": 1185422782,
+ "title": "Chiba Lotte Marines",
+ "url": "https://en.wikipedia.org/wiki/Chiba_Lotte_Marines"
+ }
+ },
+ {
+ "id": "fcd60f7757feae65",
+ "question": "What are the names of the mascot(s) for the Saitama Seibu Lions?",
+ "decomposition": [],
+ "answer": "Leo and Lina",
+ "depends_on": [
+ "4fd627150cd06cdb"
+ ],
+ "evidence": {
+ "pageid": 496614,
+ "revid": 1185302426,
+ "title": "Saitama Seibu Lions",
+ "url": "https://en.wikipedia.org/wiki/Saitama_Seibu_Lions"
+ }
+ },
+ {
+ "id": "773a385ed0b6faf7",
+ "question": "What are the names of the mascot(s) for the Tohoku Rakuten Golden Eagles?",
+ "decomposition": [],
+ "answer": "Clutch, Clutchena, and Switch",
+ "depends_on": [
+ "4fd627150cd06cdb"
+ ],
+ "evidence": {
+ "pageid": 1160065,
+ "revid": 1184331039,
+ "title": "Tohoku Rakuten Golden Eagles",
+ "url": "https://en.wikipedia.org/wiki/Tohoku_Rakuten_Golden_Eagles"
+ }
+ }
+ ],
+ "answer": {
+ "Hiroshima Toyo Carp": "Slyly",
+ "Tokyo Yakult Swallows": "Tsubakuro, Tsubami, and Torkuya",
+ "Yokohama DeNA BayStars": "DB.Starman and DB.Kirara",
+ "Chiba Lotte Marines": "Mar-kun, Rine-chan, and Zu-chan",
+ "Saitama Seibu Lions": "Leo and Lina",
+ "Tohoku Rakuten Golden Eagles": "Clutch, Clutchena, and Switch"
+ },
+ "categories": [
+ "Sports",
+ "Japanese Culture"
+ ]
+ },
+ {
+ "id": "666fb288d06daeaa",
+ "question": "What were the top 5 most viewed Disney Channel episodes, and how many episodes did each of their corresponding shows have in total?",
+ "decomposition": [
+ {
+ "id": "7d828dbb732d1406",
+ "question": "What were the top 5 most viewed Disney Channel episodes, and what shows were they on?",
+ "decomposition": [],
+ "answer": {
+ "Country Cousins": "That's So Raven",
+ "Rollercoaster": "Phineas and Ferb",
+ "Me and Mr. Jonas and Mr. Jonas and Mr. Jonas": "Hannah Montana",
+ "Who Will Be the Family Wizard": "Wizards of Waverly Place",
+ "He Could Be The One": "Hannah Montana"
+ },
+ "depends_on": [],
+ "evidence": {
+ "pageid": 60567713,
+ "revid": 1180620484,
+ "title": "List of the most viewed Disney Channel original series episodes",
+ "url": "https://en.wikipedia.org/wiki/List_of_the_most_viewed_Disney_Channel_original_series_episodes"
+ }
+ },
+ {
+ "id": "1b72de5a556f2fc5",
+ "question": "How many total episodes were on 'That's So Raven'?",
+ "decomposition": [],
+ "answer": 100,
+ "depends_on": [
+ "7d828dbb732d1406"
+ ],
+ "evidence": {
+ "pageid": 494681,
+ "revid": 1185403287,
+ "title": "That's So Raven",
+ "url": "https://en.wikipedia.org/wiki/That%27s_So_Raven"
+ }
+ },
+ {
+ "id": "778cae1eebc84059",
+ "question": "How many total episodes were on 'Phineas and Ferb'?",
+ "decomposition": [],
+ "answer": 129,
+ "depends_on": [
+ "7d828dbb732d1406"
+ ],
+ "evidence": {
+ "pageid": 6018749,
+ "revid": 1185488255,
+ "title": "Phineas and Ferb",
+ "url": "https://en.wikipedia.org/wiki/Phineas_and_Ferb"
+ }
+ },
+ {
+ "id": "1fe59dffcb3681da",
+ "question": "How many total episodes were on 'Hannah Montana'?",
+ "decomposition": [],
+ "answer": 98,
+ "depends_on": [
+ "7d828dbb732d1406"
+ ],
+ "evidence": {
+ "pageid": 3744098,
+ "revid": 1182918603,
+ "title": "Hannah Montana",
+ "url": "https://en.wikipedia.org/wiki/Hannah_Montana"
+ }
+ },
+ {
+ "id": "7edf724ee92e85b6",
+ "question": "How many total episodes were on 'Wizards of Waverly Place'?",
+ "decomposition": [],
+ "answer": 106,
+ "depends_on": [
+ "7d828dbb732d1406"
+ ],
+ "evidence": {
+ "pageid": 9313589,
+ "revid": 1181398493,
+ "title": "Wizards of Waverly Place",
+ "url": "https://en.wikipedia.org/wiki/Wizards_of_Waverly_Place"
+ }
+ }
+ ],
+ "answer": {
+ "Country Cousins": 100,
+ "Rollercoaster": 129,
+ "Me and Mr. Jonas and Mr. Jonas and Mr. Jonas": 98,
+ "Who Will Be the Family Wizard": 106,
+ "He Could Be The One": 98
+ },
+ "categories": [
+ "Television",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "fbb8517ce418b23c",
+ "question": "Who are the protagonists of the top five Studio Ghibli movies with the highest Rotten Tomatoes ratings?",
+ "decomposition": [
+ {
+ "id": "bfb674a85b22d4f2",
+ "question": "What are the 5 Studio Ghibli movies with the highest Rotten Tomato Ratings?",
+ "decomposition": [],
+ "answer": [
+ "Grave of the Fireflies",
+ "Only Yesterday",
+ "The Tale of the Princess Kaguya",
+ "The Boy and the Heron",
+ "Kiki's Delivery Service"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 52487868,
+ "revid": 1182703016,
+ "title": "List of Studio Ghibli works",
+ "url": "https://en.wikipedia.org/wiki/List_of_Studio_Ghibli_works"
+ }
+ },
+ {
+ "id": "93888bd5e7531e93",
+ "question": "Who is the protagonist of Grave of the Fireflies?",
+ "decomposition": [],
+ "answer": "Seita Yokokawa",
+ "depends_on": [
+ "bfb674a85b22d4f2"
+ ],
+ "evidence": {
+ "pageid": 182164,
+ "revid": 1185867987,
+ "title": "Grave of the Fireflies",
+ "url": "https://en.wikipedia.org/wiki/Grave_of_the_Fireflies"
+ }
+ },
+ {
+ "id": "e0dc28190bba2b97",
+ "question": "Who is the protagonist of Only Yesterday?",
+ "decomposition": [],
+ "answer": "Taeko Okajima",
+ "depends_on": [
+ "bfb674a85b22d4f2"
+ ],
+ "evidence": {
+ "pageid": 637870,
+ "revid": 1182703526,
+ "title": "Only Yesterday (1991 film)",
+ "url": "https://en.wikipedia.org/wiki/Only_Yesterday_(1991_film)"
+ }
+ },
+ {
+ "id": "f2de08e5232a5b39",
+ "question": "Who is the protagonist of The Tale of the Princess Kaguya?",
+ "decomposition": [],
+ "answer": "Princess Kaguya",
+ "depends_on": [
+ "bfb674a85b22d4f2"
+ ],
+ "evidence": {
+ "pageid": 37471874,
+ "revid": 1185683531,
+ "title": "The Tale of the Princess Kaguya (film)",
+ "url": "https://en.wikipedia.org/wiki/The_Tale_of_the_Princess_Kaguya_(film)"
+ }
+ },
+ {
+ "id": "5e68225264f665a1",
+ "question": "Who is the protagonist of The Boy and the Heron?",
+ "decomposition": [],
+ "answer": "Mahito Maki",
+ "depends_on": [
+ "bfb674a85b22d4f2"
+ ],
+ "evidence": {
+ "pageid": 56741338,
+ "revid": 1185599305,
+ "title": "The Boy and the Heron",
+ "url": "https://en.wikipedia.org/wiki/The_Boy_and_the_Heron"
+ }
+ },
+ {
+ "id": "9984683bc6c03de1",
+ "question": "Who is the protagonist of Kiki's Delivery Service?",
+ "decomposition": [],
+ "answer": "Kiki",
+ "depends_on": [
+ "bfb674a85b22d4f2"
+ ],
+ "evidence": {
+ "pageid": 490623,
+ "revid": 1183395371,
+ "title": "Kiki's Delivery Service",
+ "url": "https://en.wikipedia.org/wiki/Kiki%27s_Delivery_Service"
+ }
+ }
+ ],
+ "answer": {
+ "Grave of the Fireflies": "Seita Yokokawa",
+ "Only Yesterday": "Taeko Okajima",
+ "The Tale of the Princess Kaguya": "Princess Kaguya",
+ "The Boy and the Heron": "Mahito Maki",
+ "Kiki's Delivery Service": "Kiki"
+ },
+ "categories": [
+ "Film Studies",
+ "Japanese Culture"
+ ]
+ },
+ {
+ "id": "0e2a0d84c9818342",
+ "question": "Who are the Nobel laureates in Physiology or Medicine awarded after 2020, and in which countries were they born?",
+ "decomposition": [
+ {
+ "id": "3a2b943695ee4da0",
+ "question": "Who are the recipients of Noble Prize in Physiology or Medicine awarded after 2020?",
+ "decomposition": [],
+ "answer": [
+ "David Julius",
+ "Ardem Patapoutian",
+ "Svante P\u00e4\u00e4bo",
+ "Katalin Karik\u00f3",
+ "Drew Weissman"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21140,
+ "revid": 1185255471,
+ "title": "Noble gas",
+ "url": "https://en.wikipedia.org/wiki/Noble_gas"
+ }
+ },
+ {
+ "id": "9b047e211cb8e1a1",
+ "question": "Which country was David Julius born in?",
+ "decomposition": [],
+ "answer": "U.S.A",
+ "depends_on": [
+ "3a2b943695ee4da0"
+ ],
+ "evidence": {
+ "pageid": 31954213,
+ "revid": 1183674093,
+ "title": "David Julius",
+ "url": "https://en.wikipedia.org/wiki/David_Julius"
+ }
+ },
+ {
+ "id": "168ff1ebfa5d8083",
+ "question": "Which country was Ardem Patapoutian born in?",
+ "decomposition": [],
+ "answer": "Lebanon",
+ "depends_on": [
+ "3a2b943695ee4da0"
+ ],
+ "evidence": {
+ "pageid": 66553329,
+ "revid": 1184755955,
+ "title": "Ardem Patapoutian",
+ "url": "https://en.wikipedia.org/wiki/Ardem_Patapoutian"
+ }
+ },
+ {
+ "id": "b47c25d4932b4bcd",
+ "question": "Which country was Svante P\u00e4\u00e4bo born in?",
+ "decomposition": [],
+ "answer": "Sweden",
+ "depends_on": [
+ "3a2b943695ee4da0"
+ ],
+ "evidence": {
+ "pageid": 73016,
+ "revid": 1184754677,
+ "title": "Svante P\u00e4\u00e4bo",
+ "url": "https://en.wikipedia.org/wiki/Svante_P%C3%A4%C3%A4bo"
+ }
+ },
+ {
+ "id": "45b490f6741d7c1f",
+ "question": "Which country was Katalin Karik\u00f3 born in?",
+ "decomposition": [],
+ "answer": "Hungary",
+ "depends_on": [
+ "3a2b943695ee4da0"
+ ],
+ "evidence": {
+ "pageid": 63780788,
+ "revid": 1185392745,
+ "title": "Katalin Karik\u00f3",
+ "url": "https://en.wikipedia.org/wiki/Katalin_Karik%C3%B3"
+ }
+ },
+ {
+ "id": "f02c915c610789eb",
+ "question": "Which country was Drew Weissman born in?",
+ "decomposition": [],
+ "answer": "U.S.A",
+ "depends_on": [
+ "3a2b943695ee4da0"
+ ],
+ "evidence": {
+ "pageid": 66320318,
+ "revid": 1185393239,
+ "title": "Drew Weissman",
+ "url": "https://en.wikipedia.org/wiki/Drew_Weissman"
+ }
+ }
+ ],
+ "answer": {
+ "David Julius": "U.S.A",
+ "Ardem Patapoutian": "Lebanon",
+ "Svante P\u00e4\u00e4bo": "Sweden",
+ "Katalin Karik\u00f3": "Hungary",
+ "Drew Weissman": "U.S.A"
+ },
+ "categories": [
+ "History",
+ "Medicine"
+ ]
+ },
+ {
+ "id": "ae1c3cec94b75e55",
+ "question": "How old is each of the main cast members of the TV series Girls?",
+ "decomposition": [
+ {
+ "id": "a624cae2c9e43b78",
+ "question": "Who are the main cast members of the TV series Girls?",
+ "decomposition": [],
+ "answer": [
+ "Lena Dunham",
+ "Allison Williams",
+ "Jemima Kirke",
+ "Zosia Mamet",
+ "Adam Driver",
+ "Alex Karpovsky",
+ "Andrew Rannells",
+ "Ebon Moss-Bachrach",
+ "Jake Lacy"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 34195752,
+ "revid": 1185815437,
+ "title": "Girls (TV series)",
+ "url": "https://en.wikipedia.org/wiki/Girls_(TV_series)"
+ }
+ },
+ {
+ "id": "0a8c72411f61c678",
+ "question": "How old is Lena Dunham?",
+ "decomposition": [],
+ "answer": 37,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 30789098,
+ "revid": 1183905309,
+ "title": "Lena Dunham",
+ "url": "https://en.wikipedia.org/wiki/Lena_Dunham"
+ }
+ },
+ {
+ "id": "fdc458b7adfeaab1",
+ "question": "How old is Allison Williams?",
+ "decomposition": [],
+ "answer": 35,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 34210265,
+ "revid": 1184480648,
+ "title": "Allison Williams (actress)",
+ "url": "https://en.wikipedia.org/wiki/Allison_Williams_(actress)"
+ }
+ },
+ {
+ "id": "4d4053bdafa46917",
+ "question": "How old is Jemima Kirke?",
+ "decomposition": [],
+ "answer": 38,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 35670709,
+ "revid": 1185149704,
+ "title": "Jemima Kirke",
+ "url": "https://en.wikipedia.org/wiki/Jemima_Kirke"
+ }
+ },
+ {
+ "id": "9e0eaa26920329d4",
+ "question": "How old is Zosia Mamet?",
+ "decomposition": [],
+ "answer": 35,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 35571637,
+ "revid": 1182374094,
+ "title": "Zosia Mamet",
+ "url": "https://en.wikipedia.org/wiki/Zosia_Mamet"
+ }
+ },
+ {
+ "id": "faf69259396da119",
+ "question": "How old is Adam Driver?",
+ "decomposition": [],
+ "answer": 40,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 36044408,
+ "revid": 1185331002,
+ "title": "Adam Driver",
+ "url": "https://en.wikipedia.org/wiki/Adam_Driver"
+ }
+ },
+ {
+ "id": "154fd9a26d1c14af",
+ "question": "How old is Alex Karpovsky?",
+ "decomposition": [],
+ "answer": 48,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 25325069,
+ "revid": 1169703151,
+ "title": "Alex Karpovsky",
+ "url": "https://en.wikipedia.org/wiki/Alex_Karpovsky"
+ }
+ },
+ {
+ "id": "18472e883b2b1a68",
+ "question": "How old is Andrew Rannells?",
+ "decomposition": [],
+ "answer": 45,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 5304994,
+ "revid": 1185658924,
+ "title": "Andrew Rannells",
+ "url": "https://en.wikipedia.org/wiki/Andrew_Rannells"
+ }
+ },
+ {
+ "id": "1a1ff7fa8a0cb273",
+ "question": "How old is Ebon Moss-Barach?",
+ "decomposition": [],
+ "answer": 46,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 17096179,
+ "revid": 1185277475,
+ "title": "Ebon Moss-Bachrach",
+ "url": "https://en.wikipedia.org/wiki/Ebon_Moss-Bachrach"
+ }
+ },
+ {
+ "id": "95253b8fe0b13c7c",
+ "question": "How old is Jake Lacy?",
+ "decomposition": [],
+ "answer": 38,
+ "depends_on": [
+ "a624cae2c9e43b78"
+ ],
+ "evidence": {
+ "pageid": 29929658,
+ "revid": 1181421233,
+ "title": "Jake Lacy",
+ "url": "https://en.wikipedia.org/wiki/Jake_Lacy"
+ }
+ }
+ ],
+ "answer": {
+ "Lena Dunham": 37,
+ "Allison Williams": 35,
+ "Jemima Kirke": 38,
+ "Zosia Mamet": 35,
+ "Adam Driver": 40,
+ "Alex Karpovsky": 48,
+ "Andrew Rannells": 45,
+ "Ebon Moss-Barach": 46,
+ "Jake Lacy": 38
+ },
+ "categories": [
+ "Television",
+ "Culture"
+ ]
+ },
+ {
+ "id": "c4676215130c46c1",
+ "question": "Who are the current leaders of the 5 countries that currently have the highest GDP in the world?",
+ "decomposition": [
+ {
+ "id": "76198436f91a4104",
+ "question": "What are the 5 countries that currently have the highest GDP in the world?",
+ "decomposition": [],
+ "answer": [
+ "United States",
+ "China",
+ "Germany",
+ "Japan",
+ "India"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 380845,
+ "revid": 1185842191,
+ "title": "List of countries by GDP (nominal)",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_GDP_(nominal)"
+ }
+ },
+ {
+ "id": "67bce840cd84debf",
+ "question": "Who is the current leader of the United States?",
+ "decomposition": [],
+ "answer": "Joe Biden",
+ "depends_on": [
+ "76198436f91a4104"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "d31c6e415c58944b",
+ "question": "Who is the current leader of the China?",
+ "decomposition": [],
+ "answer": "Xi Jinping",
+ "depends_on": [
+ "76198436f91a4104"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "5534515077e57fbb",
+ "question": "Who is the current leader of the Germany?",
+ "decomposition": [],
+ "answer": "Frank-Walter Steinmeier",
+ "depends_on": [
+ "76198436f91a4104"
+ ],
+ "evidence": {
+ "pageid": 11867,
+ "revid": 1185869364,
+ "title": "Germany",
+ "url": "https://en.wikipedia.org/wiki/Germany"
+ }
+ },
+ {
+ "id": "5472f30605995dcd",
+ "question": "Who is the current leader of the Japan?",
+ "decomposition": [],
+ "answer": "Naruhito",
+ "depends_on": [
+ "76198436f91a4104"
+ ],
+ "evidence": {
+ "pageid": 15573,
+ "revid": 1185720931,
+ "title": "Japan",
+ "url": "https://en.wikipedia.org/wiki/Japan"
+ }
+ },
+ {
+ "id": "b8363f676aa539dc",
+ "question": "Who is the current leader of the India?",
+ "decomposition": [],
+ "answer": "Droupadi Murmu",
+ "depends_on": [
+ "76198436f91a4104"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ }
+ ],
+ "answer": {
+ "United States": "Joe Biden",
+ "China": "Xi Jinping",
+ "Germany": "Frank-Walter Steinmeier",
+ "Japan": "Naruhito",
+ "India": "Droupadi Murmu"
+ },
+ "categories": [
+ "Economics",
+ "Political Science"
+ ]
+ },
+ {
+ "id": "ba8062d8a6a81d72",
+ "question": "What are the Gini coefficients of the five largest countries by landmass in Asia?",
+ "decomposition": [
+ {
+ "id": "d00e9bd1ebfef7a7",
+ "question": "What are the 5 largest countries by landmass in Asia?",
+ "decomposition": [],
+ "answer": [
+ "Russia",
+ "China",
+ "India",
+ "Kazakhastan",
+ "Saudi Arabia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 47659173,
+ "revid": 1183148166,
+ "title": "List of Asian countries by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_Asian_countries_by_area"
+ }
+ },
+ {
+ "id": "58640981b284b6b5",
+ "question": "What is the Gini in Russia?",
+ "decomposition": [],
+ "answer": 36.0,
+ "depends_on": [
+ "d00e9bd1ebfef7a7"
+ ],
+ "evidence": {
+ "pageid": 25391,
+ "revid": 1185169928,
+ "title": "Russia",
+ "url": "https://en.wikipedia.org/wiki/Russia"
+ }
+ },
+ {
+ "id": "36538afada2da111",
+ "question": "What is the Gini in China?",
+ "decomposition": [],
+ "answer": 38.2,
+ "depends_on": [
+ "d00e9bd1ebfef7a7"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "96c51cce2efb2d17",
+ "question": "What is the Gini in India?",
+ "decomposition": [],
+ "answer": 35.7,
+ "depends_on": [
+ "d00e9bd1ebfef7a7"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ },
+ {
+ "id": "57efba443edd4aff",
+ "question": "What is the Gini in Kazakhastan?",
+ "decomposition": [],
+ "answer": 27.8,
+ "depends_on": [
+ "d00e9bd1ebfef7a7"
+ ],
+ "evidence": {
+ "pageid": 16642,
+ "revid": 1185581474,
+ "title": "Kazakhstan",
+ "url": "https://en.wikipedia.org/wiki/Kazakhstan"
+ }
+ },
+ {
+ "id": "92ae0a322791f15b",
+ "question": "What is the Gini in Saudi Arabia?",
+ "decomposition": [],
+ "answer": 45.9,
+ "depends_on": [
+ "d00e9bd1ebfef7a7"
+ ],
+ "evidence": {
+ "pageid": 349303,
+ "revid": 1185594377,
+ "title": "Saudi Arabia",
+ "url": "https://en.wikipedia.org/wiki/Saudi_Arabia"
+ }
+ }
+ ],
+ "answer": {
+ "Russia": 36.0,
+ "China": 38.2,
+ "India": 35.7,
+ "Kazakhastan": 27.8,
+ "Saudi Arabia": 45.9
+ },
+ "categories": [
+ "Economics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "dca05c88d9a39886",
+ "question": "Who are the members of Blackpink and where were they born?",
+ "decomposition": [
+ {
+ "id": "475f5c4735ff8bb9",
+ "question": "Who are the members of Blackpink?",
+ "decomposition": [],
+ "answer": [
+ "Jisoo",
+ "Jennie",
+ "Ros\u00e9",
+ "Lisa"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 50949525,
+ "revid": 1185945194,
+ "title": "Blackpink",
+ "url": "https://en.wikipedia.org/wiki/Blackpink"
+ }
+ },
+ {
+ "id": "d0dec94a105dbf97",
+ "question": "What is Jisoo's birth place?",
+ "decomposition": [],
+ "answer": "Gunpo, Gyeonggi, South Korea",
+ "depends_on": [
+ "475f5c4735ff8bb9"
+ ],
+ "evidence": {
+ "pageid": 60551819,
+ "revid": 1185568019,
+ "title": "Jisoo",
+ "url": "https://en.wikipedia.org/wiki/Jisoo"
+ }
+ },
+ {
+ "id": "8b25a6081e07acbf",
+ "question": "What is Jennie's birth place?",
+ "decomposition": [],
+ "answer": "Seoul, South Korea",
+ "depends_on": [
+ "475f5c4735ff8bb9"
+ ],
+ "evidence": {
+ "pageid": 57227688,
+ "revid": 1185589826,
+ "title": "Jennie (singer)",
+ "url": "https://en.wikipedia.org/wiki/Jennie_(singer)"
+ }
+ },
+ {
+ "id": "d51daafacd2edbc0",
+ "question": "What is Ros\u00e9's birth place?",
+ "decomposition": [],
+ "answer": "Auckland, New Zealand",
+ "depends_on": [
+ "475f5c4735ff8bb9"
+ ],
+ "evidence": {
+ "pageid": 58509537,
+ "revid": 1185590837,
+ "title": "Ros\u00e9 (singer)",
+ "url": "https://en.wikipedia.org/wiki/Ros%C3%A9_(singer)"
+ }
+ },
+ {
+ "id": "f2854070a67ee24c",
+ "question": "What is Lisa's birth place?",
+ "decomposition": [],
+ "answer": "Buriram, Thailand",
+ "depends_on": [
+ "475f5c4735ff8bb9"
+ ],
+ "evidence": {
+ "pageid": 59226766,
+ "revid": 1185631909,
+ "title": "Lisa (rapper)",
+ "url": "https://en.wikipedia.org/wiki/Lisa_(rapper)"
+ }
+ }
+ ],
+ "answer": {
+ "Jisoo": "Gunpo, Gyeonggi, South Korea",
+ "Jennie": "Seoul, South Korea",
+ "Ros\u00e9": "Auckland, New Zealand",
+ "Lisa": "Buriram, Thailand"
+ },
+ "categories": [
+ "Music",
+ "Culture"
+ ]
+ },
+ {
+ "id": "f2dd8689828346c0",
+ "question": "Who were the top scorers of the 2022 FIFA World Cup and which teams do they play for?",
+ "decomposition": [
+ {
+ "id": "bc711b7f7a2b9929",
+ "question": "Who were the top scorers of 2022 FIFA WORLD CUP?",
+ "decomposition": [],
+ "answer": [
+ "Kylian Mbappe",
+ "Linoel Messi",
+ "Julian Alvarez",
+ "Olivier Giroud",
+ "Richarlison"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17742072,
+ "revid": 1185891873,
+ "title": "2022 FIFA World Cup",
+ "url": "https://en.wikipedia.org/wiki/2022_FIFA_World_Cup#Statistics"
+ }
+ },
+ {
+ "id": "970dede30d33e5f9",
+ "question": "What country does Kylian Mbappe play for?",
+ "decomposition": [],
+ "answer": "Paris Saint-Germain",
+ "depends_on": [
+ "bc711b7f7a2b9929"
+ ],
+ "evidence": {
+ "pageid": 48711857,
+ "revid": 1185903334,
+ "title": "Kylian Mbapp\u00e9",
+ "url": "https://en.wikipedia.org/wiki/Kylian_Mbapp%C3%A9"
+ }
+ },
+ {
+ "id": "9589c450d831f7f0",
+ "question": "What country does Linoel Messi play for?",
+ "decomposition": [],
+ "answer": "Inter Miami",
+ "depends_on": [
+ "bc711b7f7a2b9929"
+ ],
+ "evidence": {
+ "pageid": 2150841,
+ "revid": 1185609783,
+ "title": "Lionel Messi",
+ "url": "https://en.wikipedia.org/wiki/Lionel_Messi"
+ }
+ },
+ {
+ "id": "177979487c2e8900",
+ "question": "What country does Julian Alvarez play for?",
+ "decomposition": [],
+ "answer": "Manchester City",
+ "depends_on": [
+ "bc711b7f7a2b9929"
+ ],
+ "evidence": {
+ "pageid": 58930059,
+ "revid": 1184965352,
+ "title": "Juli\u00e1n \u00c1lvarez",
+ "url": "https://en.wikipedia.org/wiki/Juli%C3%A1n_%C3%81lvarez"
+ }
+ },
+ {
+ "id": "65a238c2a8b50b69",
+ "question": "What country does Olivier Giroud play for?",
+ "decomposition": [],
+ "answer": "AC Milan",
+ "depends_on": [
+ "bc711b7f7a2b9929"
+ ],
+ "evidence": {
+ "pageid": 24748284,
+ "revid": 1185763161,
+ "title": "Olivier Giroud",
+ "url": "https://en.wikipedia.org/wiki/Olivier_Giroud"
+ }
+ },
+ {
+ "id": "750b1d82d9b8b4ca",
+ "question": "What country does Richarlison play for?",
+ "decomposition": [],
+ "answer": "Tottenham Hotspur",
+ "depends_on": [
+ "bc711b7f7a2b9929"
+ ],
+ "evidence": {
+ "pageid": 47469008,
+ "revid": 1184614148,
+ "title": "Richarlison",
+ "url": "https://en.wikipedia.org/wiki/Richarlison"
+ }
+ }
+ ],
+ "answer": {
+ "Kylian Mbappe": "Paris Saint-Germain",
+ "Linoel Messi": "Inter Miami",
+ "Julian Alvarez": "Manchester City",
+ "Olivier Giroud": "AC Milan",
+ "Richarlison": "Tottenham Hotspur"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "552c8e5b3b63159e",
+ "question": "What are the top 5 highest-grossing films and who directed them?",
+ "decomposition": [
+ {
+ "id": "4794e269697b65af",
+ "question": "What are the top 5 grossing films?",
+ "decomposition": [],
+ "answer": [
+ "Avatar",
+ "Avengers: Endgame",
+ "Avatar: The Way of Water",
+ "Titanic",
+ "Star Wars: The Force Awakens"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59892,
+ "revid": 1185890055,
+ "title": "List of highest-grossing films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_films"
+ }
+ },
+ {
+ "id": "14a07acf1e9bcbce",
+ "question": "Who directed Avatar?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "4794e269697b65af"
+ ],
+ "evidence": {
+ "pageid": 4273140,
+ "revid": 1185356274,
+ "title": "Avatar (2009 film)",
+ "url": "https://en.wikipedia.org/wiki/Avatar_(2009_film)"
+ }
+ },
+ {
+ "id": "8ee696ba3662e7c4",
+ "question": "Who directed Avengers: Endgame?",
+ "decomposition": [],
+ "answer": "The Russo brothers",
+ "depends_on": [
+ "4794e269697b65af"
+ ],
+ "evidence": {
+ "pageid": 44254295,
+ "revid": 1185724642,
+ "title": "Avengers: Endgame",
+ "url": "https://en.wikipedia.org/wiki/Avengers:_Endgame"
+ }
+ },
+ {
+ "id": "e13e4e9e96dfe17d",
+ "question": "Who directed Avatar: The Way of Water?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "4794e269697b65af"
+ ],
+ "evidence": {
+ "pageid": 25813358,
+ "revid": 1185376874,
+ "title": "Avatar: The Way of Water",
+ "url": "https://en.wikipedia.org/wiki/Avatar:_The_Way_of_Water"
+ }
+ },
+ {
+ "id": "0df15b6c07c35390",
+ "question": "Who directed Titanic?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "4794e269697b65af"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "71f90d797ae157a2",
+ "question": "Who directed Star Wars: The Force Awakens?",
+ "decomposition": [],
+ "answer": "J. J. Abrams",
+ "depends_on": [
+ "4794e269697b65af"
+ ],
+ "evidence": {
+ "pageid": 14723194,
+ "revid": 1185889585,
+ "title": "Star Wars: The Force Awakens",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Force_Awakens"
+ }
+ }
+ ],
+ "answer": {
+ "Avatar": "James Cameron",
+ "Avengers: Endgame": "The Russo brothers",
+ "Avatar: The Way of Water": "James Cameron",
+ "Titanic": "James Cameron",
+ "Star Wars: The Force Awakens": "J. J. Abrams"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "e082a9732cc2a366",
+ "question": "What are the 4 most expensive elements and in what years were they discovered?",
+ "decomposition": [
+ {
+ "id": "ae6b243edbd9cdce",
+ "question": "What are the 4 most expensive elements??",
+ "decomposition": [],
+ "answer": "Polonium, Actinium, Technetium, Berkelium",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 13772012,
+ "revid": 1169941851,
+ "title": "Prices of chemical elements",
+ "url": "https://en.wikipedia.org/wiki/Prices_of_chemical_elements"
+ }
+ },
+ {
+ "id": "d38fe3a6db56e486",
+ "question": "When was Polonium discovered?",
+ "decomposition": [],
+ "answer": 1898,
+ "depends_on": [
+ "ae6b243edbd9cdce"
+ ],
+ "evidence": {
+ "pageid": 23325,
+ "revid": 1185870315,
+ "title": "Polonium",
+ "url": "https://en.wikipedia.org/wiki/Polonium"
+ }
+ },
+ {
+ "id": "6f4451019532cd56",
+ "question": "When was Actinium discovered?",
+ "decomposition": [],
+ "answer": 1902,
+ "depends_on": [
+ "ae6b243edbd9cdce"
+ ],
+ "evidence": {
+ "pageid": 899,
+ "revid": 1185604928,
+ "title": "Actinium",
+ "url": "https://en.wikipedia.org/wiki/Actinium"
+ }
+ },
+ {
+ "id": "2f781817a693bf28",
+ "question": "When was Technetium discovered?",
+ "decomposition": [],
+ "answer": 1937,
+ "depends_on": [
+ "ae6b243edbd9cdce"
+ ],
+ "evidence": {
+ "pageid": 30041,
+ "revid": 1185887319,
+ "title": "Technetium",
+ "url": "https://en.wikipedia.org/wiki/Technetium"
+ }
+ },
+ {
+ "id": "6e0a32182fbb9ad9",
+ "question": "When was Berkelium discovered?",
+ "decomposition": [],
+ "answer": 1949,
+ "depends_on": [
+ "ae6b243edbd9cdce"
+ ],
+ "evidence": {
+ "pageid": 3758,
+ "revid": 1185605369,
+ "title": "Berkelium",
+ "url": "https://en.wikipedia.org/wiki/Berkelium"
+ }
+ }
+ ],
+ "answer": {
+ "Polonium": 1898,
+ "Actinium": 1902,
+ "Technetium": 1937,
+ "Berkelium": 1949
+ },
+ "categories": [
+ "Chemistry",
+ "History"
+ ]
+ },
+ {
+ "id": "00065f204bddb94d",
+ "question": "What are the years of birth of the authors of the top 5 best-selling books?",
+ "decomposition": [
+ {
+ "id": "19ca424405179b56",
+ "question": "What are the top 5 best-selling books?",
+ "decomposition": [],
+ "answer": [
+ "And Then There Were None",
+ "The Little Prince",
+ "Harry Potter and the Philosopher's Stone",
+ "The Hobbit",
+ "Dream of the Red Chamber"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2512935,
+ "revid": 1185584200,
+ "title": "List of best-selling books",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_books"
+ }
+ },
+ {
+ "id": "19ba6ff9945fa2d2",
+ "question": "Who is the author of 'And Then There Were None' and what is their date of birth?",
+ "decomposition": [],
+ "answer": [
+ "Agatha Christie",
+ "15 September 1890"
+ ],
+ "depends_on": [
+ "19ca424405179b56"
+ ],
+ "evidence": {
+ "pageid": 984,
+ "revid": 1184968491,
+ "title": "Agatha Christie",
+ "url": "https://en.wikipedia.org/wiki/Agatha_Christie"
+ }
+ },
+ {
+ "id": "e84855ac34a0261a",
+ "question": "Who is the author of 'The Little Prince' and what is their date of birth?",
+ "decomposition": [],
+ "answer": [
+ "Antoine de Saint-Exup\u00e9ry",
+ "29 June 1900"
+ ],
+ "depends_on": [
+ "19ca424405179b56"
+ ],
+ "evidence": {
+ "pageid": 63174,
+ "revid": 1185733504,
+ "title": "Antoine de Saint-Exup\u00e9ry",
+ "url": "https://en.wikipedia.org/wiki/Antoine_de_Saint-Exup%C3%A9ry"
+ }
+ },
+ {
+ "id": "76040667e388aa91",
+ "question": "Who is the author of 'Harry Potter and the Philosopher's Stone' and what is their date of birth?",
+ "decomposition": [],
+ "answer": [
+ "J. K. Rowling",
+ "31 July 1965"
+ ],
+ "depends_on": [
+ "19ca424405179b56"
+ ],
+ "evidence": {
+ "pageid": 48648,
+ "revid": 1185894856,
+ "title": "Harry Potter and the Philosopher's Stone",
+ "url": "https://en.wikipedia.org/wiki/Harry_Potter_and_the_Philosopher%27s_Stone"
+ }
+ },
+ {
+ "id": "97811a34f9340ab2",
+ "question": "Who is the author of 'The Hobbit' and what is their date of birth?",
+ "decomposition": [],
+ "answer": [
+ "J. R. R. Tolkien",
+ "3 January 1892"
+ ],
+ "depends_on": [
+ "19ca424405179b56"
+ ],
+ "evidence": {
+ "pageid": 15872,
+ "revid": 1185567223,
+ "title": "J. R. R. Tolkien",
+ "url": "https://en.wikipedia.org/wiki/J._R._R._Tolkien"
+ }
+ },
+ {
+ "id": "e96a0360531e9f99",
+ "question": "Who is the author of 'Dream of the Red Chamber' and what is their date of birth?",
+ "decomposition": [],
+ "answer": [
+ "Cao Xueqin",
+ "4 April 1710"
+ ],
+ "depends_on": [
+ "19ca424405179b56"
+ ],
+ "evidence": {
+ "pageid": 295094,
+ "revid": 1176581520,
+ "title": "Cao Xueqin",
+ "url": "https://en.wikipedia.org/wiki/Cao_Xueqin"
+ }
+ }
+ ],
+ "answer": {
+ "Agatha Christie": "1890",
+ "Antoine de Saint-Exup\u00e9ry": "1900",
+ "J. K. Rowling": "1965",
+ "J. R. R. Tolkien": "1892",
+ "Cao Xueqin": "1710"
+ },
+ "categories": [
+ "Literature",
+ "History"
+ ]
+ },
+ {
+ "id": "3118a657689d83a5",
+ "question": "Find the all-time top goal scorers for the five most successful football clubs in the English Premier League.",
+ "decomposition": [
+ {
+ "id": "fcb599f4d503ddb2",
+ "question": "Which are the five most successful football clubs in the English Premier League?",
+ "decomposition": [],
+ "answer": [
+ "Manchester United",
+ "Liverpool",
+ "Arsenal",
+ "Chelsea",
+ "Manchester City"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11250,
+ "revid": 1184921779,
+ "title": "Premier League",
+ "url": "https://en.wikipedia.org/wiki/Premier_League"
+ }
+ },
+ {
+ "id": "c6a5a61935b54e24",
+ "question": "Who is the all-time top goal scorer for Manchester United?",
+ "decomposition": [],
+ "answer": "Wayne Rooney",
+ "depends_on": [
+ "fcb599f4d503ddb2"
+ ],
+ "evidence": {
+ "pageid": 19961,
+ "revid": 1185557328,
+ "title": "Manchester United F.C.",
+ "url": "https://en.wikipedia.org/wiki/Manchester_United_F.C."
+ }
+ },
+ {
+ "id": "9f8fa8ae33959245",
+ "question": "Who is the all-time top goal scorer for Liverpool?",
+ "decomposition": [],
+ "answer": "Ian Rush",
+ "depends_on": [
+ "fcb599f4d503ddb2"
+ ],
+ "evidence": {
+ "pageid": 18119,
+ "revid": 1184583361,
+ "title": "Liverpool F.C.",
+ "url": "https://en.wikipedia.org/wiki/Liverpool_F.C."
+ }
+ },
+ {
+ "id": "11e7b2fe21128ab1",
+ "question": "Who is the all-time top goal scorer for Arsenal?",
+ "decomposition": [],
+ "answer": "Thierry Henry",
+ "depends_on": [
+ "fcb599f4d503ddb2"
+ ],
+ "evidence": {
+ "pageid": 2174,
+ "revid": 1184693991,
+ "title": "Arsenal F.C.",
+ "url": "https://en.wikipedia.org/wiki/Arsenal_F.C."
+ }
+ },
+ {
+ "id": "c490adb618feedc2",
+ "question": "Who is the all-time top goal scorer for Chelsea?",
+ "decomposition": [],
+ "answer": "Frank Lampard",
+ "depends_on": [
+ "fcb599f4d503ddb2"
+ ],
+ "evidence": {
+ "pageid": 7473,
+ "revid": 1184767711,
+ "title": "Chelsea F.C.",
+ "url": "https://en.wikipedia.org/wiki/Chelsea_F.C."
+ }
+ },
+ {
+ "id": "9872c75b3dbf8ce1",
+ "question": "Who is the all-time top goal scorer for Manchester City?",
+ "decomposition": [],
+ "answer": "Sergio Ag\u00fcero",
+ "depends_on": [
+ "fcb599f4d503ddb2"
+ ],
+ "evidence": {
+ "pageid": 165813,
+ "revid": 1185536314,
+ "title": "Manchester City F.C.",
+ "url": "https://en.wikipedia.org/wiki/Manchester_City_F.C."
+ }
+ }
+ ],
+ "answer": {
+ "Manchester United": "Wayne Rooney",
+ "Liverpool": "Ian Rush",
+ "Arsenal": "Thierry Henry",
+ "Chelsea": "Frank Lampard",
+ "Manchester City": "Sergio Ag\u00fcero"
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "723f3438d520f693",
+ "question": "What were the top 5 songs on Billboard's Year-End Hot 100 singles of 2005, and who were their first-listed songwriters?",
+ "decomposition": [
+ {
+ "id": "7dbb8c791323b700",
+ "question": "What were the top 5 sonds on Billboard's Year-End Hot 100 singles of 2005?",
+ "decomposition": [],
+ "answer": [
+ "We Belong Together",
+ "Hollaback Girl",
+ "Let Me Love You",
+ "Since U Been Gone",
+ "1, 2 Step"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 8659357,
+ "revid": 1178629352,
+ "title": "Billboard Year-End Hot 100 singles of 2005",
+ "url": "https://en.wikipedia.org/wiki/Billboard_Year-End_Hot_100_singles_of_2005"
+ }
+ },
+ {
+ "id": "8a9d9679fd8bc2b1",
+ "question": "Who was the first-listed songwriter for We Belong Together?",
+ "decomposition": [],
+ "answer": "Mariah Carey",
+ "depends_on": [
+ "7dbb8c791323b700"
+ ],
+ "evidence": {
+ "pageid": 1585920,
+ "revid": 1185750121,
+ "title": "We Belong Together",
+ "url": "https://en.wikipedia.org/wiki/We_Belong_Together"
+ }
+ },
+ {
+ "id": "7d25359087301448",
+ "question": "Who was the first-listed songwriter for Hollaback Girl?",
+ "decomposition": [],
+ "answer": "Gwen Stefani",
+ "depends_on": [
+ "7dbb8c791323b700"
+ ],
+ "evidence": {
+ "pageid": 1811903,
+ "revid": 1184211711,
+ "title": "Hollaback Girl",
+ "url": "https://en.wikipedia.org/wiki/Hollaback_Girl"
+ }
+ },
+ {
+ "id": "6a8c525c762ddfaf",
+ "question": "Who was the first-listed songwriter for Let Me Love You?",
+ "decomposition": [],
+ "answer": "Scott Storch",
+ "depends_on": [
+ "7dbb8c791323b700"
+ ],
+ "evidence": {
+ "pageid": 1826056,
+ "revid": 1184917792,
+ "title": "Let Me Love You (Mario song)",
+ "url": "https://en.wikipedia.org/wiki/Let_Me_Love_You_(Mario_song)"
+ }
+ },
+ {
+ "id": "f20f0b70287d818e",
+ "question": "Who was the first-listed songwriter for Since U Been Gone?",
+ "decomposition": [],
+ "answer": "Max Martin",
+ "depends_on": [
+ "7dbb8c791323b700"
+ ],
+ "evidence": {
+ "pageid": 1648383,
+ "revid": 1184979867,
+ "title": "Since U Been Gone",
+ "url": "https://en.wikipedia.org/wiki/Since_U_Been_Gone"
+ }
+ },
+ {
+ "id": "4020afd2d86a8ea3",
+ "question": "Who was the first-listed songwriter for 1, 2 Step?",
+ "decomposition": [],
+ "answer": "Ciara Harris",
+ "depends_on": [
+ "7dbb8c791323b700"
+ ],
+ "evidence": {
+ "pageid": 1809816,
+ "revid": 1183348567,
+ "title": "1, 2 Step",
+ "url": "https://en.wikipedia.org/wiki/1,_2_Step"
+ }
+ }
+ ],
+ "answer": {
+ "We Belong Together": "Mariah Carey",
+ "Hollaback Girl": "Gwen Stefani",
+ "Let Me Love You": "Scott Storch",
+ "Since U Been Gone": "Max Martin",
+ "1, 2 Step": "Ciara Harris"
+ },
+ "categories": [
+ "Music",
+ "Culture"
+ ]
+ },
+ {
+ "id": "16407610512d6677",
+ "question": "In what year did the CEOs of each of the top 5 global companies by revenue begin their term as CEO?",
+ "decomposition": [
+ {
+ "id": "f1eff95e0783f8b3",
+ "question": "What are the top 5 global companies by revenue?",
+ "decomposition": [],
+ "answer": [
+ "Walmart",
+ "Saudi Aramco",
+ "State Grid Corporation of China",
+ "Amazon",
+ "Vitol"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 997455,
+ "revid": 1183264422,
+ "title": "List of largest companies by revenue",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_companies_by_revenue"
+ }
+ },
+ {
+ "id": "2209b6f32bb6ff9d",
+ "question": "In what year did Doug McMillon become CEO of Walmart?",
+ "decomposition": [],
+ "answer": "2014",
+ "depends_on": [
+ "f1eff95e0783f8b3"
+ ],
+ "evidence": {
+ "pageid": 41192135,
+ "revid": 1179001301,
+ "title": "Doug McMillon",
+ "url": "https://en.wikipedia.org/wiki/Doug_McMillon"
+ }
+ },
+ {
+ "id": "794dff7a18b1ad5f",
+ "question": "In what year did Amin H. Nasser become CEO of Saudi Aramco?",
+ "decomposition": [],
+ "answer": "2015",
+ "depends_on": [
+ "f1eff95e0783f8b3"
+ ],
+ "evidence": {
+ "pageid": 46741492,
+ "revid": 1177316383,
+ "title": "Amin H. Nasser",
+ "url": "https://en.wikipedia.org/wiki/Amin_H._Nasser"
+ }
+ },
+ {
+ "id": "4054eb9e19f99da8",
+ "question": "In what year did Zhang Zhigang become CEO of State Grid Corporation of China?",
+ "decomposition": [],
+ "answer": "2021",
+ "depends_on": [
+ "f1eff95e0783f8b3"
+ ],
+ "evidence": {
+ "pageid": 72149556,
+ "revid": 1158200965,
+ "title": "Zhang Zhigang",
+ "url": "https://en.wikipedia.org/wiki/Zhang_Zhigang"
+ }
+ },
+ {
+ "id": "8cc8703422dccc18",
+ "question": "In what year did Andy Jassy become CEO of Amazon?",
+ "decomposition": [],
+ "answer": "2021",
+ "depends_on": [
+ "f1eff95e0783f8b3"
+ ],
+ "evidence": {
+ "pageid": 55515500,
+ "revid": 1182231915,
+ "title": "Andy Jassy",
+ "url": "https://en.wikipedia.org/wiki/Andy_Jassy"
+ }
+ },
+ {
+ "id": "4245084bd1184454",
+ "question": "In what year did Russell Hardy become CEO of Vitol?",
+ "decomposition": [],
+ "answer": "2018",
+ "depends_on": [
+ "f1eff95e0783f8b3"
+ ],
+ "evidence": {
+ "pageid": 59003693,
+ "revid": 1121065286,
+ "title": "Russell Hardy",
+ "url": "https://en.wikipedia.org/wiki/Russell_Hardy"
+ }
+ }
+ ],
+ "answer": {
+ "Doug McMillon, Walmart": "2014",
+ "Amin H. Nasser, Saudi Aramco": "2015",
+ "Zhang Zhigang, State Grid Corporation of China": "2021",
+ "Andy Jassy, Amazon": "2021",
+ "Russell Hardy, Vitol": "2018"
+ },
+ "categories": [
+ "History",
+ "Business"
+ ]
+ },
+ {
+ "id": "8047613f8e12e507",
+ "question": "What are the capitals of the five most populous countries in the world?",
+ "decomposition": [
+ {
+ "id": "a84acf643d011b5f",
+ "question": "What are the five most populous countries in the world?",
+ "decomposition": [],
+ "answer": [
+ "India",
+ "China",
+ "United States",
+ "Indonesia",
+ "Pakistan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39707994,
+ "revid": 1183557170,
+ "title": "List of countries by population (United Nations)",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_population_(United_Nations)"
+ }
+ },
+ {
+ "id": "9b3ddbb301795a71",
+ "question": "What is the capital of India?",
+ "decomposition": [],
+ "answer": "New Delhi",
+ "depends_on": [
+ "a84acf643d011b5f"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ },
+ {
+ "id": "4d2790acd29aecf9",
+ "question": "What is the capital of China?",
+ "decomposition": [],
+ "answer": "Beijing",
+ "depends_on": [
+ "a84acf643d011b5f"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "83a04b9c6784efc6",
+ "question": "What is the capital of the United States?",
+ "decomposition": [],
+ "answer": "Washington, D.C.",
+ "depends_on": [
+ "a84acf643d011b5f"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "059831b8c800f205",
+ "question": "What is the capital of Indonesia?",
+ "decomposition": [],
+ "answer": "Jakarta",
+ "depends_on": [
+ "a84acf643d011b5f"
+ ],
+ "evidence": {
+ "pageid": 14579,
+ "revid": 1185389327,
+ "title": "Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Indonesia"
+ }
+ },
+ {
+ "id": "66c6d8fad3aeecbe",
+ "question": "What is the capital of Pakistan?",
+ "decomposition": [],
+ "answer": "Islamabad",
+ "depends_on": [
+ "a84acf643d011b5f"
+ ],
+ "evidence": {
+ "pageid": 23235,
+ "revid": 1185285398,
+ "title": "Pakistan",
+ "url": "https://en.wikipedia.org/wiki/Pakistan"
+ }
+ }
+ ],
+ "answer": {
+ "India": "New Delhi",
+ "China": "Beijing",
+ "United States": "Washington, D.C.",
+ "Indonesia": "Jakarta",
+ "Pakistan": "Islamabad"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "4172435efe8bdd8b",
+ "question": "What is the total point differential in points scored between the Boston Celtics and the Philadelphia 76ers in series-deciding playoff games since 2012?",
+ "decomposition": [
+ {
+ "id": "d99e64a509d18927",
+ "question": "In what years since 2012 have the Boston Celtics and the Philadelphis 76ers played in the playoffs?",
+ "decomposition": [],
+ "answer": [
+ 2012,
+ 2018,
+ 2020,
+ 2023
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2097252,
+ "revid": 1185410684,
+ "title": "76ers\u2013Celtics rivalry",
+ "url": "https://en.wikipedia.org/wiki/76ers%E2%80%93Celtics_rivalry#:~:text=The%20two%20teams%20have%20the,only%20the%20Los%20Angeles%20Lakers."
+ }
+ },
+ {
+ "id": "60d2c07f5665dcd9",
+ "question": "What was the point differential (Celtics can be considered as positive) in the series-deciding game in 2012?",
+ "decomposition": [],
+ "answer": 10,
+ "depends_on": [
+ "d99e64a509d18927"
+ ],
+ "evidence": {
+ "pageid": 34286149,
+ "revid": 1183735381,
+ "title": "2012 NBA playoffs",
+ "url": "https://en.wikipedia.org/wiki/2012_NBA_playoffs"
+ }
+ },
+ {
+ "id": "5718791b22094c66",
+ "question": "What was the point differential (Celtics can be considered as positive) in the series-deciding game in 2018?",
+ "decomposition": [],
+ "answer": 2,
+ "depends_on": [
+ "d99e64a509d18927"
+ ],
+ "evidence": {
+ "pageid": 53784158,
+ "revid": 1174843788,
+ "title": "2018 NBA playoffs",
+ "url": "https://en.wikipedia.org/wiki/2018_NBA_playoffs"
+ }
+ },
+ {
+ "id": "dae2835dbe239805",
+ "question": "What was the point differential (Celtics can be considered as positive) in the series-deciding game in 2020?",
+ "decomposition": [],
+ "answer": 4,
+ "depends_on": [
+ "d99e64a509d18927"
+ ],
+ "evidence": {
+ "pageid": 60314752,
+ "revid": 1181612813,
+ "title": "2020 NBA playoffs",
+ "url": "https://en.wikipedia.org/wiki/2020_NBA_playoffs"
+ }
+ },
+ {
+ "id": "eff917123b287860",
+ "question": "What was the point differential (Celtics can be considered as positive) in the series-deciding game in 2023?",
+ "decomposition": [],
+ "answer": 24,
+ "depends_on": [
+ "d99e64a509d18927"
+ ],
+ "evidence": {
+ "pageid": 70868858,
+ "revid": 1185034160,
+ "title": "2023 NBA playoffs",
+ "url": "https://en.wikipedia.org/wiki/2023_NBA_playoffs"
+ }
+ }
+ ],
+ "answer": 40,
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "47a1c70506e0bee4",
+ "question": "Find the 5 largest companies in America (by revenue). Where are they headquartered? (Sort by smallest to largest company)",
+ "decomposition": [
+ {
+ "id": "db10c23e07b55e33",
+ "question": "What are the 5 largest companies in America (by revenue)?",
+ "decomposition": [],
+ "answer": [
+ "Walmart",
+ "Amazon",
+ "ExxonMobil",
+ "Apple",
+ "UnitedHealth Group"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 61181662,
+ "revid": 1183367931,
+ "title": "List of largest companies in the United States by revenue",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_companies_in_the_United_States_by_revenue"
+ }
+ },
+ {
+ "id": "3cfc1101352a9c9b",
+ "question": "Where is Walmart headquartered?",
+ "decomposition": [],
+ "answer": "Bentonville, Arkansas, U.S.",
+ "depends_on": [
+ "db10c23e07b55e33"
+ ],
+ "evidence": {
+ "pageid": 33589,
+ "revid": 1185423753,
+ "title": "Walmart",
+ "url": "https://en.wikipedia.org/wiki/Walmart"
+ }
+ },
+ {
+ "id": "e5790beec87d2019",
+ "question": "Where is Amazon headquartered?",
+ "decomposition": [],
+ "answer": "Seattle, Washington and Arlington County, Virginia, US",
+ "depends_on": [
+ "db10c23e07b55e33"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "6daed1c7aae6f512",
+ "question": "Where is ExxonMobil headquartered?",
+ "decomposition": [],
+ "answer": "Unincorporated Harris County near Spring, Texas, U.S.",
+ "depends_on": [
+ "db10c23e07b55e33"
+ ],
+ "evidence": {
+ "pageid": 18848197,
+ "revid": 1185831106,
+ "title": "ExxonMobil",
+ "url": "https://en.wikipedia.org/wiki/ExxonMobil"
+ }
+ },
+ {
+ "id": "f7213a3323a554b3",
+ "question": "Where is Apple headquartered?",
+ "decomposition": [],
+ "answer": "1 Apple Park Way, Cupertino, California, U.S.",
+ "depends_on": [
+ "db10c23e07b55e33"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "ab782754dc09f646",
+ "question": "Where is UnitedHealth Group headquartered?",
+ "decomposition": [],
+ "answer": "Minnetonka, Minnesota, United States",
+ "depends_on": [
+ "db10c23e07b55e33"
+ ],
+ "evidence": {
+ "pageid": 1845551,
+ "revid": 1185887119,
+ "title": "UnitedHealth Group",
+ "url": "https://en.wikipedia.org/wiki/UnitedHealth_Group"
+ }
+ }
+ ],
+ "answer": {
+ "UnitedHealth Group": "Minnetonka, Minnesota, United States",
+ "Apple": "1 Apple Park Way, Cupertino, California, U.S.",
+ "ExxonMobil": "Unincorporated Harris County near Spring, Texas, U.S.",
+ "Amazon": "Seattle, Washington and Arlington County, Virginia, US",
+ "Walmart": "Bentonville, Arkansas, U.S."
+ },
+ "categories": [
+ "Business",
+ "Geography"
+ ]
+ },
+ {
+ "id": "10d1eb8605bd9b69",
+ "question": "Identify the Nobel Prize winners in Physics from 2010 to 2014 and their latest alma maters (universities or colleges).",
+ "decomposition": [
+ {
+ "id": "86c9e746fa6f6c87",
+ "question": "Who were the Nobel Prize winners in Physics from 2010 to 2014?",
+ "decomposition": [],
+ "answer": [
+ "Andre Geim",
+ "Konstantin Novoselov",
+ "Saul Perlmutter",
+ "Brian P. Schmidt",
+ "Adam G. Riess",
+ "Serge Haroche",
+ "David J. Wineland",
+ "Fran\u00e7ois Englert",
+ "Peter Higgs",
+ "Isamu Akasaki",
+ "Hiroshi Amano",
+ "Shuji Nakamura"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19679192,
+ "revid": 1185537321,
+ "title": "List of Nobel laureates in Physics",
+ "url": "https://en.wikipedia.org/wiki/List_of_Nobel_laureates_in_Physics"
+ }
+ },
+ {
+ "id": "15edcc052493ca9e",
+ "question": "What is the latest alma mater (university or college) of Andre Geim?",
+ "decomposition": [],
+ "answer": "Moscow Institute of Physics and Technology",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 17054160,
+ "revid": 1182833323,
+ "title": "Andre Geim",
+ "url": "https://en.wikipedia.org/wiki/Andre_Geim"
+ }
+ },
+ {
+ "id": "b06290d76624385a",
+ "question": "What is the latest alma mater (university or college) of Konstantin Novoselov?",
+ "decomposition": [],
+ "answer": "Radboud University of Nijmegen",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 28848171,
+ "revid": 1182834753,
+ "title": "Konstantin Novoselov",
+ "url": "https://en.wikipedia.org/wiki/Konstantin_Novoselov"
+ }
+ },
+ {
+ "id": "1d377c0a16db0b32",
+ "question": "What is the latest alma mater (university or college) of Saul Perlmutter?",
+ "decomposition": [],
+ "answer": "University of California, Berkeley",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 1440742,
+ "revid": 1162802887,
+ "title": "Saul Perlmutter",
+ "url": "https://en.wikipedia.org/wiki/Saul_Perlmutter"
+ }
+ },
+ {
+ "id": "d21bb6d2daaf555a",
+ "question": "What is the latest alma mater (university or college) of Brian P. Schmidt?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 6231333,
+ "revid": 1180992938,
+ "title": "Brian Schmidt",
+ "url": "https://en.wikipedia.org/wiki/Brian_P._Schmidt"
+ }
+ },
+ {
+ "id": "abefb22eeefe322d",
+ "question": "What is the latest alma mater (university or college) of Adam G. Riess?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 5950265,
+ "revid": 1184479348,
+ "title": "Adam Riess",
+ "url": "https://en.wikipedia.org/wiki/Adam_G._Riess"
+ }
+ },
+ {
+ "id": "5b41549efdd1129c",
+ "question": "What is the latest alma mater (university or college) of Serge Haroche?",
+ "decomposition": [],
+ "answer": "Pierre-and-Marie-Curie University",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 14661857,
+ "revid": 1178829723,
+ "title": "Serge Haroche",
+ "url": "https://en.wikipedia.org/wiki/Serge_Haroche"
+ }
+ },
+ {
+ "id": "bd064382375d6dec",
+ "question": "What is the latest alma mater (university or college) of David J. Wineland?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 24626957,
+ "revid": 1179806135,
+ "title": "David J. Wineland",
+ "url": "https://en.wikipedia.org/wiki/David_J._Wineland"
+ }
+ },
+ {
+ "id": "29a3c0e4d47b7dcf",
+ "question": "What is the latest alma mater (university or college) of Fran\u00e7ois Englert?",
+ "decomposition": [],
+ "answer": "Free University of Brussels",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 8370210,
+ "revid": 1149292469,
+ "title": "Fran\u00e7ois Englert",
+ "url": "https://en.wikipedia.org/wiki/Fran%C3%A7ois_Englert"
+ }
+ },
+ {
+ "id": "f0773371ef81630a",
+ "question": "What is the latest alma mater (university or college) of Peter Higgs?",
+ "decomposition": [],
+ "answer": "University of London",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 339050,
+ "revid": 1181971328,
+ "title": "Peter Higgs",
+ "url": "https://en.wikipedia.org/wiki/Peter_Higgs"
+ }
+ },
+ {
+ "id": "039d0fc4d333a300",
+ "question": "What is the latest alma mater (university or college) of Isamu Akasaki?",
+ "decomposition": [],
+ "answer": "Nagoya University",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 8784032,
+ "revid": 1185896929,
+ "title": "Isamu Akasaki",
+ "url": "https://en.wikipedia.org/wiki/Isamu_Akasaki"
+ }
+ },
+ {
+ "id": "2d2f659e6c5a17f5",
+ "question": "What is the latest alma mater (university or college) of Hiroshi Amano?",
+ "decomposition": [],
+ "answer": "Nagoya University",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 44046598,
+ "revid": 1185888269,
+ "title": "Hiroshi Amano",
+ "url": "https://en.wikipedia.org/wiki/Hiroshi_Amano"
+ }
+ },
+ {
+ "id": "48e3f9898d72b786",
+ "question": "What is the latest alma mater (university or college) of Shuji Nakamura?",
+ "decomposition": [],
+ "answer": "University of Tokushima",
+ "depends_on": [
+ "86c9e746fa6f6c87"
+ ],
+ "evidence": {
+ "pageid": 1030433,
+ "revid": 1179784937,
+ "title": "Shuji Nakamura",
+ "url": "https://en.wikipedia.org/wiki/Shuji_Nakamura"
+ }
+ }
+ ],
+ "answer": {
+ "Andre Geim": "Moscow Institute of Physics and Technology",
+ "Konstantin Novoselov": "Radboud University Nijmegen",
+ "Saul Perlmutter": "University of California, Berkeley",
+ "Brian P. Schmidt": "Harvard University",
+ "Adam G. Riess": "Harvard University",
+ "Serge Haroche": "Pierre-and-Marie-Curie University",
+ "David J. Wineland": "Harvard University",
+ "Fran\u00e7ois Englert": "Free University of Brussels",
+ "Peter Higgs": "University of London",
+ "Isamu Akasaki": "Nagoya University",
+ "Hiroshi Amano": "Nagoya University",
+ "Shuji Nakamura": "University of Tokushima"
+ },
+ "categories": [
+ "Education",
+ "Physics"
+ ]
+ },
+ {
+ "id": "03158af6bc99e110",
+ "question": "What are the hometowns of NBA players at least 7 foot 6 inches in height who played in at least one NBA game?",
+ "decomposition": [
+ {
+ "id": "d2ea5db89c6bbf74",
+ "question": "What are the hometowns of NBA players at least 7 foot 6 inches in height who played in at least one NBA game?",
+ "decomposition": [],
+ "answer": [
+ "Gheorghe Mure\u0219an",
+ "Manute Bol",
+ "Shawn Bradley",
+ "Yao Ming",
+ "Slavko Vrane\u0161",
+ "Tacko Fall"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 28754077,
+ "revid": 1185594956,
+ "title": "List of tallest players in National Basketball Association history",
+ "url": "https://en.wikipedia.org/wiki/List_of_tallest_players_in_National_Basketball_Association_history"
+ }
+ },
+ {
+ "id": "b868cfc804f2d933",
+ "question": "What is the hometown of Gheorghe Mure\u0219an?",
+ "decomposition": [],
+ "answer": "Tritenii de Jos, Romania",
+ "depends_on": [
+ "d2ea5db89c6bbf74"
+ ],
+ "evidence": {
+ "pageid": 397464,
+ "revid": 1185594761,
+ "title": "Gheorghe Mure\u0219an",
+ "url": "https://en.wikipedia.org/wiki/Gheorghe_Mure%C8%99an"
+ }
+ },
+ {
+ "id": "d42b69f7dfd10438",
+ "question": "What is the hometown of Manute Bol?",
+ "decomposition": [],
+ "answer": "Turalei, Sudan",
+ "depends_on": [
+ "d2ea5db89c6bbf74"
+ ],
+ "evidence": {
+ "pageid": 283871,
+ "revid": 1185222262,
+ "title": "Manute Bol",
+ "url": "https://en.wikipedia.org/wiki/Manute_Bol"
+ }
+ },
+ {
+ "id": "e82c2b92eabdbc28",
+ "question": "What is the hometown of Shawn Bradley?",
+ "decomposition": [],
+ "answer": "Landstuhl, West Germany",
+ "depends_on": [
+ "d2ea5db89c6bbf74"
+ ],
+ "evidence": {
+ "pageid": 277404,
+ "revid": 1185459025,
+ "title": "Shawn Bradley",
+ "url": "https://en.wikipedia.org/wiki/Shawn_Bradley"
+ }
+ },
+ {
+ "id": "c6cc478ceaa05887",
+ "question": "What is the hometown of Yao Ming?",
+ "decomposition": [],
+ "answer": "Shanghai, China",
+ "depends_on": [
+ "d2ea5db89c6bbf74"
+ ],
+ "evidence": {
+ "pageid": 240989,
+ "revid": 1174773098,
+ "title": "Yao Ming",
+ "url": "https://en.wikipedia.org/wiki/Yao_Ming"
+ }
+ },
+ {
+ "id": "0b0e97353d330348",
+ "question": "What is the hometown of Slavko Vrane\u0161?",
+ "decomposition": [],
+ "answer": "Pljevlja, SR Montenegro, SFR Yugoslavia",
+ "depends_on": [
+ "d2ea5db89c6bbf74"
+ ],
+ "evidence": {
+ "pageid": 3463395,
+ "revid": 1183676193,
+ "title": "Slavko Vrane\u0161",
+ "url": "https://en.wikipedia.org/wiki/Slavko_Vrane%C5%A1"
+ }
+ },
+ {
+ "id": "678b2085cc13371d",
+ "question": "What is the hometown of Tacko Fall?",
+ "decomposition": [],
+ "answer": "Dackar, Senegal",
+ "depends_on": [
+ "d2ea5db89c6bbf74"
+ ],
+ "evidence": {
+ "pageid": 44748217,
+ "revid": 1184921311,
+ "title": "Tacko Fall",
+ "url": "https://en.wikipedia.org/wiki/Tacko_Fall"
+ }
+ }
+ ],
+ "answer": {
+ "Gheorghe Mure\u0219an": "Tritenii de Jos, Romania",
+ "Manute Bol": "Turalei, Sudan",
+ "Shawn Bradley": "Landstuhl, West Germany",
+ "Yao Ming": "Shanghai, China",
+ "Slavko Vrane\u0161": "Pljevlja, SR Montenegro, SFR Yugoslavia",
+ "Tacko Fall": "Dackar, Senegal"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "db12f9be559698b0",
+ "question": "Who are the current US Senators who are women and are 60 years old or older, and what are their ages?",
+ "decomposition": [
+ {
+ "id": "6badd9c12ad1f0f7",
+ "question": "Who are the current US Senators?",
+ "decomposition": [],
+ "answer": [
+ "Tommy Tuberville",
+ "Katie Britt",
+ "Lisa Murkowski",
+ "Dan Sullivan",
+ "Kyrsten Sinema",
+ "Mark Kelly",
+ "John Boozman",
+ "Tom Cotton",
+ "Alex Padilla",
+ "Laphonza Butler",
+ "Michael Bennet",
+ "John Hickenlooper",
+ "Richard Blumenthal",
+ "Chris Murphy",
+ "Tom Carper",
+ "Chris Coons",
+ "Marco Rubio",
+ "Rick Scott",
+ "Jon Ossoff",
+ "Raphael Warnock",
+ "Brian Schatz",
+ "Mazie Hirono",
+ "Mike Crapo",
+ "Jim Risch",
+ "Dick Durbin",
+ "Tammy Duckworth",
+ "Todd Young",
+ "Mike Braun",
+ "Chuck Grassley",
+ "Joni Ernst",
+ "Jerry Moran",
+ "Roger Marshall",
+ "Mitch McConnell",
+ "Rand Paul",
+ "Bill Cassidy",
+ "John Kennedy",
+ "Susan Collins",
+ "Angus King",
+ "Ben Cardin",
+ "Chris Van Hollen",
+ "Elizabeth Warren",
+ "Ed Markey",
+ "Debbie Stabenow",
+ "Gary Peters",
+ "Amy Klobuchar",
+ "Tina Smith",
+ "Roger Wicker",
+ "Cindy Hyde-Smith",
+ "Josh Hawley",
+ "Eric Schmitt",
+ "Jon Tester",
+ "Steve Daines",
+ "Deb Fischer",
+ "Pete Ricketts",
+ "Catherine Cortez Masto",
+ "Jacky Rosen",
+ "Jeanne Shaheen",
+ "Maggie Hassan",
+ "Bob Menendez",
+ "Cory Booker",
+ "Martin Heinrich",
+ "Ben Ray Luj\u00e1n",
+ "Chuck Schumer",
+ "Kirsten Gillibrand",
+ "Thom Tillis",
+ "Ted Budd",
+ "John Hoeven",
+ "Kevin Cramer",
+ "Sherrod Brown",
+ "J.D. Vance",
+ "James Lankford",
+ "Markwayne Mullin",
+ "Ron Wyden",
+ "Jeff Merkley",
+ "Bob Casey Jr.",
+ "John Fetterman",
+ "Jack Reed",
+ "Sheldon Whitehouse",
+ "Lindsey Graham",
+ "Tim Scott",
+ "John Thune",
+ "Mike Rounds",
+ "Marsha Blackburn",
+ "Bill Hagerty",
+ "John Cornyn",
+ "Ted Cruz",
+ "Mike Lee",
+ "Mitt Romney",
+ "Bernie Sanders",
+ "Peter Welch",
+ "Mark Warner",
+ "Tim Kaine",
+ "Patty Murray",
+ "Maria Cantwell",
+ "Joe Manchin",
+ "Shelley Moore Capito",
+ "Ron Johnson",
+ "Tammy Baldwin",
+ "John Barrasso",
+ "Cynthia Lummis"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 26701,
+ "revid": 1184746510,
+ "title": "List of current United States senators",
+ "url": "https://en.wikipedia.org/wiki/List_of_current_United_States_senators"
+ }
+ },
+ {
+ "id": "628c7aad52722a37",
+ "question": "How old is Katie Britt?",
+ "decomposition": [],
+ "answer": "40",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 67663109,
+ "revid": 1183946590,
+ "title": "Katie Britt",
+ "url": "https://en.wikipedia.org/wiki/Katie_Britt"
+ }
+ },
+ {
+ "id": "a3797e1efd278a08",
+ "question": "How old is Lisa Murkowski?",
+ "decomposition": [],
+ "answer": "50",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 367105,
+ "revid": 1183244072,
+ "title": "Lisa Murkowski",
+ "url": "https://en.wikipedia.org/wiki/Lisa_Murkowski"
+ }
+ },
+ {
+ "id": "60a7374bb61fc436",
+ "question": "How old is Kyrsten Sinema?",
+ "decomposition": [],
+ "answer": "45",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 16084037,
+ "revid": 1184839083,
+ "title": "Kyrsten Sinema",
+ "url": "https://en.wikipedia.org/wiki/Kyrsten_Sinema"
+ }
+ },
+ {
+ "id": "5a8d2f34829dd13c",
+ "question": "How old is Laphonza Butler?",
+ "decomposition": [],
+ "answer": "38",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 74558346,
+ "revid": 1185422687,
+ "title": "Laphonza Butler",
+ "url": "https://en.wikipedia.org/wiki/Laphonza_Butler"
+ }
+ },
+ {
+ "id": "1584fcda3de17b5c",
+ "question": "How old is Mazie Hirono?",
+ "decomposition": [],
+ "answer": "74",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 715545,
+ "revid": 1183880557,
+ "title": "Mazie Hirono",
+ "url": "https://en.wikipedia.org/wiki/Mazie_Hirono"
+ }
+ },
+ {
+ "id": "f025d85c51a3fc6c",
+ "question": "How old is Tammy Duckworth?",
+ "decomposition": [],
+ "answer": "53",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 3691615,
+ "revid": 1185389921,
+ "title": "Tammy Duckworth",
+ "url": "https://en.wikipedia.org/wiki/Tammy_Duckworth"
+ }
+ },
+ {
+ "id": "5530636450cad861",
+ "question": "How old is Joni Ernst?",
+ "decomposition": [],
+ "answer": "51",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 30991069,
+ "revid": 1184496638,
+ "title": "Joni Ernst",
+ "url": "https://en.wikipedia.org/wiki/Joni_Ernst"
+ }
+ },
+ {
+ "id": "68827f9a6bd397a1",
+ "question": "How old is Susan Collins?",
+ "decomposition": [],
+ "answer": "68",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 375195,
+ "revid": 1185593752,
+ "title": "Susan Collins",
+ "url": "https://en.wikipedia.org/wiki/Susan_Collins"
+ }
+ },
+ {
+ "id": "71ebb4c506ee6d53",
+ "question": "How old is Elizabeth Warren?",
+ "decomposition": [],
+ "answer": "72",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 290195,
+ "revid": 1181684842,
+ "title": "Elizabeth Warren",
+ "url": "https://en.wikipedia.org/wiki/Elizabeth_Warren"
+ }
+ },
+ {
+ "id": "382bb1043dae6474",
+ "question": "How old is Debbie Stabenow?",
+ "decomposition": [],
+ "answer": "72",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 335844,
+ "revid": 1184363104,
+ "title": "Debbie Stabenow",
+ "url": "https://en.wikipedia.org/wiki/Debbie_Stabenow"
+ }
+ },
+ {
+ "id": "1e0dc8912c19cdd1",
+ "question": "How old is Amy Klobuchar?",
+ "decomposition": [],
+ "answer": "61",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 1596343,
+ "revid": 1180028009,
+ "title": "Amy Klobuchar",
+ "url": "https://en.wikipedia.org/wiki/Amy_Klobuchar"
+ }
+ },
+ {
+ "id": "14181e2b38ee8e41",
+ "question": "How old is Tina Smith?",
+ "decomposition": [],
+ "answer": "63",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 44307500,
+ "revid": 1179978875,
+ "title": "Tina Smith",
+ "url": "https://en.wikipedia.org/wiki/Tina_Smith"
+ }
+ },
+ {
+ "id": "3f058957a2aaeddc",
+ "question": "How old is Cindy Hyde-Smith?",
+ "decomposition": [],
+ "answer": "62",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 16180456,
+ "revid": 1180718353,
+ "title": "Cindy Hyde-Smith",
+ "url": "https://en.wikipedia.org/wiki/Cindy_Hyde-Smith"
+ }
+ },
+ {
+ "id": "56192557b3bbfc89",
+ "question": "How old is Deb Fischer?",
+ "decomposition": [],
+ "answer": "70",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 4472401,
+ "revid": 1185897266,
+ "title": "Deb Fischer",
+ "url": "https://en.wikipedia.org/wiki/Deb_Fischer"
+ }
+ },
+ {
+ "id": "38e62a873bf46a1d",
+ "question": "How old is Catherine Cortez Masto?",
+ "decomposition": [],
+ "answer": "58",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 11822552,
+ "revid": 1177771518,
+ "title": "Catherine Cortez Masto",
+ "url": "https://en.wikipedia.org/wiki/Catherine_Cortez_Masto"
+ }
+ },
+ {
+ "id": "1378af4766cb9c7c",
+ "question": "How old is Jacky Rosen?",
+ "decomposition": [],
+ "answer": "64",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 50814115,
+ "revid": 1177771772,
+ "title": "Jacky Rosen",
+ "url": "https://en.wikipedia.org/wiki/Jacky_Rosen"
+ }
+ },
+ {
+ "id": "24c128a7a62358ea",
+ "question": "How old is Jeanne Shaheen?",
+ "decomposition": [],
+ "answer": "74",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 299820,
+ "revid": 1184873834,
+ "title": "Jeanne Shaheen",
+ "url": "https://en.wikipedia.org/wiki/Jeanne_Shaheen"
+ }
+ },
+ {
+ "id": "1f0fe00d1a680811",
+ "question": "How old is Maggie Hassan?",
+ "decomposition": [],
+ "answer": "63",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 13396981,
+ "revid": 1181842733,
+ "title": "Maggie Hassan",
+ "url": "https://en.wikipedia.org/wiki/Maggie_Hassan"
+ }
+ },
+ {
+ "id": "59254b67e32d2210",
+ "question": "How old is Kirsten Gillibrand?",
+ "decomposition": [],
+ "answer": "55",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 6778068,
+ "revid": 1180603465,
+ "title": "Kirsten Gillibrand",
+ "url": "https://en.wikipedia.org/wiki/Kirsten_Gillibrand"
+ }
+ },
+ {
+ "id": "05a8afec70a661ef",
+ "question": "How old is Marsha Blackburn?",
+ "decomposition": [],
+ "answer": "69",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 216204,
+ "revid": 1183728771,
+ "title": "Marsha Blackburn",
+ "url": "https://en.wikipedia.org/wiki/Marsha_Blackburn"
+ }
+ },
+ {
+ "id": "5d12efdd674dbddc",
+ "question": "How old is Patty Murray?",
+ "decomposition": [],
+ "answer": "71",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 181042,
+ "revid": 1185593702,
+ "title": "Patty Murray",
+ "url": "https://en.wikipedia.org/wiki/Patty_Murray"
+ }
+ },
+ {
+ "id": "15a84871c979b63d",
+ "question": "How old is Maria Cantwell?",
+ "decomposition": [],
+ "answer": "63",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 333605,
+ "revid": 1185430461,
+ "title": "Maria Cantwell",
+ "url": "https://en.wikipedia.org/wiki/Maria_Cantwell"
+ }
+ },
+ {
+ "id": "fa16262744601eec",
+ "question": "How old is Shelley Moore Capito?",
+ "decomposition": [],
+ "answer": "68",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 408054,
+ "revid": 1180434861,
+ "title": "Shelley Moore Capito",
+ "url": "https://en.wikipedia.org/wiki/Shelley_Moore_Capito"
+ }
+ },
+ {
+ "id": "c560b4a0ce7f98b0",
+ "question": "How old is Tammy Baldwin?",
+ "decomposition": [],
+ "answer": "60",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 409034,
+ "revid": 1183821345,
+ "title": "Tammy Baldwin",
+ "url": "https://en.wikipedia.org/wiki/Tammy_Baldwin"
+ }
+ },
+ {
+ "id": "19ed220b255c85db",
+ "question": "How old is Cynthia Lummis?",
+ "decomposition": [],
+ "answer": "66",
+ "depends_on": [
+ "6badd9c12ad1f0f7"
+ ],
+ "evidence": {
+ "pageid": 10936603,
+ "revid": 1185619343,
+ "title": "Cynthia Lummis",
+ "url": "https://en.wikipedia.org/wiki/Cynthia_Lummis"
+ }
+ }
+ ],
+ "answer": {
+ "Susan Collins": "68",
+ "Mazie Hirono": "74",
+ "Elizabeth Warren": "72",
+ "Debbie Stabenow": "72",
+ "Amy Klobuchar": "61",
+ "Tina Smith": "63",
+ "Cindy Hyde-Smith": "62",
+ "Deb Fischer": "70",
+ "Jacky Rosen": "64",
+ "Jeanne Shaheen": "74",
+ "Marsha Blackburn": "69",
+ "Patty Murray": "71",
+ "Shelley Moore Capito": "68",
+ "Cynthia Lummis": "66"
+ },
+ "categories": [
+ "Politics",
+ "Gender Studies"
+ ]
+ },
+ {
+ "id": "3d5d3d43bae31b4b",
+ "question": "Who is the mayor of each of the sixth to ninth most populous cities currently in the United States?",
+ "decomposition": [
+ {
+ "id": "47c007cc82459583",
+ "question": "What are the sixth to nineth most populous cities in the United States?",
+ "decomposition": [],
+ "answer": [
+ "Philadelphia",
+ "San Antonio",
+ "San Diego",
+ "Dallas"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1649321,
+ "revid": 1185657569,
+ "title": "List of United States cities by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_United_States_cities_by_population"
+ }
+ },
+ {
+ "id": "e50f533e9c9e6ace",
+ "question": "Who is the mayor of Philadelphia?",
+ "decomposition": [],
+ "answer": "Jim Kenney",
+ "depends_on": [
+ "47c007cc82459583"
+ ],
+ "evidence": {
+ "pageid": 538842,
+ "revid": 1184198832,
+ "title": "Mayor of Philadelphia",
+ "url": "https://en.wikipedia.org/wiki/Mayor_of_Philadelphia"
+ }
+ },
+ {
+ "id": "0c2f82ed6af4321a",
+ "question": "Who is the mayor of San Antonio?",
+ "decomposition": [],
+ "answer": "Ron Nirenberg",
+ "depends_on": [
+ "47c007cc82459583"
+ ],
+ "evidence": {
+ "pageid": 11747801,
+ "revid": 1185939880,
+ "title": "List of mayors of San Antonio",
+ "url": "https://en.wikipedia.org/wiki/Mayor_of_San_Antonio"
+ }
+ },
+ {
+ "id": "8e6f5fe8a1eccd7f",
+ "question": "Who is the mayor of San Diego?",
+ "decomposition": [],
+ "answer": "Todd Gloria",
+ "depends_on": [
+ "47c007cc82459583"
+ ],
+ "evidence": {
+ "pageid": 1801190,
+ "revid": 1179597188,
+ "title": "Mayor of San Diego",
+ "url": "https://en.wikipedia.org/wiki/Mayor_of_San_Diego"
+ }
+ },
+ {
+ "id": "f0e74a3183121056",
+ "question": "Who is the mayor of Dallas?",
+ "decomposition": [],
+ "answer": "Eric Johnson",
+ "depends_on": [
+ "47c007cc82459583"
+ ],
+ "evidence": {
+ "pageid": 663953,
+ "revid": 1178785764,
+ "title": "Mayor of Dallas",
+ "url": "https://en.wikipedia.org/wiki/Mayor_of_Dallas"
+ }
+ }
+ ],
+ "answer": {
+ "Philadelphia": "Jim Kenney",
+ "San Antonio": "Ron Nirenberg",
+ "San Diego": "Todd Gloria",
+ "Dallas": "Eric Johnson"
+ },
+ "categories": [
+ "Politics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "05f748584fe70a6b",
+ "question": "Who created the original version of the 5 most used social media platforms?",
+ "decomposition": [
+ {
+ "id": "882205277664dde3",
+ "question": "What are the 5 most used social media plaforms?",
+ "decomposition": [],
+ "answer": [
+ "Facebook",
+ "YouTube",
+ "WhatsApp",
+ "Instagram",
+ "WeChat"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 65648046,
+ "revid": 1185160092,
+ "title": "List of social platforms with at least 100 million active users",
+ "url": "https://en.wikipedia.org/wiki/List_of_social_platforms_with_at_least_100_million_active_users"
+ }
+ },
+ {
+ "id": "87102798e41f5ae2",
+ "question": "Who were the original authors of Facebook?",
+ "decomposition": [],
+ "answer": "Mark Zuckerberg, Dustin Moskovitz, Chris Hughes, Andrew McCollum, Eduardo Saverin",
+ "depends_on": [
+ "882205277664dde3"
+ ],
+ "evidence": {
+ "pageid": 7529378,
+ "revid": 1185232863,
+ "title": "Facebook",
+ "url": "https://en.wikipedia.org/wiki/Facebook"
+ }
+ },
+ {
+ "id": "ea4728b5fdb05d8f",
+ "question": "Who were the original authors of YouTube?",
+ "decomposition": [],
+ "answer": "Steve Chen, Chad Hurley, Jawed Karim",
+ "depends_on": [
+ "882205277664dde3"
+ ],
+ "evidence": {
+ "pageid": 3524766,
+ "revid": 1185800017,
+ "title": "YouTube",
+ "url": "https://en.wikipedia.org/wiki/YouTube"
+ }
+ },
+ {
+ "id": "015eae58528ac398",
+ "question": "Who were the original authors of WhatsApp?",
+ "decomposition": [],
+ "answer": "Brian Acton, Jan Koum",
+ "depends_on": [
+ "882205277664dde3"
+ ],
+ "evidence": {
+ "pageid": 32058867,
+ "revid": 1185099679,
+ "title": "WhatsApp",
+ "url": "https://en.wikipedia.org/wiki/WhatsApp"
+ }
+ },
+ {
+ "id": "998c1ee40b1d2392",
+ "question": "Who were the original authors of Instagram?",
+ "decomposition": [],
+ "answer": "Kevin Systrom, Mike Krieger",
+ "depends_on": [
+ "882205277664dde3"
+ ],
+ "evidence": {
+ "pageid": 31591547,
+ "revid": 1184814696,
+ "title": "Instagram",
+ "url": "https://en.wikipedia.org/wiki/Instagram"
+ }
+ },
+ {
+ "id": "00a843627ee8dab3",
+ "question": "Who were the original authors of WeChat?",
+ "decomposition": [],
+ "answer": "Allen Zhang",
+ "depends_on": [
+ "882205277664dde3"
+ ],
+ "evidence": {
+ "pageid": 34408890,
+ "revid": 1185348232,
+ "title": "WeChat",
+ "url": "https://en.wikipedia.org/wiki/WeChat"
+ }
+ }
+ ],
+ "answer": {
+ "Facebook": "Mark Zuckerberg, Dustin Moskovitz, Chris Hughes, Andrew McCollum, Eduardo Saverin",
+ "YouTube": "Steve Chen, Chad Hurley, Jawed Karim",
+ "WhatsApp": "Brian Acton, Jan Koum",
+ "Instagram": "Kevin Systrom, Mike Krieger",
+ "WeChat": "Allen Zhang"
+ },
+ "categories": [
+ "History",
+ "Computer Science",
+ "Technology"
+ ]
+ },
+ {
+ "id": "0a950dfa942cf3ad",
+ "question": "What are the capitals of the top 5 population countries?",
+ "decomposition": [
+ {
+ "id": "72c05c5844ac3ba6",
+ "question": "What are the countries with the top 5 population?",
+ "decomposition": [],
+ "answer": "China, India, United States, Indonesia, Pakistan",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69058,
+ "revid": 1185694277,
+ "title": "List of countries and dependencies by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_and_dependencies_by_population"
+ }
+ },
+ {
+ "id": "4d2790acd29aecf9",
+ "question": "What is the capital of China?",
+ "decomposition": [],
+ "answer": "Beijing",
+ "depends_on": [
+ "72c05c5844ac3ba6"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "9b3ddbb301795a71",
+ "question": "What is the capital of India?",
+ "decomposition": [],
+ "answer": "New Delhi",
+ "depends_on": [
+ "72c05c5844ac3ba6"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ },
+ {
+ "id": "df8bebdf286f2a96",
+ "question": "What is the capital of United States?",
+ "decomposition": [],
+ "answer": "Washington, D.C.",
+ "depends_on": [
+ "72c05c5844ac3ba6"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "059831b8c800f205",
+ "question": "What is the capital of Indonesia?",
+ "decomposition": [],
+ "answer": "Jakarta",
+ "depends_on": [
+ "72c05c5844ac3ba6"
+ ],
+ "evidence": {
+ "pageid": 14579,
+ "revid": 1185389327,
+ "title": "Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Indonesia"
+ }
+ },
+ {
+ "id": "66c6d8fad3aeecbe",
+ "question": "What is the capital of Pakistan?",
+ "decomposition": [],
+ "answer": "Islamabad",
+ "depends_on": [
+ "72c05c5844ac3ba6"
+ ],
+ "evidence": {
+ "pageid": 23235,
+ "revid": 1185285398,
+ "title": "Pakistan",
+ "url": "https://en.wikipedia.org/wiki/Pakistan"
+ }
+ }
+ ],
+ "answer": {
+ "China": "Beijing",
+ "India": "New Delhi",
+ "United States": "Washington, D.C.",
+ "Indonesia": "Jakarta",
+ "Pakistan": "Islamabad"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "52bd8c7de4bc25ac",
+ "question": "What are the names of the cities used for the latest 4 macOS versions and their geographic coordinates?",
+ "decomposition": [
+ {
+ "id": "af8cdf5798d34c2d",
+ "question": "What are the city names which are used to name the latest 4 macOS versions?",
+ "decomposition": [],
+ "answer": [
+ "Sonoma",
+ "Ventura",
+ "Monterey",
+ "Big Sur"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 20640,
+ "revid": 1185250621,
+ "title": "MacOS",
+ "url": "https://en.wikipedia.org/wiki/MacOS"
+ }
+ },
+ {
+ "id": "0d13e117ea5e892e",
+ "question": "What is Sonoma's geographic coordinates?",
+ "decomposition": [],
+ "answer": "38\u00b017\u203220\u2033N 122\u00b027\u203232\u2033W",
+ "depends_on": [
+ "af8cdf5798d34c2d"
+ ],
+ "evidence": {
+ "pageid": 108244,
+ "revid": 1185505369,
+ "title": "Sonoma, California",
+ "url": "https://en.wikipedia.org/wiki/Sonoma,_California"
+ }
+ },
+ {
+ "id": "c534e182efbf925c",
+ "question": "What is Ventura's geographic coordinates?",
+ "decomposition": [],
+ "answer": "34\u00b016\u203230\u2033N 119\u00b013\u203240\u2033W",
+ "depends_on": [
+ "af8cdf5798d34c2d"
+ ],
+ "evidence": {
+ "pageid": 108340,
+ "revid": 1185504297,
+ "title": "Ventura, California",
+ "url": "https://en.wikipedia.org/wiki/Ventura,_California"
+ }
+ },
+ {
+ "id": "9be6dd18a10265e9",
+ "question": "What is Monterey's geographic coordinates?",
+ "decomposition": [],
+ "answer": "36\u00b048\u2032N 121\u00b054\u2032W",
+ "depends_on": [
+ "af8cdf5798d34c2d"
+ ],
+ "evidence": {
+ "pageid": 98570,
+ "revid": 1179812881,
+ "title": "Monterey Bay",
+ "url": "https://en.wikipedia.org/wiki/Monterey_Bay"
+ }
+ },
+ {
+ "id": "bd5fbd8b8b5bb96f",
+ "question": "What is Big Sur's geographic coordinates?",
+ "decomposition": [],
+ "answer": "36.299216\u00b0N 121.873402\u00b0W",
+ "depends_on": [
+ "af8cdf5798d34c2d"
+ ],
+ "evidence": {
+ "pageid": 240894,
+ "revid": 1185445814,
+ "title": "Big Sur",
+ "url": "https://en.wikipedia.org/wiki/Big_Sur"
+ }
+ }
+ ],
+ "answer": {
+ "Sonoma": "38\u00b017\u203220\u2033N 122\u00b027\u203232\u2033W",
+ "Ventura": "34\u00b016\u203230\u2033N 119\u00b013\u203240\u2033W",
+ "Monterey": "36\u00b048\u2032N 121\u00b054\u2032W",
+ "Big Sur": "36.299216\u00b0N 121.873402\u00b0W"
+ },
+ "categories": [
+ "Technology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "f752f4f9c231af4e",
+ "question": "What is the average July temperature (\u00b0F) for the top 5 most populous cities in Pennsylvania?",
+ "decomposition": [
+ {
+ "id": "e35a470cdfb8ea79",
+ "question": "What are top 5 most populous cities in Pennsylvania?",
+ "decomposition": [],
+ "answer": [
+ "Philadelphia",
+ "Pittsburgh",
+ "Allentown",
+ "Reading",
+ "Erie"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 538004,
+ "revid": 1185361648,
+ "title": "List of cities in Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/List_of_cities_in_Pennsylvania"
+ }
+ },
+ {
+ "id": "e299e6f8c1f43aff",
+ "question": "What is the average July temperature in Philadelphia?",
+ "decomposition": [],
+ "answer": 78.7,
+ "depends_on": [
+ "e35a470cdfb8ea79"
+ ],
+ "evidence": {
+ "pageid": 50585,
+ "revid": 1185804447,
+ "title": "Philadelphia",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia"
+ }
+ },
+ {
+ "id": "7f9f23a0d8ab6f57",
+ "question": "What is the average July temperature in Pittsburgh?",
+ "decomposition": [],
+ "answer": 73.2,
+ "depends_on": [
+ "e35a470cdfb8ea79"
+ ],
+ "evidence": {
+ "pageid": 25101,
+ "revid": 1185357994,
+ "title": "Pittsburgh",
+ "url": "https://en.wikipedia.org/wiki/Pittsburgh"
+ }
+ },
+ {
+ "id": "326647926f84f191",
+ "question": "What is the average July temperature in Allentown?",
+ "decomposition": [],
+ "answer": 75.6,
+ "depends_on": [
+ "e35a470cdfb8ea79"
+ ],
+ "evidence": {
+ "pageid": 132982,
+ "revid": 1185359306,
+ "title": "Allentown, Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/Allentown,_Pennsylvania"
+ }
+ },
+ {
+ "id": "8ee393e98f8a4753",
+ "question": "What is the average July temperature in Reading?",
+ "decomposition": [],
+ "answer": 76.5,
+ "depends_on": [
+ "e35a470cdfb8ea79"
+ ],
+ "evidence": {
+ "pageid": 131393,
+ "revid": 1185754030,
+ "title": "Reading, Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/Reading,_Pennsylvania"
+ }
+ },
+ {
+ "id": "2aa06e6d6800f4d2",
+ "question": "What is the average July temperature in Erie?",
+ "decomposition": [],
+ "answer": 72.7,
+ "depends_on": [
+ "e35a470cdfb8ea79"
+ ],
+ "evidence": {
+ "pageid": 132482,
+ "revid": 1185583096,
+ "title": "Erie, Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/Erie,_Pennsylvania"
+ }
+ }
+ ],
+ "answer": {
+ "Philadelphia": 78.7,
+ "Reading": 76.5,
+ "Allentown": 75.6,
+ "Pittsburgh": 73.2,
+ "Erie": 72.7
+ },
+ "categories": [
+ "Statistics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "445e0f67be85856c",
+ "question": "What are the top 5 highest grossing movies of all time(adjusted for inflation), and who was their director(s)?",
+ "decomposition": [
+ {
+ "id": "4099862af7696372",
+ "question": "What are the top 5 highest grossing movies of all time(adjusted for inflation)?",
+ "decomposition": [],
+ "answer": [
+ "Gone with the Wind",
+ "Avatar",
+ "Titanic",
+ "Star Wars",
+ "Avengers:Endgame"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59892,
+ "revid": 1185890055,
+ "title": "List of highest-grossing films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_films#Highest-grossing_films_adjusted_for_inflation"
+ }
+ },
+ {
+ "id": "c2c4062028ce9117",
+ "question": "Who was the director of Gone with the Wind?",
+ "decomposition": [],
+ "answer": "Victor Fleming",
+ "depends_on": [
+ "4099862af7696372"
+ ],
+ "evidence": {
+ "pageid": 2804704,
+ "revid": 1184487345,
+ "title": "Gone with the Wind (film)",
+ "url": "https://en.wikipedia.org/wiki/Gone_with_the_Wind_(film)"
+ }
+ },
+ {
+ "id": "2ea50b1e312c162d",
+ "question": "Who was the director of Avatar?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "4099862af7696372"
+ ],
+ "evidence": {
+ "pageid": 4273140,
+ "revid": 1185356274,
+ "title": "Avatar (2009 film)",
+ "url": "https://en.wikipedia.org/wiki/Avatar_(2009_film)"
+ }
+ },
+ {
+ "id": "398b2f6452aea5ce",
+ "question": "Who was the director of Titanic?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "4099862af7696372"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "433a60a396251ccf",
+ "question": "Who was the director of Star Wars?",
+ "decomposition": [],
+ "answer": "George Lucas",
+ "depends_on": [
+ "4099862af7696372"
+ ],
+ "evidence": {
+ "pageid": 52549,
+ "revid": 1185875981,
+ "title": "Star Wars (film)",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars_(film)"
+ }
+ },
+ {
+ "id": "4d29d6e08d1e8846",
+ "question": "Who was the the director of Avengers: Endgame?",
+ "decomposition": [],
+ "answer": "Anthony Russo, Joe Russo",
+ "depends_on": [
+ "4099862af7696372"
+ ],
+ "evidence": {
+ "pageid": 44254295,
+ "revid": 1185724642,
+ "title": "Avengers: Endgame",
+ "url": "https://en.wikipedia.org/wiki/Avengers:_Endgame"
+ }
+ }
+ ],
+ "answer": {
+ "Gone with the Wind": "Victor Fleming",
+ "Avatar": "James Cameron",
+ "Titanic": "James Cameron",
+ "Star Wars": "George Lucas",
+ "Avengers: Endgame": "Anthony Russo, Joe Russo"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "6fa1f99a764d7407",
+ "question": "What is the maximum lifespan of domestic cats in years?",
+ "decomposition": [
+ {
+ "id": "1973c7a2892195f4",
+ "question": "What are the 5 cat breeds?",
+ "decomposition": [],
+ "answer": [
+ "Persian",
+ "Burmese",
+ "British Shorthair",
+ "Exotic Shorthair",
+ "Foldex cat"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7199,
+ "revid": 1180302955,
+ "title": "List of cat breeds",
+ "url": "https://en.wikipedia.org/wiki/List_of_cat_breeds"
+ }
+ },
+ {
+ "id": "a7cb9bcc643fe13d",
+ "question": "What is the maximum lifespan of a Persian cat?",
+ "decomposition": [],
+ "answer": 17,
+ "depends_on": [
+ "1973c7a2892195f4"
+ ],
+ "evidence": {
+ "pageid": 33876998,
+ "revid": 1184412144,
+ "title": "Persian cat",
+ "url": "https://en.wikipedia.org/wiki/Persian_cat"
+ }
+ },
+ {
+ "id": "060cf399330412b3",
+ "question": "What is the maximum lifespan of a Burmese cat?",
+ "decomposition": [],
+ "answer": 17,
+ "depends_on": [
+ "1973c7a2892195f4"
+ ],
+ "evidence": {
+ "pageid": 261787,
+ "revid": 1183544055,
+ "title": "Burmese cat",
+ "url": "https://en.wikipedia.org/wiki/Burmese_cat"
+ }
+ },
+ {
+ "id": "c3b1e34b1df960f9",
+ "question": "What is the maximum lifespan of a British Shorthair cat?",
+ "decomposition": [],
+ "answer": 20,
+ "depends_on": [
+ "1973c7a2892195f4"
+ ],
+ "evidence": {
+ "pageid": 45323,
+ "revid": 1184200456,
+ "title": "British Shorthair",
+ "url": "https://en.wikipedia.org/wiki/British_Shorthair"
+ }
+ },
+ {
+ "id": "61c0969bc12b3750",
+ "question": "What is the maximum lifespan of a Exotic Shorthair cat?",
+ "decomposition": [],
+ "answer": 19,
+ "depends_on": [
+ "1973c7a2892195f4"
+ ],
+ "evidence": {
+ "pageid": 71025,
+ "revid": 1185431043,
+ "title": "Exotic Shorthair",
+ "url": "https://en.wikipedia.org/wiki/Exotic_Shorthair"
+ }
+ },
+ {
+ "id": "277a69abd7bfbf0e",
+ "question": "What is the maximum lifespan of a Foldex cat?",
+ "decomposition": [],
+ "answer": 15,
+ "depends_on": [
+ "1973c7a2892195f4"
+ ],
+ "evidence": {
+ "pageid": 48575141,
+ "revid": 1152041127,
+ "title": "Foldex cat",
+ "url": "https://en.wikipedia.org/wiki/Foldex_cat"
+ }
+ }
+ ],
+ "answer": 20,
+ "categories": [
+ "Zoology",
+ "Veterinary Science"
+ ]
+ },
+ {
+ "id": "b857dc3ac7ad967e",
+ "question": "What is the family for each type of forced bulb?",
+ "decomposition": [
+ {
+ "id": "03c9d8c0e55845af",
+ "question": "What are the names of forced bulbs?",
+ "decomposition": [],
+ "answer": [
+ "Crocus",
+ "Hippeastrum",
+ "Hyacinthus",
+ "Narcissus"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 834586,
+ "revid": 1181715747,
+ "title": "Houseplant",
+ "url": "https://en.wikipedia.org/wiki/Houseplant"
+ }
+ },
+ {
+ "id": "e67cd855af8565f5",
+ "question": "What is the family of Crocus?",
+ "decomposition": [],
+ "answer": "Iridaceae",
+ "depends_on": [
+ "03c9d8c0e55845af"
+ ],
+ "evidence": {
+ "pageid": 59637,
+ "revid": 1175711581,
+ "title": "Crocus",
+ "url": "https://en.wikipedia.org/wiki/Crocus"
+ }
+ },
+ {
+ "id": "0fc522db1ca53dc6",
+ "question": "What is the family of Hippeastrum?",
+ "decomposition": [],
+ "answer": "Amaryllidaceae",
+ "depends_on": [
+ "03c9d8c0e55845af"
+ ],
+ "evidence": {
+ "pageid": 277231,
+ "revid": 1184784589,
+ "title": "Hippeastrum",
+ "url": "https://en.wikipedia.org/wiki/Hippeastrum"
+ }
+ },
+ {
+ "id": "fc5b35ad9e481557",
+ "question": "What is the family of Hyacinthus?",
+ "decomposition": [],
+ "answer": "Asparagaceae",
+ "depends_on": [
+ "03c9d8c0e55845af"
+ ],
+ "evidence": {
+ "pageid": 407852,
+ "revid": 1185036858,
+ "title": "Hyacinth",
+ "url": "https://en.wikipedia.org/wiki/Hyacinth"
+ }
+ },
+ {
+ "id": "89a6f5dd73048410",
+ "question": "What is the family of Narcissus?",
+ "decomposition": [],
+ "answer": "Amaryllidaceae",
+ "depends_on": [
+ "03c9d8c0e55845af"
+ ],
+ "evidence": {
+ "pageid": 142854,
+ "revid": 1185699115,
+ "title": "Narcissus (plant)",
+ "url": "https://en.wikipedia.org/wiki/Narcissus_(plant)"
+ }
+ }
+ ],
+ "answer": {
+ "Crocus": "Iridaceae",
+ "Hippeastrum": "Amaryllidaceae",
+ "Hyacinthus": "Asparagaceae",
+ "Narcissus": "Amaryllidaceae"
+ },
+ "categories": [
+ "Horticulture",
+ "Botany"
+ ]
+ },
+ {
+ "id": "6b6337be2a36de78",
+ "question": "What is the country of origin of the five most popular dog breeds from 2019 club registrations?",
+ "decomposition": [
+ {
+ "id": "affdd802dcb7eef6",
+ "question": "What were the 5 most popular dog breeds from the 2019 club registrations?",
+ "decomposition": [],
+ "answer": [
+ "French Bulldog",
+ "Labrador Retriever",
+ "Golden Retriever",
+ "German Shepherd Dog",
+ "Bulldog"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9387389,
+ "revid": 1155468347,
+ "title": "List of most popular dog breeds",
+ "url": "https://en.wikipedia.org/wiki/List_of_most_popular_dog_breeds"
+ }
+ },
+ {
+ "id": "f4b98232b38b6834",
+ "question": "Where are French Bulldogs from?",
+ "decomposition": [],
+ "answer": "France",
+ "depends_on": [
+ "affdd802dcb7eef6"
+ ],
+ "evidence": {
+ "pageid": 758442,
+ "revid": 1185787075,
+ "title": "French Bulldog",
+ "url": "https://en.wikipedia.org/wiki/French_Bulldog"
+ }
+ },
+ {
+ "id": "ab60a2326e5eead1",
+ "question": "Where are Labrador Retreivers from?",
+ "decomposition": [],
+ "answer": "United Kingdom",
+ "depends_on": [
+ "affdd802dcb7eef6"
+ ],
+ "evidence": {
+ "pageid": 79280,
+ "revid": 1185677733,
+ "title": "Labrador Retriever",
+ "url": "https://en.wikipedia.org/wiki/Labrador_Retriever"
+ }
+ },
+ {
+ "id": "bed43aaddebddeac",
+ "question": "Where are Golden Retreivers from?",
+ "decomposition": [],
+ "answer": "Scotland",
+ "depends_on": [
+ "affdd802dcb7eef6"
+ ],
+ "evidence": {
+ "pageid": 21022536,
+ "revid": 1184207415,
+ "title": "Golden Retriever",
+ "url": "https://en.wikipedia.org/wiki/Golden_Retriever"
+ }
+ },
+ {
+ "id": "589022b7741ce762",
+ "question": "Where are German Shepherd Dogs from?",
+ "decomposition": [],
+ "answer": "Germany",
+ "depends_on": [
+ "affdd802dcb7eef6"
+ ],
+ "evidence": {
+ "pageid": 79289,
+ "revid": 1185371418,
+ "title": "German Shepherd",
+ "url": "https://en.wikipedia.org/wiki/German_Shepherd"
+ }
+ },
+ {
+ "id": "a2f8ab0b7adb697c",
+ "question": "Where are Bulldogs from?",
+ "decomposition": [],
+ "answer": "England",
+ "depends_on": [
+ "affdd802dcb7eef6"
+ ],
+ "evidence": {
+ "pageid": 242068,
+ "revid": 1183233776,
+ "title": "Bulldog",
+ "url": "https://en.wikipedia.org/wiki/Bulldog"
+ }
+ }
+ ],
+ "answer": {
+ "French Bulldog": "France",
+ "Labrador Retriever": "United Kingdom",
+ "Golden Retriever": "Scotland",
+ "German Shepherd Dog": "Germany",
+ "Bulldog": "England"
+ },
+ "categories": [
+ "Animal Science",
+ "Geography"
+ ]
+ },
+ {
+ "id": "8c658fbd12f23a02",
+ "question": "How many Middle Eastern OPEC countries have a monarchy?",
+ "decomposition": [
+ {
+ "id": "3d08aa8166258164",
+ "question": "Which OPEC members are middle eastern countries?",
+ "decomposition": [],
+ "answer": [
+ "Iran",
+ "Iraq",
+ "Kuwait",
+ "Saudi Arabia",
+ "United Arab Emirates"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 166346,
+ "revid": 1184351405,
+ "title": "OPEC",
+ "url": "https://en.wikipedia.org/wiki/OPEC#Membership"
+ }
+ },
+ {
+ "id": "1333c22df1b0b043",
+ "question": "Does Iran have a monarchy?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "3d08aa8166258164"
+ ],
+ "evidence": {
+ "pageid": 14653,
+ "revid": 1185904283,
+ "title": "Iran",
+ "url": "https://en.wikipedia.org/wiki/Iran"
+ }
+ },
+ {
+ "id": "bc7f1add15a9fdf7",
+ "question": "Does Iraq have a monarchy?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "3d08aa8166258164"
+ ],
+ "evidence": {
+ "pageid": 7515928,
+ "revid": 1185532020,
+ "title": "Iraq",
+ "url": "https://en.wikipedia.org/wiki/Iraq"
+ }
+ },
+ {
+ "id": "9dfa70f92ea8e856",
+ "question": "Does Kuwait have a monarchy?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "3d08aa8166258164"
+ ],
+ "evidence": {
+ "pageid": 7515890,
+ "revid": 1185880169,
+ "title": "Kuwait",
+ "url": "https://en.wikipedia.org/wiki/Kuwait"
+ }
+ },
+ {
+ "id": "cc7459963d2d646c",
+ "question": "Does Saudi Arabia have a monarchy?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "3d08aa8166258164"
+ ],
+ "evidence": {
+ "pageid": 349303,
+ "revid": 1185594377,
+ "title": "Saudi Arabia",
+ "url": "https://en.wikipedia.org/wiki/Saudi_Arabia"
+ }
+ },
+ {
+ "id": "e5df6562b59900ac",
+ "question": "Does United Arab Emirates have a monarchy?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "3d08aa8166258164"
+ ],
+ "evidence": {
+ "pageid": 69328,
+ "revid": 1185052525,
+ "title": "United Arab Emirates",
+ "url": "https://en.wikipedia.org/wiki/United_Arab_Emirates"
+ }
+ }
+ ],
+ "answer": 3,
+ "categories": [
+ "Economics",
+ "Politics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "770809245b756930",
+ "question": "Who are the top 5 Premier League teams with the most titles, and who are their top scorers along with the total number of goals they have scored in their careers?",
+ "decomposition": [
+ {
+ "id": "94f09bba60f9c7f4",
+ "question": "What are the top 5 Premier League teams with the most number of Premier League titles?",
+ "decomposition": [],
+ "answer": [
+ "Manchester United",
+ "Liverpool",
+ "Arsenal",
+ "Chelsea",
+ "Manchester City"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11250,
+ "revid": 1184921779,
+ "title": "Premier League",
+ "url": "https://en.wikipedia.org/wiki/Premier_League"
+ }
+ },
+ {
+ "id": "6feeb5f2341f3252",
+ "question": "Who is the top scorer for Manchester United and how many goals has he scored?",
+ "decomposition": [
+ {
+ "id": "f144ccd2021095b0",
+ "question": "Who is the top scorer for Manchester United?",
+ "decomposition": [],
+ "answer": "Wayne Rooney",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19961,
+ "revid": 1185557328,
+ "title": "Manchester United F.C.",
+ "url": "https://en.wikipedia.org/wiki/Manchester_United_F.C."
+ }
+ },
+ {
+ "id": "d30be803d1300227",
+ "question": "How many goals has Wayne Rooney scored in his career overall?",
+ "decomposition": [],
+ "answer": "366",
+ "depends_on": [
+ "f144ccd2021095b0"
+ ],
+ "evidence": {
+ "pageid": 199445,
+ "revid": 1185597101,
+ "title": "Wayne Rooney",
+ "url": "https://en.wikipedia.org/wiki/Wayne_Rooney"
+ }
+ }
+ ],
+ "answer": {
+ "Wayne Rooney": "366"
+ },
+ "depends_on": [
+ "94f09bba60f9c7f4"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "bf7c0d026c143217",
+ "question": "Who is the top scorer for Liverpool and how many goals has he scored?",
+ "decomposition": [
+ {
+ "id": "09a2eda2841cd9ef",
+ "question": "Who is the top scorer for Liverpool?",
+ "decomposition": [],
+ "answer": "Ian Rush",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 18119,
+ "revid": 1184583361,
+ "title": "Liverpool F.C.",
+ "url": "https://en.wikipedia.org/wiki/Liverpool_F.C."
+ }
+ },
+ {
+ "id": "5d985a239b95d8ae",
+ "question": "How many goals has Ian Rush scored in his career overall?",
+ "decomposition": [],
+ "answer": "346",
+ "depends_on": [
+ "09a2eda2841cd9ef"
+ ],
+ "evidence": {
+ "pageid": 413277,
+ "revid": 1185835029,
+ "title": "Ian Rush",
+ "url": "https://en.wikipedia.org/wiki/Ian_Rush"
+ }
+ }
+ ],
+ "answer": {
+ "Ian Rush": "346"
+ },
+ "depends_on": [
+ "94f09bba60f9c7f4"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "ec39b6ef3b88a9c6",
+ "question": "Who is the top scorer for Arsenal and how many goals has he scored?",
+ "decomposition": [
+ {
+ "id": "11f7a3234f94135a",
+ "question": "Who is the top scorer for Arsenal?",
+ "decomposition": [],
+ "answer": "Thierry Henry",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2174,
+ "revid": 1184693991,
+ "title": "Arsenal F.C.",
+ "url": "https://en.wikipedia.org/wiki/Arsenal_F.C."
+ }
+ },
+ {
+ "id": "8207b76134e35ac9",
+ "question": "How many goals has Thierry Henry scored in his career overall?",
+ "decomposition": [],
+ "answer": "411",
+ "depends_on": [
+ "11f7a3234f94135a"
+ ],
+ "evidence": {
+ "pageid": 220160,
+ "revid": 1185676516,
+ "title": "Thierry Henry",
+ "url": "https://en.wikipedia.org/wiki/Thierry_Henry"
+ }
+ }
+ ],
+ "answer": {
+ "Thierry Henry": "411"
+ },
+ "depends_on": [
+ "94f09bba60f9c7f4"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "e97a16494b14b29b",
+ "question": "Who is the top scorer for Chelsea and how many goals has he scored?",
+ "decomposition": [
+ {
+ "id": "352ab6e4c9c06bc4",
+ "question": "Who is the top scorer for Chelsea?",
+ "decomposition": [],
+ "answer": "Frank Lampard",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7473,
+ "revid": 1184767711,
+ "title": "Chelsea F.C.",
+ "url": "https://en.wikipedia.org/wiki/Chelsea_F.C."
+ }
+ },
+ {
+ "id": "7d5c48af8c189656",
+ "question": "How many goals has Frank Lampard scored in his career overall?",
+ "decomposition": [],
+ "answer": "302",
+ "depends_on": [
+ "352ab6e4c9c06bc4"
+ ],
+ "evidence": {
+ "pageid": 708834,
+ "revid": 1182712596,
+ "title": "Frank Lampard",
+ "url": "https://en.wikipedia.org/wiki/Frank_Lampard"
+ }
+ }
+ ],
+ "answer": {
+ "Frank Lampard": "302"
+ },
+ "depends_on": [
+ "94f09bba60f9c7f4"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "79fb8a26941ffb12",
+ "question": "Who is the top scorer for Manchester City and how many goals has he scored?",
+ "decomposition": [
+ {
+ "id": "83e8666afbddc53a",
+ "question": "Who is the top scorer for Manchester City?",
+ "decomposition": [],
+ "answer": "Sergio Ag\u00fcero",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 165813,
+ "revid": 1185536314,
+ "title": "Manchester City F.C.",
+ "url": "https://en.wikipedia.org/wiki/Manchester_City_F.C."
+ }
+ },
+ {
+ "id": "da2a51067946ac55",
+ "question": "How many goals has Sergio Ag\u00fcero scored in his career overall?",
+ "decomposition": [],
+ "answer": "390",
+ "depends_on": [
+ "83e8666afbddc53a"
+ ],
+ "evidence": {
+ "pageid": 3406259,
+ "revid": 1185210409,
+ "title": "Sergio Ag\u00fcero",
+ "url": "https://en.wikipedia.org/wiki/Sergio_Ag%C3%BCero"
+ }
+ }
+ ],
+ "answer": {
+ "Sergio Aguero": "390"
+ },
+ "depends_on": [
+ "94f09bba60f9c7f4"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Wayne Rooney": "366",
+ "Ian Rush": "346",
+ "Thierry Henry": "411",
+ "Frank Lampard": "302",
+ "Sergio Ag\u00fcero": "390"
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "0f812852d0bd9366",
+ "question": "Who were the nominees for Best New Artist at the 57th Annual Grammy Awards, and what countries were they born in (for individuals) or originated in (for bands)?",
+ "decomposition": [
+ {
+ "id": "38bda48cb350ca30",
+ "question": "Who were the nominees for Best New Artist at the 57th Annual Grammy Awards?",
+ "decomposition": [],
+ "answer": [
+ "Sam Smith",
+ "Iggy Azalea",
+ "Bastille",
+ "Brandy Clark",
+ "HAIM"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39384064,
+ "revid": 1184283704,
+ "title": "57th Annual Grammy Awards",
+ "url": "https://en.wikipedia.org/wiki/57th_Annual_Grammy_Awards"
+ }
+ },
+ {
+ "id": "108b4725d7528f30",
+ "question": "What country was Sam Smith born in?",
+ "decomposition": [],
+ "answer": "England",
+ "depends_on": [
+ "38bda48cb350ca30"
+ ],
+ "evidence": {
+ "pageid": 38954428,
+ "revid": 1185461693,
+ "title": "Sam Smith",
+ "url": "https://en.wikipedia.org/wiki/Sam_Smith"
+ }
+ },
+ {
+ "id": "055022b6e51a7f8a",
+ "question": "What country was Iggy Azalea born in?",
+ "decomposition": [],
+ "answer": "Australia",
+ "depends_on": [
+ "38bda48cb350ca30"
+ ],
+ "evidence": {
+ "pageid": 33715219,
+ "revid": 1184858283,
+ "title": "Iggy Azalea",
+ "url": "https://en.wikipedia.org/wiki/Iggy_Azalea"
+ }
+ },
+ {
+ "id": "defae7c7e793b38a",
+ "question": "What country was Bastille originated in?",
+ "decomposition": [],
+ "answer": "England",
+ "depends_on": [
+ "38bda48cb350ca30"
+ ],
+ "evidence": {
+ "pageid": 36888630,
+ "revid": 1182069764,
+ "title": "Bastille (band)",
+ "url": "https://en.wikipedia.org/wiki/Bastille_(band)"
+ }
+ },
+ {
+ "id": "f420a592530c1dd7",
+ "question": "What country was Brandy Clark born in?",
+ "decomposition": [],
+ "answer": "United States",
+ "depends_on": [
+ "38bda48cb350ca30"
+ ],
+ "evidence": {
+ "pageid": 38210439,
+ "revid": 1185141964,
+ "title": "Brandy Clark",
+ "url": "https://en.wikipedia.org/wiki/Brandy_Clark"
+ }
+ },
+ {
+ "id": "d53cb5589ddb2d36",
+ "question": "What country was HAIM originated in?",
+ "decomposition": [],
+ "answer": "United States",
+ "depends_on": [
+ "38bda48cb350ca30"
+ ],
+ "evidence": {
+ "pageid": 35589352,
+ "revid": 1183414491,
+ "title": "Haim (band)",
+ "url": "https://en.wikipedia.org/wiki/Haim_(band)"
+ }
+ }
+ ],
+ "answer": {
+ "Sam Smith": "England",
+ "Iggy Azalea": "Australia",
+ "Bastille": "England",
+ "Brandy Clark": "United States",
+ "HAIM": "United States"
+ },
+ "categories": [
+ "Music",
+ "Geography"
+ ]
+ },
+ {
+ "id": "422badb7ef6342da",
+ "question": "Find the Best Director Oscar winners from the past five years. What are their names and what are their latest works?",
+ "decomposition": [
+ {
+ "id": "17254a24f167954f",
+ "question": "What are the Best Director Oscar winners from the past five years?",
+ "decomposition": [],
+ "answer": [
+ "Daniel Kwan and Daniel Scheinert",
+ "Jane Campion",
+ "Chlo\u00e9 Zhao",
+ "Bong Joon-ho",
+ "Alfonso Cuar\u00f3n"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 62009,
+ "revid": 1183017694,
+ "title": "Academy Award for Best Director",
+ "url": "https://en.wikipedia.org/wiki/Academy_Award_for_Best_Director"
+ }
+ },
+ {
+ "id": "a79d2e8a71c0c322",
+ "question": "What is the directors Daniel Kwan and Daniel Scheinert's latest work?",
+ "decomposition": [],
+ "answer": "Everything Everywhere All at Once",
+ "depends_on": [
+ "17254a24f167954f"
+ ],
+ "evidence": {
+ "pageid": 54077203,
+ "revid": 1185337007,
+ "title": "Daniels (directors)",
+ "url": "https://en.wikipedia.org/wiki/Daniels_(directors)"
+ }
+ },
+ {
+ "id": "dcd113d7c366068b",
+ "question": "What is the director Jane Campion's latest work?",
+ "decomposition": [],
+ "answer": "The Power of the Dog",
+ "depends_on": [
+ "17254a24f167954f"
+ ],
+ "evidence": {
+ "pageid": 571203,
+ "revid": 1181998707,
+ "title": "Jane Campion",
+ "url": "https://en.wikipedia.org/wiki/Jane_Campion"
+ }
+ },
+ {
+ "id": "a9d98482f293840b",
+ "question": "What is the director Chlo\u00e9 Zhao's latest work?",
+ "decomposition": [],
+ "answer": "Eternals",
+ "depends_on": [
+ "17254a24f167954f"
+ ],
+ "evidence": {
+ "pageid": 48750119,
+ "revid": 1185651345,
+ "title": "Chlo\u00e9 Zhao",
+ "url": "https://en.wikipedia.org/wiki/Chlo%C3%A9_Zhao"
+ }
+ },
+ {
+ "id": "4861549bc3b6468a",
+ "question": "What is the director Bong Joon-ho's latest work?",
+ "decomposition": [],
+ "answer": "Mickey 17",
+ "depends_on": [
+ "17254a24f167954f"
+ ],
+ "evidence": {
+ "pageid": 3590825,
+ "revid": 1185653563,
+ "title": "Bong Joon-ho",
+ "url": "https://en.wikipedia.org/wiki/Bong_Joon-ho"
+ }
+ },
+ {
+ "id": "f4e1c432324aa375",
+ "question": "What is the director Alfonso Cuar\u00f3n's latest work?",
+ "decomposition": [],
+ "answer": "Roma",
+ "depends_on": [
+ "17254a24f167954f"
+ ],
+ "evidence": {
+ "pageid": 1247,
+ "revid": 1179631383,
+ "title": "Alfonso Cuar\u00f3n",
+ "url": "https://en.wikipedia.org/wiki/Alfonso_Cuar%C3%B3n"
+ }
+ }
+ ],
+ "answer": {
+ "Daniel Kwan and Daniel Scheinert": "Everything Everywhere All at Once",
+ "Jane Campion": "The Power of the Dog",
+ "Chlo\u00e9 Zhao": "Eternals",
+ "Bong Joon-ho": "Mickey 17",
+ "Alfonso Cuar\u00f3n": "Roma"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "59f805bb72e71948",
+ "question": "What is the student population of the 5 oldest universities in the world?",
+ "decomposition": [
+ {
+ "id": "cfb077be721c7db4",
+ "question": "What are the 5 oldest universities in the world?",
+ "decomposition": [],
+ "answer": [
+ "University of Bologna",
+ "University of Oxford",
+ "University of Cambridge",
+ "University of Salamanca",
+ "University of Padua"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 363897,
+ "revid": 1185805305,
+ "title": "List of oldest universities in continuous operation",
+ "url": "https://en.wikipedia.org/wiki/List_of_oldest_universities_in_continuous_operation"
+ }
+ },
+ {
+ "id": "e2954c52f4cd8a4e",
+ "question": "What is the student population of the University of Bologna?",
+ "decomposition": [],
+ "answer": 90291,
+ "depends_on": [
+ "cfb077be721c7db4"
+ ],
+ "evidence": {
+ "pageid": 263329,
+ "revid": 1185930444,
+ "title": "University of Bologna",
+ "url": "https://en.wikipedia.org/wiki/University_of_Bologna"
+ }
+ },
+ {
+ "id": "80b7aced31e4514c",
+ "question": "What is the student population of the University of Oxford?",
+ "decomposition": [],
+ "answer": 26497,
+ "depends_on": [
+ "cfb077be721c7db4"
+ ],
+ "evidence": {
+ "pageid": 31797,
+ "revid": 1185874759,
+ "title": "University of Oxford",
+ "url": "https://en.wikipedia.org/wiki/University_of_Oxford"
+ }
+ },
+ {
+ "id": "fd03ec40fbc87096",
+ "question": "What is the undergraduate population of the University of Cambridge?",
+ "decomposition": [],
+ "answer": 24450,
+ "depends_on": [
+ "cfb077be721c7db4"
+ ],
+ "evidence": {
+ "pageid": 25978572,
+ "revid": 1184522407,
+ "title": "University of Cambridge",
+ "url": "https://en.wikipedia.org/wiki/University_of_Cambridge"
+ }
+ },
+ {
+ "id": "c6a046392f2906de",
+ "question": "What is the undergraduate population of the University of Salamanca?",
+ "decomposition": [],
+ "answer": 30000,
+ "depends_on": [
+ "cfb077be721c7db4"
+ ],
+ "evidence": {
+ "pageid": 579740,
+ "revid": 1185931599,
+ "title": "University of Salamanca",
+ "url": "https://en.wikipedia.org/wiki/University_of_Salamanca"
+ }
+ },
+ {
+ "id": "2ca9b142fd5e0c73",
+ "question": "What is the undergraduate population of the University of Padua?",
+ "decomposition": [],
+ "answer": 72280,
+ "depends_on": [
+ "cfb077be721c7db4"
+ ],
+ "evidence": {
+ "pageid": 378253,
+ "revid": 1184553165,
+ "title": "University of Padua",
+ "url": "https://en.wikipedia.org/wiki/University_of_Padua"
+ }
+ }
+ ],
+ "answer": {
+ "University of Bologna": 90291,
+ "University of Oxford": 26497,
+ "University of Cambridge": 24450,
+ "University of Salamanca": 30000,
+ "University of Padua": 72280
+ },
+ "categories": [
+ "Education",
+ "History"
+ ]
+ },
+ {
+ "id": "8eb84e291eb8c01c",
+ "question": "Who were the first five provosts of the University of Pennsylvania (including any repetitions), and where were they born?",
+ "decomposition": [
+ {
+ "id": "ed0dff347ea115ce",
+ "question": "Who are the first five provosts of the University of Pennsylvania?",
+ "decomposition": [],
+ "answer": [
+ "George Whitefield",
+ "Benjamin Franklin",
+ "William Smith",
+ "John Ewing",
+ "John Andrews"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 35033632,
+ "revid": 1148715543,
+ "title": "List of presidents of the University of Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/List_of_presidents_of_the_University_of_Pennsylvania"
+ }
+ },
+ {
+ "id": "f9d09711edc62030",
+ "question": "Where was George Whitefield born?",
+ "decomposition": [],
+ "answer": "Gloucester, United Kingdom",
+ "depends_on": [
+ "ed0dff347ea115ce"
+ ],
+ "evidence": {
+ "pageid": 40405,
+ "revid": 1185587293,
+ "title": "George Whitefield",
+ "url": "https://en.wikipedia.org/wiki/George_Whitefield"
+ }
+ },
+ {
+ "id": "3f4b2c7cac85b04a",
+ "question": "Where was Benjamin Franklin born?",
+ "decomposition": [],
+ "answer": "Boston, United States",
+ "depends_on": [
+ "ed0dff347ea115ce"
+ ],
+ "evidence": {
+ "pageid": 3986,
+ "revid": 1185316632,
+ "title": "Benjamin Franklin",
+ "url": "https://en.wikipedia.org/wiki/Benjamin_Franklin"
+ }
+ },
+ {
+ "id": "6d1b88912e587655",
+ "question": "Where was William Smith born?",
+ "decomposition": [],
+ "answer": "Scotland, United Kingdom",
+ "depends_on": [
+ "ed0dff347ea115ce"
+ ],
+ "evidence": {
+ "pageid": 7817897,
+ "revid": 1172896212,
+ "title": "William Smith (Episcopal priest)",
+ "url": "https://en.wikipedia.org/wiki/William_Smith_(Episcopal_priest)"
+ }
+ },
+ {
+ "id": "796b9ab5b9d286cc",
+ "question": "Where was John Ewing born?",
+ "decomposition": [],
+ "answer": "Maryland, United States",
+ "depends_on": [
+ "ed0dff347ea115ce"
+ ],
+ "evidence": {
+ "pageid": 39427203,
+ "revid": 1145092098,
+ "title": "John Ewing (pastor)",
+ "url": "https://en.wikipedia.org/wiki/John_Ewing_(pastor)"
+ }
+ },
+ {
+ "id": "e2c186f70916b4fd",
+ "question": "Where was John Andrews born?",
+ "decomposition": [],
+ "answer": "Maryland, United States",
+ "depends_on": [
+ "ed0dff347ea115ce"
+ ],
+ "evidence": {
+ "pageid": 6145761,
+ "revid": 1090515549,
+ "title": "John Andrews (priest)",
+ "url": "https://en.wikipedia.org/wiki/John_Andrews_(priest)"
+ }
+ }
+ ],
+ "answer": {
+ "George Whitefield": "Gloucester, United Kingdom",
+ "Benjamin Franklin": "Boston, United States",
+ "William Smith": "Scotland, United Kingdom",
+ "John Ewing": "Maryland, United States",
+ "John Andrews": "Maryland, United States"
+ },
+ "categories": [
+ "History",
+ "Education"
+ ]
+ },
+ {
+ "id": "e0f33fcd235a75e8",
+ "question": "How many division titles have the following teams won: Golden State Warriors, Cleveland Cavaliers, New York Knicks, Toronto Raptors, and Boston Celtics?",
+ "decomposition": [
+ {
+ "id": "a70c61a30b849c9d",
+ "question": "How many division titles has the Golden State Warriors won?",
+ "decomposition": [],
+ "answer": 12,
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72891,
+ "revid": 1185524785,
+ "title": "Golden State Warriors",
+ "url": "https://en.wikipedia.org/wiki/Golden_State_Warriors"
+ }
+ },
+ {
+ "id": "550770616603fcf9",
+ "question": "How many division titles has the Cleveland Cavalier won?",
+ "decomposition": [],
+ "answer": 7,
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72868,
+ "revid": 1185865501,
+ "title": "Cleveland Cavaliers",
+ "url": "https://en.wikipedia.org/wiki/Cleveland_Cavaliers"
+ }
+ },
+ {
+ "id": "baab4ba83ea684c2",
+ "question": "How many division titles has the New York Knicks won?",
+ "decomposition": [],
+ "answer": 8,
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72855,
+ "revid": 1185054078,
+ "title": "New York Knicks",
+ "url": "https://en.wikipedia.org/wiki/New_York_Knicks"
+ }
+ },
+ {
+ "id": "dafd2d8a124bd41d",
+ "question": "How many division titles has the Toronto Raptors won?",
+ "decomposition": [],
+ "answer": 7,
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72879,
+ "revid": 1185022205,
+ "title": "Toronto Raptors",
+ "url": "https://en.wikipedia.org/wiki/Toronto_Raptors"
+ }
+ },
+ {
+ "id": "3e56bc80b2afe5cb",
+ "question": "How many division titles has the Boston Celtics won?",
+ "decomposition": [],
+ "answer": 33,
+ "depends_on": [],
+ "evidence": {
+ "pageid": 43376,
+ "revid": 1185606648,
+ "title": "Boston Celtics",
+ "url": "https://en.wikipedia.org/wiki/Boston_Celtics"
+ }
+ }
+ ],
+ "answer": {
+ "Golden State Warriors": 12,
+ "Cleveland Cavalier": 7,
+ "New York Knicks": 8,
+ "Toronto Raptors": 7,
+ "Boston Celtics": 33
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "efac681de642e27c",
+ "question": "Identify the countries in South Asia and the name of the anthems of each of these countries in english text(untranslated)",
+ "decomposition": [
+ {
+ "id": "b5c3eeed14b0a1ca",
+ "question": "Which countries are a part of South Asia?",
+ "decomposition": [],
+ "answer": "Afghanistan, Bangladesh, Bhutan, India, Maldives, Nepal, Pakistan, Sri Lanka",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21566765,
+ "revid": 1185866466,
+ "title": "South Asia",
+ "url": "https://en.wikipedia.org/wiki/South_Asia"
+ }
+ },
+ {
+ "id": "a84c504b3042958c",
+ "question": "What is Afghanistan's national anthem called?",
+ "decomposition": [],
+ "answer": "D\u0101 D\u0259 B\u0101tor\u0101no Kor",
+ "depends_on": [
+ "b5c3eeed14b0a1ca"
+ ],
+ "evidence": {
+ "pageid": 737,
+ "revid": 1183877144,
+ "title": "Afghanistan",
+ "url": "https://en.wikipedia.org/wiki/Afghanistan"
+ }
+ },
+ {
+ "id": "e46c4be5a5bf6973",
+ "question": "What is Bangladesh's national anthem called?",
+ "decomposition": [],
+ "answer": "Amar Sonar Bangla",
+ "depends_on": [
+ "b5c3eeed14b0a1ca"
+ ],
+ "evidence": {
+ "pageid": 3454,
+ "revid": 1185328870,
+ "title": "Bangladesh",
+ "url": "https://en.wikipedia.org/wiki/Bangladesh"
+ }
+ },
+ {
+ "id": "84c99d75847e9587",
+ "question": "What is Bhutan's national anthem called?",
+ "decomposition": [],
+ "answer": "Druk Tsenden",
+ "depends_on": [
+ "b5c3eeed14b0a1ca"
+ ],
+ "evidence": {
+ "pageid": 2421391,
+ "revid": 1185732297,
+ "title": "Bhutan",
+ "url": "https://en.wikipedia.org/wiki/Bhutan"
+ }
+ },
+ {
+ "id": "f6abb74f434359a1",
+ "question": "What is India's national anthem called?",
+ "decomposition": [],
+ "answer": "Jana Gana Mana",
+ "depends_on": [
+ "b5c3eeed14b0a1ca"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ },
+ {
+ "id": "92c22da74be56f60",
+ "question": "What is Maldives's national anthem called?",
+ "decomposition": [],
+ "answer": "Qaumee Salaam",
+ "depends_on": [
+ "b5c3eeed14b0a1ca"
+ ],
+ "evidence": {
+ "pageid": 19117,
+ "revid": 1185750716,
+ "title": "Maldives",
+ "url": "https://en.wikipedia.org/wiki/Maldives"
+ }
+ },
+ {
+ "id": "d0b085699b0542b6",
+ "question": "What is Nepal's national anthem called?",
+ "decomposition": [],
+ "answer": "Sayaun Thunga Phulka",
+ "depends_on": [
+ "b5c3eeed14b0a1ca"
+ ],
+ "evidence": {
+ "pageid": 171166,
+ "revid": 1185715322,
+ "title": "Nepal",
+ "url": "https://en.wikipedia.org/wiki/Nepal"
+ }
+ },
+ {
+ "id": "d217d1e936cb7eb1",
+ "question": "What is Pakistan's national anthem called?",
+ "decomposition": [],
+ "answer": "Qaum\u012b Tar\u0101nah",
+ "depends_on": [
+ "b5c3eeed14b0a1ca"
+ ],
+ "evidence": {
+ "pageid": 23235,
+ "revid": 1185285398,
+ "title": "Pakistan",
+ "url": "https://en.wikipedia.org/wiki/Pakistan"
+ }
+ },
+ {
+ "id": "5bb66705fb405946",
+ "question": "What is Sri Lanka's national anthem called?",
+ "decomposition": [],
+ "answer": "Sri Lanka Matha",
+ "depends_on": [
+ "b5c3eeed14b0a1ca"
+ ],
+ "evidence": {
+ "pageid": 26750,
+ "revid": 1185698396,
+ "title": "Sri Lanka",
+ "url": "https://en.wikipedia.org/wiki/Sri_Lanka"
+ }
+ }
+ ],
+ "answer": {
+ "Afghanistan": "D\u0101 D\u0259 B\u0101tor\u0101no Kor",
+ "Bangladesh": "Amar Sonar Bangla",
+ "Bhutan": "Druk Tsenden",
+ "India": "Jana Gana Mana",
+ "Maldives": "Qaumee Salaam",
+ "Nepal": "Sayaun Thunga Phulka",
+ "Pakistan": "Qaum\u012b Tar\u0101nah",
+ "Sri Lanka": "Sri Lanka Matha"
+ },
+ "categories": [
+ "Music",
+ "Culture",
+ "Geography"
+ ]
+ },
+ {
+ "id": "a90c1950a436a505",
+ "question": "What are the highest elevations in meters of the 5 most populated cities in the world?",
+ "decomposition": [
+ {
+ "id": "d7c71e28b0b373ba",
+ "question": "What are the 5 most populated cities in the world?",
+ "decomposition": [],
+ "answer": [
+ "Tokyo",
+ "Delhi",
+ "Shanghai",
+ "S\u00e3o Paulo",
+ "Mexico City"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14649921,
+ "revid": 1184671739,
+ "title": "List of largest cities",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_cities"
+ }
+ },
+ {
+ "id": "ea38c1af48f6491f",
+ "question": "What is the highest elevation of Tokyo?",
+ "decomposition": [],
+ "answer": "2017m",
+ "depends_on": [
+ "d7c71e28b0b373ba"
+ ],
+ "evidence": {
+ "pageid": 30057,
+ "revid": 1185512854,
+ "title": "Tokyo",
+ "url": "https://en.wikipedia.org/wiki/Tokyo"
+ }
+ },
+ {
+ "id": "88b815f8a0f99efc",
+ "question": "What is the highest elevation of Delhi?",
+ "decomposition": [],
+ "answer": "250m",
+ "depends_on": [
+ "d7c71e28b0b373ba"
+ ],
+ "evidence": {
+ "pageid": 37756,
+ "revid": 1185858759,
+ "title": "Delhi",
+ "url": "https://en.wikipedia.org/wiki/Delhi"
+ }
+ },
+ {
+ "id": "4d2f91d45dc2937c",
+ "question": "What is the highest elevation of Shanghai?",
+ "decomposition": [],
+ "answer": "118m",
+ "depends_on": [
+ "d7c71e28b0b373ba"
+ ],
+ "evidence": {
+ "pageid": 27643,
+ "revid": 1185922962,
+ "title": "Shanghai",
+ "url": "https://en.wikipedia.org/wiki/Shanghai"
+ }
+ },
+ {
+ "id": "9417d87cde042be7",
+ "question": "What is the highest elevation of S\u00e3o Paulo?",
+ "decomposition": [],
+ "answer": "760m",
+ "depends_on": [
+ "d7c71e28b0b373ba"
+ ],
+ "evidence": {
+ "pageid": 390875,
+ "revid": 1185771387,
+ "title": "S\u00e3o Paulo",
+ "url": "https://en.wikipedia.org/wiki/S%C3%A3o_Paulo"
+ }
+ },
+ {
+ "id": "2949ed2984cfff44",
+ "question": "What is the highest elevation of Mexico City?",
+ "decomposition": [],
+ "answer": "3930m",
+ "depends_on": [
+ "d7c71e28b0b373ba"
+ ],
+ "evidence": {
+ "pageid": 18987,
+ "revid": 1185243080,
+ "title": "Mexico City",
+ "url": "https://en.wikipedia.org/wiki/Mexico_City"
+ }
+ }
+ ],
+ "answer": {
+ "Tokyo": "2017m",
+ "Delhi": "250m",
+ "Shanghai": "118m",
+ "S\u00e3o Paulo": "760m",
+ "Mexico City": "3930m"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "6b8cd6af029a0f60",
+ "question": "Which of Korean rock band 'Day6''s studio albums has the most songs?",
+ "decomposition": [
+ {
+ "id": "b79efae182f31e7b",
+ "question": "What are the studio albums of Korean rock band 'Day6'?",
+ "decomposition": [],
+ "answer": [
+ "Sunrise",
+ "Moonrise",
+ "Unlock",
+ "The Book of Us: Entropy"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 60254944,
+ "revid": 1185318885,
+ "title": "2022 in film",
+ "url": "https://en.wikipedia.org/wiki/2022_in_film"
+ }
+ },
+ {
+ "id": "2b515ca75fff4ad4",
+ "question": "How many songs does 'Sunrise' have?",
+ "decomposition": [],
+ "answer": 14,
+ "depends_on": [
+ "b79efae182f31e7b"
+ ],
+ "evidence": {
+ "pageid": 54189824,
+ "revid": 1146157015,
+ "title": "Sunrise (Day6 album)",
+ "url": "https://en.wikipedia.org/wiki/Sunrise_(Day6_album)"
+ }
+ },
+ {
+ "id": "e52c4442fee89119",
+ "question": "How many songs does 'Moonrise' have?",
+ "decomposition": [],
+ "answer": 18,
+ "depends_on": [
+ "b79efae182f31e7b"
+ ],
+ "evidence": {
+ "pageid": 55851689,
+ "revid": 1031007573,
+ "title": "Moonrise (Day6 album)",
+ "url": "https://en.wikipedia.org/wiki/Moonrise_(Day6_album)"
+ }
+ },
+ {
+ "id": "e45e0ff9ca1f3391",
+ "question": "How many songs does 'Unlock' have?",
+ "decomposition": [],
+ "answer": 10,
+ "depends_on": [
+ "b79efae182f31e7b"
+ ],
+ "evidence": {
+ "pageid": 59846764,
+ "revid": 1168510880,
+ "title": "Unlock (album)",
+ "url": "https://en.wikipedia.org/wiki/Unlock_(album)"
+ }
+ },
+ {
+ "id": "34edeb32d64d6d5d",
+ "question": "How many songs does 'The BOok of Us: Entropy' have?",
+ "decomposition": [],
+ "answer": 11,
+ "depends_on": [
+ "b79efae182f31e7b"
+ ],
+ "evidence": {
+ "pageid": 62129662,
+ "revid": 1177328366,
+ "title": "The Book of Us: Entropy",
+ "url": "https://en.wikipedia.org/wiki/The_Book_of_Us:_Entropy"
+ }
+ }
+ ],
+ "answer": "Moonrise",
+ "categories": [
+ "Music"
+ ]
+ },
+ {
+ "id": "a4fce4467c556229",
+ "question": "Who were the top five richest people in the United States in 2022, and what undergraduate university did they attend?",
+ "decomposition": [
+ {
+ "id": "9ce6e1c7b302e6bb",
+ "question": "Who were the top five richest people in the United States in 2022?",
+ "decomposition": [],
+ "answer": [
+ "Elon Musk",
+ "Jeff Bezos",
+ "Bill Gates",
+ "Warren Buffet",
+ "Larry Page"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 33331732,
+ "revid": 1185895137,
+ "title": "The World's Billionaires",
+ "url": "https://en.wikipedia.org/wiki/The_World%27s_Billionaires"
+ }
+ },
+ {
+ "id": "5b0822b508710e57",
+ "question": "What university did Elon Musk attend?",
+ "decomposition": [],
+ "answer": "University of Pennsylvania",
+ "depends_on": [
+ "9ce6e1c7b302e6bb"
+ ],
+ "evidence": {
+ "pageid": 909036,
+ "revid": 1185947144,
+ "title": "Elon Musk",
+ "url": "https://en.wikipedia.org/wiki/Elon_Musk"
+ }
+ },
+ {
+ "id": "a26019cfa8a2e5e1",
+ "question": "What university did Jeff Bezos attend?",
+ "decomposition": [],
+ "answer": "Princeton University",
+ "depends_on": [
+ "9ce6e1c7b302e6bb"
+ ],
+ "evidence": {
+ "pageid": 142528,
+ "revid": 1185613326,
+ "title": "Jeff Bezos",
+ "url": "https://en.wikipedia.org/wiki/Jeff_Bezos"
+ }
+ },
+ {
+ "id": "5087e13012b05f6f",
+ "question": "What university did Bill Gates attend?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "9ce6e1c7b302e6bb"
+ ],
+ "evidence": {
+ "pageid": 3747,
+ "revid": 1185818230,
+ "title": "Bill Gates",
+ "url": "https://en.wikipedia.org/wiki/Bill_Gates"
+ }
+ },
+ {
+ "id": "4365d5188fa6a41c",
+ "question": "What university did Warren Buffet attend?",
+ "decomposition": [],
+ "answer": "University of Nebraska-Lincoln",
+ "depends_on": [
+ "9ce6e1c7b302e6bb"
+ ],
+ "evidence": {
+ "pageid": 211518,
+ "revid": 1185766748,
+ "title": "Warren Buffett",
+ "url": "https://en.wikipedia.org/wiki/Warren_Buffett"
+ }
+ },
+ {
+ "id": "9d6a8362d9f57f0b",
+ "question": "What university did Larry Page attend?",
+ "decomposition": [],
+ "answer": "University of Michigan",
+ "depends_on": [
+ "9ce6e1c7b302e6bb"
+ ],
+ "evidence": {
+ "pageid": 60903,
+ "revid": 1183865559,
+ "title": "Larry Page",
+ "url": "https://en.wikipedia.org/wiki/Larry_Page"
+ }
+ }
+ ],
+ "answer": {
+ "Elon Musk": "University of Pennsylvania",
+ "Jeff Bezos": "Princeton University",
+ "Bill Gates": "Harvard University",
+ "Warren Buffet": "University of Nebraska-Lincoln",
+ "Larry Page": "University of Michigan"
+ },
+ "categories": [
+ "Education",
+ "Economics"
+ ]
+ },
+ {
+ "id": "0c7d2dcf79960ee6",
+ "question": "How many employees did the Big Tech company with the most employees have in 2022?",
+ "decomposition": [
+ {
+ "id": "2f77b3e64b5d7e85",
+ "question": "What are Big Tech companies?",
+ "decomposition": [],
+ "answer": [
+ "Alphabet",
+ "Amazon",
+ "Apple",
+ "Meta",
+ "Microsoft"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 57174306,
+ "revid": 1185943779,
+ "title": "Big Tech",
+ "url": "https://en.wikipedia.org/wiki/Big_Tech"
+ }
+ },
+ {
+ "id": "dcd8286828be43a8",
+ "question": "In 2022, What is the count of employees for Alphabet?",
+ "decomposition": [],
+ "answer": "190234",
+ "depends_on": [
+ "2f77b3e64b5d7e85"
+ ],
+ "evidence": {
+ "pageid": 47489893,
+ "revid": 1184949012,
+ "title": "Alphabet Inc.",
+ "url": "https://en.wikipedia.org/wiki/Alphabet_Inc."
+ }
+ },
+ {
+ "id": "7a6245a49fa621fe",
+ "question": "In 2022, What is the count of employees for Amazon?",
+ "decomposition": [],
+ "answer": "1541000",
+ "depends_on": [
+ "2f77b3e64b5d7e85"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "d7fd6b0ca493c4a2",
+ "question": "In 2022, What is the count of employees for Apple?",
+ "decomposition": [],
+ "answer": "164000",
+ "depends_on": [
+ "2f77b3e64b5d7e85"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "c31383e0c29ee024",
+ "question": "In 2022, What is the count of employees for Meta?",
+ "decomposition": [],
+ "answer": "83553",
+ "depends_on": [
+ "2f77b3e64b5d7e85"
+ ],
+ "evidence": {
+ "pageid": 62420226,
+ "revid": 1185758146,
+ "title": "Meta Platforms",
+ "url": "https://en.wikipedia.org/wiki/Meta_Platforms"
+ }
+ },
+ {
+ "id": "20e299b818311fb9",
+ "question": "In 2022, What is the count of employees for Microsoft?",
+ "decomposition": [],
+ "answer": "221000",
+ "depends_on": [
+ "2f77b3e64b5d7e85"
+ ],
+ "evidence": {
+ "pageid": 19001,
+ "revid": 1185824087,
+ "title": "Microsoft",
+ "url": "https://en.wikipedia.org/wiki/Microsoft"
+ }
+ }
+ ],
+ "answer": {
+ "Amazon": 1541000
+ },
+ "categories": [
+ "Business",
+ "Technology"
+ ]
+ },
+ {
+ "id": "53baafef8ee1d7ff",
+ "question": "What are the production costs (in millions) of the top 5 highest-grossing films?",
+ "decomposition": [
+ {
+ "id": "e1b9db016e9b8430",
+ "question": "What are the top 5 highest-grossing films?",
+ "decomposition": [],
+ "answer": [
+ "Top Gun: Maverick",
+ "Black Panther: Wakanda Forever",
+ "Doctor Strange in Multiverse of Madness",
+ "Avatar: The Way of Water",
+ "Jurassic World Dominion"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69659086,
+ "revid": 1185437585,
+ "title": "List of 2022 box office number-one films in the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_2022_box_office_number-one_films_in_the_United_States"
+ }
+ },
+ {
+ "id": "80e80547eab55dc3",
+ "question": "What is the production cost of Doctor Strange in Multiverse of Madness?",
+ "decomposition": [],
+ "answer": 294.5,
+ "depends_on": [
+ "e1b9db016e9b8430"
+ ],
+ "evidence": {
+ "pageid": 59353603,
+ "revid": 1185745319,
+ "title": "Doctor Strange in the Multiverse of Madness",
+ "url": "https://en.wikipedia.org/wiki/Doctor_Strange_in_the_Multiverse_of_Madness"
+ }
+ },
+ {
+ "id": "4afaacb7c1bdbcd1",
+ "question": "What is the production cost of Top Gun: Maverick?",
+ "decomposition": [],
+ "answer": 170,
+ "depends_on": [
+ "e1b9db016e9b8430"
+ ],
+ "evidence": {
+ "pageid": 51065133,
+ "revid": 1185871485,
+ "title": "Top Gun: Maverick",
+ "url": "https://en.wikipedia.org/wiki/Top_Gun:_Maverick"
+ }
+ },
+ {
+ "id": "f351aba806d742c2",
+ "question": "What is the production cost of Black Panther: Wakanda Forever?",
+ "decomposition": [],
+ "answer": 200,
+ "depends_on": [
+ "e1b9db016e9b8430"
+ ],
+ "evidence": {
+ "pageid": 57234452,
+ "revid": 1185254567,
+ "title": "Black Panther: Wakanda Forever",
+ "url": "https://en.wikipedia.org/wiki/Black_Panther:_Wakanda_Forever"
+ }
+ },
+ {
+ "id": "bf13bcab011c9251",
+ "question": "What is the production cost of Avatar: The Way of Water?",
+ "decomposition": [],
+ "answer": 400,
+ "depends_on": [
+ "e1b9db016e9b8430"
+ ],
+ "evidence": {
+ "pageid": 25813358,
+ "revid": 1185376874,
+ "title": "Avatar: The Way of Water",
+ "url": "https://en.wikipedia.org/wiki/Avatar:_The_Way_of_Water"
+ }
+ },
+ {
+ "id": "fad4381103e02b42",
+ "question": "What is the production cost of Jurassic World Dominion?",
+ "decomposition": [],
+ "answer": 265,
+ "depends_on": [
+ "e1b9db016e9b8430"
+ ],
+ "evidence": {
+ "pageid": 56654601,
+ "revid": 1182190946,
+ "title": "Jurassic World Dominion",
+ "url": "https://en.wikipedia.org/wiki/Jurassic_World_Dominion"
+ }
+ }
+ ],
+ "answer": {
+ "Top Gun: Maverick": 294.5,
+ "Black Panther: Wakanda Forever": 170,
+ "Doctor Strange in Multiverse of Madness": 200,
+ "Avatar: The Way of Water": 400,
+ "Jurassic World Dominion": 265
+ },
+ "categories": [
+ "Economics",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "03156f229dd08e0c",
+ "question": "Which members of the Sidemen have their own Wikipedia pages and where did they attend school?",
+ "decomposition": [
+ {
+ "id": "6b916138be982728",
+ "question": "Who in the Sidemen has their own wikipedia page?",
+ "decomposition": [],
+ "answer": [
+ "Olajide Olayinka Williams Olatunji (KSI)",
+ "Joshua Bradley (Zerkaa)",
+ "Tobit John Brown (TBJZL)",
+ "Vikram Singh Barn (Vikkstar123)"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 54779319,
+ "revid": 1184442105,
+ "title": "Sidemen",
+ "url": "https://en.wikipedia.org/wiki/Sidemen"
+ }
+ },
+ {
+ "id": "3f969bc8a488d6a8",
+ "question": "Where did Olajide Olayinka Williams Olatunji (KSI) go to school?",
+ "decomposition": [],
+ "answer": "Berkhamsted School",
+ "depends_on": [
+ "6b916138be982728"
+ ],
+ "evidence": {
+ "pageid": 41312749,
+ "revid": 1184579261,
+ "title": "KSI",
+ "url": "https://en.wikipedia.org/wiki/KSI"
+ }
+ },
+ {
+ "id": "537fc8b1f81143c4",
+ "question": "Where did Joshua Bradley (Zerkaa) go to school?",
+ "decomposition": [],
+ "answer": "Ravensbourne University",
+ "depends_on": [
+ "6b916138be982728"
+ ],
+ "evidence": {
+ "pageid": 68011687,
+ "revid": 1184411502,
+ "title": "Zerkaa",
+ "url": "https://en.wikipedia.org/wiki/Zerkaa"
+ }
+ },
+ {
+ "id": "827bec154e56a87a",
+ "question": "Where did Tobit John Brown (TBJZL) go to school?",
+ "decomposition": [],
+ "answer": "Coventry University",
+ "depends_on": [
+ "6b916138be982728"
+ ],
+ "evidence": {
+ "pageid": 62934843,
+ "revid": 1180891571,
+ "title": "TBJZL",
+ "url": "https://en.wikipedia.org/wiki/TBJZL"
+ }
+ },
+ {
+ "id": "546e8de792e7511f",
+ "question": "Where did Ethan Payne (Behzinga) go to school?",
+ "decomposition": [],
+ "answer": "South Essex College",
+ "depends_on": [
+ "6b916138be982728"
+ ],
+ "evidence": {
+ "pageid": 62934867,
+ "revid": 1181451255,
+ "title": "Behzinga",
+ "url": "https://en.wikipedia.org/wiki/Behzinga"
+ }
+ },
+ {
+ "id": "ac41a5b97398a628",
+ "question": "Where did Vikram Singh Barn (Vikkstar123) go to school?",
+ "decomposition": [],
+ "answer": "Silverdale School",
+ "depends_on": [
+ "6b916138be982728"
+ ],
+ "evidence": {
+ "pageid": 66862701,
+ "revid": 1184603626,
+ "title": "Vikkstar123",
+ "url": "https://en.wikipedia.org/wiki/Vikkstar123"
+ }
+ }
+ ],
+ "answer": {
+ "Olajide Olayinka Williams Olatunji (KSI)": "Berkhamsted School",
+ "Joshua Bradley (Zerkaa)": "Ravensbourne University",
+ "Tobit John Brown (TBJZL)": "Coventry University",
+ "Ethan Payne (Behzinga)": "South Essex College",
+ "Vikram Singh Barn (Vikkstar123)": "Silverdale School"
+ },
+ "categories": [
+ "Education",
+ "Internet"
+ ]
+ },
+ {
+ "id": "6c7873f9700736f7",
+ "question": "What is the total area in square kilometers of each permanent member of the United Nations Security Council?",
+ "decomposition": [
+ {
+ "id": "1e78cb307ee98a6d",
+ "question": "What counties are the permanent members of the United Nations Security Council?",
+ "decomposition": [],
+ "answer": [
+ "China",
+ "France",
+ "Russia",
+ "United Kingdom",
+ "United States"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31956,
+ "revid": 1184678581,
+ "title": "United Nations Security Council",
+ "url": "https://en.wikipedia.org/wiki/United_Nations_Security_Council"
+ }
+ },
+ {
+ "id": "87220fb7bee0d4ec",
+ "question": "What is the total area of China?",
+ "decomposition": [],
+ "answer": "9,596,961 km2",
+ "depends_on": [
+ "1e78cb307ee98a6d"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "b9dd2612feffb9d9",
+ "question": "What is the total area of France?",
+ "decomposition": [],
+ "answer": "643,801 km2",
+ "depends_on": [
+ "1e78cb307ee98a6d"
+ ],
+ "evidence": {
+ "pageid": 5843419,
+ "revid": 1185856656,
+ "title": "France",
+ "url": "https://en.wikipedia.org/wiki/France"
+ }
+ },
+ {
+ "id": "2007170638b24d1f",
+ "question": "What is the total area of Russia?",
+ "decomposition": [],
+ "answer": "17,098,246 km2",
+ "depends_on": [
+ "1e78cb307ee98a6d"
+ ],
+ "evidence": {
+ "pageid": 25391,
+ "revid": 1185169928,
+ "title": "Russia",
+ "url": "https://en.wikipedia.org/wiki/Russia"
+ }
+ },
+ {
+ "id": "421e29b91ea274eb",
+ "question": "What is the total area of United Kingdom?",
+ "decomposition": [],
+ "answer": "242,495 km2",
+ "depends_on": [
+ "1e78cb307ee98a6d"
+ ],
+ "evidence": {
+ "pageid": 31717,
+ "revid": 1185578678,
+ "title": "United Kingdom",
+ "url": "https://en.wikipedia.org/wiki/United_Kingdom"
+ }
+ },
+ {
+ "id": "e0dc71848af8c272",
+ "question": "What is the total area of United States?",
+ "decomposition": [],
+ "answer": "9,833,520 km2",
+ "depends_on": [
+ "1e78cb307ee98a6d"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ }
+ ],
+ "answer": {
+ "China": "9,596,961 km2",
+ "France": "643,801 km2",
+ "Russia": "17,098,246 km2",
+ "United Kingdom": "242,495 km2",
+ "United States": "9,833,520 km2"
+ },
+ "categories": [
+ "Geography",
+ "International Relations"
+ ]
+ },
+ {
+ "id": "cea149c21fb31c4e",
+ "question": "What were the ages of the commanders and leaders in the United States during the Cuban Missile Crisis at the time of their deaths?",
+ "decomposition": [
+ {
+ "id": "5661968cabfa0545",
+ "question": "Who were the commanders and leaders in the United States during the Cuban Missile Crisis?",
+ "decomposition": [],
+ "answer": [
+ "John F. Kennedy",
+ "Robert McNamara",
+ "Maxwell D. Taylor",
+ "Curtis LeMay",
+ "George W. Anderson",
+ "Robert F. Kennedy"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 6827,
+ "revid": 1185866162,
+ "title": "Cuban Missile Crisis",
+ "url": "https://en.wikipedia.org/wiki/Cuban_Missile_Crisis"
+ }
+ },
+ {
+ "id": "cdd496bad1426678",
+ "question": "How old was John F. Kennedy when he died?",
+ "decomposition": [],
+ "answer": 46,
+ "depends_on": [
+ "5661968cabfa0545"
+ ],
+ "evidence": {
+ "pageid": 5119376,
+ "revid": 1185940563,
+ "title": "John F. Kennedy",
+ "url": "https://en.wikipedia.org/wiki/John_F._Kennedy"
+ }
+ },
+ {
+ "id": "f42c6a65b6223f21",
+ "question": "How old was Robert McNamara when he died?",
+ "decomposition": [],
+ "answer": 93,
+ "depends_on": [
+ "5661968cabfa0545"
+ ],
+ "evidence": {
+ "pageid": 80222,
+ "revid": 1185328492,
+ "title": "Robert McNamara",
+ "url": "https://en.wikipedia.org/wiki/Robert_McNamara"
+ }
+ },
+ {
+ "id": "4645cd3e216a384f",
+ "question": "How old was Maxwell D. Taylor when he died?",
+ "decomposition": [],
+ "answer": 85,
+ "depends_on": [
+ "5661968cabfa0545"
+ ],
+ "evidence": {
+ "pageid": 350913,
+ "revid": 1176820644,
+ "title": "Maxwell D. Taylor",
+ "url": "https://en.wikipedia.org/wiki/Maxwell_D._Taylor"
+ }
+ },
+ {
+ "id": "4489521e7c54e86d",
+ "question": "How old was Curtis LeMay when he died?",
+ "decomposition": [],
+ "answer": 83,
+ "depends_on": [
+ "5661968cabfa0545"
+ ],
+ "evidence": {
+ "pageid": 66225,
+ "revid": 1185462159,
+ "title": "Curtis LeMay",
+ "url": "https://en.wikipedia.org/wiki/Curtis_LeMay"
+ }
+ },
+ {
+ "id": "9774c197d24bef90",
+ "question": "How old was George W. Anderson when he died?",
+ "decomposition": [],
+ "answer": 85,
+ "depends_on": [
+ "5661968cabfa0545"
+ ],
+ "evidence": {
+ "pageid": 769625,
+ "revid": 1164320526,
+ "title": "George Whelan Anderson Jr.",
+ "url": "https://en.wikipedia.org/wiki/George_Whelan_Anderson_Jr."
+ }
+ },
+ {
+ "id": "c3012c59154acc18",
+ "question": "How old was Robert F. Kennedy when he died?",
+ "decomposition": [],
+ "answer": 42,
+ "depends_on": [
+ "5661968cabfa0545"
+ ],
+ "evidence": {
+ "pageid": 21131695,
+ "revid": 1183914747,
+ "title": "Robert F. Kennedy",
+ "url": "https://en.wikipedia.org/wiki/Robert_F._Kennedy"
+ }
+ }
+ ],
+ "answer": {
+ "John F. Kennedy": 46,
+ "Robert McNamara": 93,
+ "Maxwell D. Taylor": 85,
+ "Curtis LeMay": 83,
+ "George W. Anderson": 85,
+ "Robert F. Kennedy": 42
+ },
+ "categories": [
+ "History",
+ "Politics"
+ ]
+ },
+ {
+ "id": "14b8f8068a304024",
+ "question": "Who are the Nobel Prize winners in Physics from the year 2010 to 2015? Provide a brief description of their contributions.",
+ "decomposition": [
+ {
+ "id": "cccf0ec4c72fdb6c",
+ "question": "Who are the Nobel Prize winners in Physics from 2010 to 2015?",
+ "decomposition": [],
+ "answer": [
+ "Andre Geim",
+ "Saul Perlmutter",
+ "David J. Wineland",
+ "Fran\u00e7ois Englert",
+ "Isamu Akasaki"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19679192,
+ "revid": 1185537321,
+ "title": "List of Nobel laureates in Physics",
+ "url": "https://en.wikipedia.org/wiki/List_of_Nobel_laureates_in_Physics"
+ }
+ },
+ {
+ "id": "c586c99e3ea98021",
+ "question": "What is Andre Geim's contribution to Physics?",
+ "decomposition": [],
+ "answer": "Graphene research",
+ "depends_on": [
+ "cccf0ec4c72fdb6c"
+ ],
+ "evidence": {
+ "pageid": 17054160,
+ "revid": 1182833323,
+ "title": "Andre Geim",
+ "url": "https://en.wikipedia.org/wiki/Andre_Geim"
+ }
+ },
+ {
+ "id": "78583eb1c2729e09",
+ "question": "What is Saul Perlmutter's contribution to Physics?",
+ "decomposition": [],
+ "answer": "Discovery of the accelerating expansion of the universe",
+ "depends_on": [
+ "cccf0ec4c72fdb6c"
+ ],
+ "evidence": {
+ "pageid": 1440742,
+ "revid": 1162802887,
+ "title": "Saul Perlmutter",
+ "url": "https://en.wikipedia.org/wiki/Saul_Perlmutter"
+ }
+ },
+ {
+ "id": "4fa2a8566e61ce09",
+ "question": "What is David J. Wineland's contribution to Physics?",
+ "decomposition": [],
+ "answer": "Experimental methods to trap ions",
+ "depends_on": [
+ "cccf0ec4c72fdb6c"
+ ],
+ "evidence": {
+ "pageid": 24626957,
+ "revid": 1179806135,
+ "title": "David J. Wineland",
+ "url": "https://en.wikipedia.org/wiki/David_J._Wineland"
+ }
+ },
+ {
+ "id": "ec53ef15da6f2e1f",
+ "question": "What is Fran\u00e7ois Englert's contribution to Physics?",
+ "decomposition": [],
+ "answer": "Higgs boson theoretical work",
+ "depends_on": [
+ "cccf0ec4c72fdb6c"
+ ],
+ "evidence": {
+ "pageid": 8370210,
+ "revid": 1149292469,
+ "title": "Fran\u00e7ois Englert",
+ "url": "https://en.wikipedia.org/wiki/Fran%C3%A7ois_Englert"
+ }
+ },
+ {
+ "id": "22e59ea4de02ea73",
+ "question": "What is Isamu Akasaki's contribution to Physics?",
+ "decomposition": [],
+ "answer": "Invention of efficient blue light-emitting diodes",
+ "depends_on": [
+ "cccf0ec4c72fdb6c"
+ ],
+ "evidence": {
+ "pageid": 8784032,
+ "revid": 1185896929,
+ "title": "Isamu Akasaki",
+ "url": "https://en.wikipedia.org/wiki/Isamu_Akasaki"
+ }
+ }
+ ],
+ "answer": {
+ "Andre Geim": "Graphene research",
+ "Saul Perlmutter": "Discovery of the accelerating expansion of the universe",
+ "David J. Wineland": "Experimental methods to trap ions",
+ "Fran\u00e7ois Englert": "Higgs boson theoretical work",
+ "Isamu Akasaki": "Invention of efficient blue light-emitting diodes"
+ },
+ "categories": [
+ "Awards",
+ "Physics"
+ ]
+ },
+ {
+ "id": "4a8a9ba7337a09d3",
+ "question": "What are the top five highest-grossing Christmas films at the box office, and what are their box office earnings in millions of dollars?",
+ "decomposition": [
+ {
+ "id": "fde9f0eda1ec342d",
+ "question": "What are the top five highest-grossing Christmas films at the box office?",
+ "decomposition": [],
+ "answer": [
+ "The Grinch",
+ "Home Alone",
+ "Alvin And The Chipmunks",
+ "Home Alone 2: Lost in New York",
+ "How the Grinch Stole Christmas!"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 61779833,
+ "revid": 1185945793,
+ "title": "List of highest-grossing Christmas films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_Christmas_films"
+ }
+ },
+ {
+ "id": "1ca1e399d7bf5829",
+ "question": "What is the box office earning of The Grinch (in million)?",
+ "decomposition": [],
+ "answer": 526.7,
+ "depends_on": [
+ "fde9f0eda1ec342d"
+ ],
+ "evidence": {
+ "pageid": 50758480,
+ "revid": 1185596730,
+ "title": "The Grinch (film)",
+ "url": "https://en.wikipedia.org/wiki/The_Grinch_(film)"
+ }
+ },
+ {
+ "id": "24c029c14d160dbc",
+ "question": "What is the box office earning of Home Alone (in million)?",
+ "decomposition": [],
+ "answer": 476.7,
+ "depends_on": [
+ "fde9f0eda1ec342d"
+ ],
+ "evidence": {
+ "pageid": 216072,
+ "revid": 1185914410,
+ "title": "Home Alone",
+ "url": "https://en.wikipedia.org/wiki/Home_Alone"
+ }
+ },
+ {
+ "id": "1d6a0c44cf8c2965",
+ "question": "What is the box office earning of Alvin And The Chipmunks (in million)?",
+ "decomposition": [],
+ "answer": 361.3,
+ "depends_on": [
+ "fde9f0eda1ec342d"
+ ],
+ "evidence": {
+ "pageid": 11244593,
+ "revid": 1185832876,
+ "title": "Alvin and the Chipmunks (film)",
+ "url": "https://en.wikipedia.org/wiki/Alvin_and_the_Chipmunks_(film)"
+ }
+ },
+ {
+ "id": "fe3b22e85fccb87d",
+ "question": "What is the box office earning of Home Alone 2: Lost in New York (in million)?",
+ "decomposition": [],
+ "answer": 359,
+ "depends_on": [
+ "fde9f0eda1ec342d"
+ ],
+ "evidence": {
+ "pageid": 294998,
+ "revid": 1185805147,
+ "title": "Home Alone 2: Lost in New York",
+ "url": "https://en.wikipedia.org/wiki/Home_Alone_2:_Lost_in_New_York"
+ }
+ },
+ {
+ "id": "f572d06cee0a731c",
+ "question": "What is the box office earning of How the Grinch Stole Christmas (in million)?",
+ "decomposition": [],
+ "answer": 345.8,
+ "depends_on": [
+ "fde9f0eda1ec342d"
+ ],
+ "evidence": {
+ "pageid": 4867859,
+ "revid": 1185763387,
+ "title": "How the Grinch Stole Christmas (2000 film)",
+ "url": "https://en.wikipedia.org/wiki/How_the_Grinch_Stole_Christmas_(2000_film)"
+ }
+ }
+ ],
+ "answer": {
+ "The Grinch": 526.7,
+ "Home Alone": 476.7,
+ "Alvin And The Chipmunks": 361.3,
+ "Home Alone 2: Lost in New York": 359,
+ "How the Grinch Stole Christmas": 345.8
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "c79a232600999e2e",
+ "question": "Which of the last four presidents (not interim) of the University of Pennsylvania are still alive today?",
+ "decomposition": [
+ {
+ "id": "108b5a92827bb0c7",
+ "question": "Who are the last four presidents (not iterim) of the University of Pennsylvania?",
+ "decomposition": [],
+ "answer": "M. Elizabeth Magill, Amy Gutmann, Judith Rodin, Sheldon Hackney",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 35033632,
+ "revid": 1148715543,
+ "title": "List of presidents of the University of Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/List_of_presidents_of_the_University_of_Pennsylvania"
+ }
+ },
+ {
+ "id": "faddfa3e66bbd6bb",
+ "question": "Is M. Elizabeth Magill still alive today?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "108b5a92827bb0c7"
+ ],
+ "evidence": {
+ "pageid": 21921167,
+ "revid": 1183397162,
+ "title": "Liz Magill",
+ "url": "https://en.wikipedia.org/wiki/M._Elizabeth_Magill"
+ }
+ },
+ {
+ "id": "41d0e12a8a2b64c7",
+ "question": "Is Amy Gutmann still alive today?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "108b5a92827bb0c7"
+ ],
+ "evidence": {
+ "pageid": 1910482,
+ "revid": 1184711240,
+ "title": "Amy Gutmann",
+ "url": "https://en.wikipedia.org/wiki/Amy_Gutmann"
+ }
+ },
+ {
+ "id": "821db16d658346cd",
+ "question": "Is Judith Rodin still alive today?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "108b5a92827bb0c7"
+ ],
+ "evidence": {
+ "pageid": 3225568,
+ "revid": 1163174472,
+ "title": "Judith Rodin",
+ "url": "https://en.wikipedia.org/wiki/Judith_Rodin"
+ }
+ },
+ {
+ "id": "364bb7b5abdba1ae",
+ "question": "Is Sheldon Hackney still alive today?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "108b5a92827bb0c7"
+ ],
+ "evidence": {
+ "pageid": 2297624,
+ "revid": 1182188200,
+ "title": "Sheldon Hackney",
+ "url": "https://en.wikipedia.org/wiki/Sheldon_Hackney"
+ }
+ }
+ ],
+ "answer": {
+ "M. Elizabeth Magill": true,
+ "Amy Gutmann": true,
+ "Judith Rodin": true,
+ "Sheldon Hackney": false
+ },
+ "categories": [
+ "Education",
+ "History"
+ ]
+ },
+ {
+ "id": "4f6c04dd60cb2b8c",
+ "question": "Who are the Spanish winners of the Grand Slam tournament held in Paris since 1990, and what are the specific dates (month/day/year) they first achieved their career high ATP Singles Ranking?",
+ "decomposition": [
+ {
+ "id": "27e3619e4aba3717",
+ "question": "What Grand Slam tournament is held in Paris?",
+ "decomposition": [],
+ "answer": "French Open",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 197638,
+ "revid": 1180611206,
+ "title": "Grand Slam (tennis)",
+ "url": "https://en.wikipedia.org/wiki/Grand_Slam_(tennis)"
+ }
+ },
+ {
+ "id": "098254b9384d76f7",
+ "question": "Who are the Spanish winners of the French Open since 1990 and what was the month/day/year they first achieved their career high ATP Singles Ranking?",
+ "decomposition": [
+ {
+ "id": "b56348b48cabf524",
+ "question": "Who are the Spanish winners of the French Open since 1990?",
+ "decomposition": [],
+ "answer": [
+ "Sergi Bruguera",
+ "Carlos Moya",
+ "Albert Costa",
+ "Juan Carlos Ferrero",
+ "Rafael Nadal"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 773239,
+ "revid": 1184887211,
+ "title": "List of French Open men's singles champions",
+ "url": "https://en.wikipedia.org/wiki/List_of_French_Open_men%27s_singles_champions"
+ }
+ },
+ {
+ "id": "0d5541f1cead7993",
+ "question": "What month/day/year did Sergi Bruguera first achieve his career high ATP Singles ranking?",
+ "decomposition": [],
+ "answer": "August 1, 1994",
+ "depends_on": [
+ "b56348b48cabf524"
+ ],
+ "evidence": {
+ "pageid": 913625,
+ "revid": 1181682381,
+ "title": "Sergi Bruguera",
+ "url": "https://en.wikipedia.org/wiki/Sergi_Bruguera"
+ }
+ },
+ {
+ "id": "4fe16e485949e036",
+ "question": "What month/day/year did Carlos Moya first achieve his career high ATP Singles ranking?",
+ "decomposition": [],
+ "answer": "March 15, 1999",
+ "depends_on": [
+ "b56348b48cabf524"
+ ],
+ "evidence": {
+ "pageid": 669421,
+ "revid": 1181287070,
+ "title": "Carlos Moy\u00e1",
+ "url": "https://en.wikipedia.org/wiki/Carlos_Moy%C3%A1"
+ }
+ },
+ {
+ "id": "3a280e9ffd95d19c",
+ "question": "What month/day/year did Albert Costa first achieve his career high ATP Singles ranking?",
+ "decomposition": [],
+ "answer": "July 22, 2002",
+ "depends_on": [
+ "b56348b48cabf524"
+ ],
+ "evidence": {
+ "pageid": 1513105,
+ "revid": 1158029424,
+ "title": "Albert Costa",
+ "url": "https://en.wikipedia.org/wiki/Albert_Costa"
+ }
+ },
+ {
+ "id": "7ed52ffcfda1f99a",
+ "question": "What month/day/year did Juan Carlos Ferrero first achieve his career high ATP Singles ranking?",
+ "decomposition": [],
+ "answer": "September 8, 2003",
+ "depends_on": [
+ "b56348b48cabf524"
+ ],
+ "evidence": {
+ "pageid": 382889,
+ "revid": 1178332563,
+ "title": "Juan Carlos Ferrero",
+ "url": "https://en.wikipedia.org/wiki/Juan_Carlos_Ferrero"
+ }
+ },
+ {
+ "id": "80410662bc1dccf4",
+ "question": "What month/day/year did Rafael Nadal first achieve his career high ATP Singles ranking?",
+ "decomposition": [],
+ "answer": "August 18, 2008",
+ "depends_on": [
+ "b56348b48cabf524"
+ ],
+ "evidence": {
+ "pageid": 1439517,
+ "revid": 1185369473,
+ "title": "Rafael Nadal",
+ "url": "https://en.wikipedia.org/wiki/Rafael_Nadal"
+ }
+ }
+ ],
+ "answer": {
+ "Sergi Bruguera": "August 1, 1994",
+ "Carlos Moya": "March 15, 1999",
+ "Albert Costa": "July 22, 2002",
+ "Juan Carlos Ferrero": "September 8, 2003",
+ "Rafael Nadal": "August 18, 2008"
+ },
+ "depends_on": [
+ "27e3619e4aba3717"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Sergi Bruguera": "August 1, 1994",
+ "Carlos Moya": "March 15, 1999",
+ "Albert Costa": "July 22, 2002",
+ "Juan Carlos Ferrero": "September 8, 2003",
+ "Rafael Nadal": "August 18, 2008"
+ },
+ "categories": [
+ "History",
+ "Sports"
+ ]
+ },
+ {
+ "id": "c4ef7e904e06a670",
+ "question": "Name 5 modifiable risk factors for cancer and one cancer that is associated with each risk factor.",
+ "decomposition": [
+ {
+ "id": "cbf5a35e9f9c67d9",
+ "question": "What are 5 modifiable risk factors for cancer?",
+ "decomposition": [],
+ "answer": [
+ "Smoking",
+ "Alcohol",
+ "Obesity",
+ "Sexually transmitted disease",
+ "hormone replacement therapy"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21499583,
+ "revid": 1175444387,
+ "title": "Epidemiology of cancer",
+ "url": "https://en.wikipedia.org/wiki/Epidemiology_of_cancer"
+ }
+ },
+ {
+ "id": "69830b0585c2ff3c",
+ "question": "Name one cancer associated with smoking.",
+ "decomposition": [],
+ "answer": "lung cancer",
+ "depends_on": [
+ "cbf5a35e9f9c67d9"
+ ],
+ "evidence": {
+ "pageid": 73298,
+ "revid": 1183137338,
+ "title": "Tobacco smoking",
+ "url": "https://en.wikipedia.org/wiki/Tobacco_smoking"
+ }
+ },
+ {
+ "id": "999ef35dbe30600c",
+ "question": "Name one cancer associated with alcohol.",
+ "decomposition": [],
+ "answer": "liver",
+ "depends_on": [
+ "cbf5a35e9f9c67d9"
+ ],
+ "evidence": {
+ "pageid": 2842910,
+ "revid": 1185517667,
+ "title": "Alcohol and cancer",
+ "url": "https://en.wikipedia.org/wiki/Alcohol_and_cancer"
+ }
+ },
+ {
+ "id": "65376bd00017339c",
+ "question": "Name one cancer associated with obesity.",
+ "decomposition": [],
+ "answer": "colon cancer",
+ "depends_on": [
+ "cbf5a35e9f9c67d9"
+ ],
+ "evidence": {
+ "pageid": 56435,
+ "revid": 1185527109,
+ "title": "Obesity",
+ "url": "https://en.wikipedia.org/wiki/Obesity"
+ }
+ },
+ {
+ "id": "d38b899591a26a31",
+ "question": "Name one cancer associated with sexually transmitted disease.",
+ "decomposition": [],
+ "answer": "cervical cancer",
+ "depends_on": [
+ "cbf5a35e9f9c67d9"
+ ],
+ "evidence": {
+ "pageid": 188518,
+ "revid": 1185498416,
+ "title": "Human papillomavirus infection",
+ "url": "https://en.wikipedia.org/wiki/Human_papillomavirus_infection"
+ }
+ },
+ {
+ "id": "7366fc9b00b0d8cc",
+ "question": "Name one cancer associated with hormone replacement therapy.",
+ "decomposition": [],
+ "answer": "breast cancer",
+ "depends_on": [
+ "cbf5a35e9f9c67d9"
+ ],
+ "evidence": {
+ "pageid": 19526030,
+ "revid": 1185485975,
+ "title": "Hormone replacement therapy",
+ "url": "https://en.wikipedia.org/wiki/Hormone_replacement_therapy"
+ }
+ }
+ ],
+ "answer": {
+ "Smoking": "lung cancer",
+ "Alcohol": "liver cancer",
+ "Obesity": "colon cancer",
+ "Sexually transmitted disease": "cervical cancer",
+ "hormone replacement therapy": "breast cancer"
+ },
+ "categories": [
+ "Health",
+ "Oncology"
+ ]
+ },
+ {
+ "id": "515d3a311f403f78",
+ "question": "Who are the four most recent presidents of China and where were each of them born?",
+ "decomposition": [
+ {
+ "id": "a38142a42a6dc8d8",
+ "question": "Who are the 4 most recent Chinese presidents?",
+ "decomposition": [],
+ "answer": [
+ "Xi Jinping",
+ "Hu Jintao",
+ "Jiang Zemin",
+ "Yang Shangkun"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17255213,
+ "revid": 1185038741,
+ "title": "List of state representatives of the People's Republic of China",
+ "url": "https://en.wikipedia.org/wiki/List_of_state_representatives_of_the_People%27s_Republic_of_China"
+ }
+ },
+ {
+ "id": "b35a218723c7af67",
+ "question": "Where was Xi Jingping born?",
+ "decomposition": [],
+ "answer": "Beijing",
+ "depends_on": [
+ "a38142a42a6dc8d8"
+ ],
+ "evidence": {
+ "pageid": 2017814,
+ "revid": 1185892696,
+ "title": "Xi Jinping",
+ "url": "https://en.wikipedia.org/wiki/Xi_Jinping"
+ }
+ },
+ {
+ "id": "618d5a5cc50827ea",
+ "question": "Where was Hu Jintao born?",
+ "decomposition": [],
+ "answer": "Taizhou",
+ "depends_on": [
+ "a38142a42a6dc8d8"
+ ],
+ "evidence": {
+ "pageid": 151210,
+ "revid": 1185347697,
+ "title": "Hu Jintao",
+ "url": "https://en.wikipedia.org/wiki/Hu_Jintao"
+ }
+ },
+ {
+ "id": "c73137fa9006e308",
+ "question": "Where was Jiang Zemin born?",
+ "decomposition": [],
+ "answer": "Yangzhou",
+ "depends_on": [
+ "a38142a42a6dc8d8"
+ ],
+ "evidence": {
+ "pageid": 95871,
+ "revid": 1185449399,
+ "title": "Jiang Zemin",
+ "url": "https://en.wikipedia.org/wiki/Jiang_Zemin"
+ }
+ },
+ {
+ "id": "1ecbebc68a4bd3a9",
+ "question": "Where was Yang Shangkun born?",
+ "decomposition": [],
+ "answer": "Tongnan",
+ "depends_on": [
+ "a38142a42a6dc8d8"
+ ],
+ "evidence": {
+ "pageid": 259086,
+ "revid": 1181581945,
+ "title": "Yang Shangkun",
+ "url": "https://en.wikipedia.org/wiki/Yang_Shangkun"
+ }
+ }
+ ],
+ "answer": {
+ "Xi Jingping": "Beijing",
+ "Hu Jintao": "Taizhou",
+ "Jiang Zemin": "Yangzhou",
+ "Yang Shangkun": "Tongnan"
+ },
+ "categories": [
+ "History",
+ "Politics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "347504ffb097442d",
+ "question": "What is the number of regular-season wins for each of the last five World Series champions?",
+ "decomposition": [
+ {
+ "id": "e911fb2d48ca0323",
+ "question": "Who were the last five World Series champions?",
+ "decomposition": [],
+ "answer": [
+ "Texas Rangers",
+ "Houston Astros",
+ "Atlanta Braves",
+ "Los Angeles Dodgers",
+ "Washington Nationals"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7599168,
+ "revid": 1185888946,
+ "title": "List of World Series champions",
+ "url": "https://en.wikipedia.org/wiki/List_of_World_Series_champions"
+ }
+ },
+ {
+ "id": "dd596c4f2d1df1d4",
+ "question": "How many regular season wins did the Texas Rangers have in the 2023 season?",
+ "decomposition": [],
+ "answer": 90,
+ "depends_on": [
+ "e911fb2d48ca0323"
+ ],
+ "evidence": {
+ "pageid": 71926495,
+ "revid": 1185600310,
+ "title": "2023 Texas Rangers season",
+ "url": "https://en.wikipedia.org/wiki/2023_Texas_Rangers_season"
+ }
+ },
+ {
+ "id": "2f1ede68ce847a02",
+ "question": "How many regular season wins did the Houston Astros have in the 2022 season?",
+ "decomposition": [],
+ "answer": 106,
+ "depends_on": [
+ "e911fb2d48ca0323"
+ ],
+ "evidence": {
+ "pageid": 69142378,
+ "revid": 1184741540,
+ "title": "2022 Houston Astros season",
+ "url": "https://en.wikipedia.org/wiki/2022_Houston_Astros_season"
+ }
+ },
+ {
+ "id": "dc22d879ae7e943b",
+ "question": "How many regular season wins did the Atlanta Braves have in the 2021 season?",
+ "decomposition": [],
+ "answer": 88,
+ "depends_on": [
+ "e911fb2d48ca0323"
+ ],
+ "evidence": {
+ "pageid": 65619923,
+ "revid": 1184618893,
+ "title": "2021 Atlanta Braves season",
+ "url": "https://en.wikipedia.org/wiki/2021_Atlanta_Braves_season"
+ }
+ },
+ {
+ "id": "488e1d766b4a1738",
+ "question": "How many regular season wins did the Los Angeles Dodgers have in the 2020 season?",
+ "decomposition": [],
+ "answer": 43,
+ "depends_on": [
+ "e911fb2d48ca0323"
+ ],
+ "evidence": {
+ "pageid": 61900790,
+ "revid": 1184618775,
+ "title": "2020 Los Angeles Dodgers season",
+ "url": "https://en.wikipedia.org/wiki/2020_Los_Angeles_Dodgers_season"
+ }
+ },
+ {
+ "id": "3d94364075b14d2d",
+ "question": "How many regular season wins did the Washington Nationals have in the 2019 season?",
+ "decomposition": [],
+ "answer": 93,
+ "depends_on": [
+ "e911fb2d48ca0323"
+ ],
+ "evidence": {
+ "pageid": 58252073,
+ "revid": 1184618663,
+ "title": "2019 Washington Nationals season",
+ "url": "https://en.wikipedia.org/wiki/2019_Washington_Nationals_season"
+ }
+ }
+ ],
+ "answer": {
+ "Texas Rangers": 90,
+ "Houston Astros": 106,
+ "Atlanta Braves": 88,
+ "Los Angeles Dodgers": 43,
+ "Washington Nationals": 93
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "729601e3ddbac94a",
+ "question": "How many championships have the top 5 teams in the Western Conference of the NBA won in the 2023-2024 season?",
+ "decomposition": [
+ {
+ "id": "c63ee70550b171f8",
+ "question": "Who are the top 5 teams in the NBA in the 2023-2024 season?",
+ "decomposition": [],
+ "answer": "Minnesota Timberwolves, Denver Nuggets, Dallas Mavericks, Oklahoma City Thunder, Sacramento Kings",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 73489853,
+ "revid": 1185878503,
+ "title": "2023\u201324 NBA season",
+ "url": "https://en.wikipedia.org/wiki/2023%E2%80%9324_NBA_season"
+ }
+ },
+ {
+ "id": "04c7660677ec3cf0",
+ "question": "How many championships have the Minnesota Timberwolves won?",
+ "decomposition": [],
+ "answer": 0,
+ "depends_on": [
+ "c63ee70550b171f8"
+ ],
+ "evidence": {
+ "pageid": 72887,
+ "revid": 1185517368,
+ "title": "Minnesota Timberwolves",
+ "url": "https://en.wikipedia.org/wiki/Minnesota_Timberwolves"
+ }
+ },
+ {
+ "id": "4cdecca7bca5c9ac",
+ "question": "How many championships have the Denver Nuggets won?",
+ "decomposition": [],
+ "answer": 1,
+ "depends_on": [
+ "c63ee70550b171f8"
+ ],
+ "evidence": {
+ "pageid": 72883,
+ "revid": 1185246179,
+ "title": "Denver Nuggets",
+ "url": "https://en.wikipedia.org/wiki/Denver_Nuggets"
+ }
+ },
+ {
+ "id": "9c45bf127c8451c7",
+ "question": "How many championships have the Dallas Mavericks won?",
+ "decomposition": [],
+ "answer": 1,
+ "depends_on": [
+ "c63ee70550b171f8"
+ ],
+ "evidence": {
+ "pageid": 72880,
+ "revid": 1185032912,
+ "title": "Dallas Mavericks",
+ "url": "https://en.wikipedia.org/wiki/Dallas_Mavericks"
+ }
+ },
+ {
+ "id": "646ec679b3262408",
+ "question": "How many championships have the Oklahoma City Thunder won?",
+ "decomposition": [],
+ "answer": 1,
+ "depends_on": [
+ "c63ee70550b171f8"
+ ],
+ "evidence": {
+ "pageid": 18256220,
+ "revid": 1180991663,
+ "title": "Oklahoma City Thunder",
+ "url": "https://en.wikipedia.org/wiki/Oklahoma_City_Thunder"
+ }
+ },
+ {
+ "id": "30f094bb0a32b0c1",
+ "question": "How many championships have the Sacramento Kings won?",
+ "decomposition": [],
+ "answer": 2,
+ "depends_on": [
+ "c63ee70550b171f8"
+ ],
+ "evidence": {
+ "pageid": 72898,
+ "revid": 1184683768,
+ "title": "Sacramento Kings",
+ "url": "https://en.wikipedia.org/wiki/Sacramento_Kings"
+ }
+ }
+ ],
+ "answer": {
+ "Minnesota Timberwolves": 0,
+ "Denver Nuggets": 1,
+ "Dallas Mavericks": 1,
+ "Oklahoma City Thunder": 1,
+ "Sacramento Kings": 2
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "17162b8b04dd1e7b",
+ "question": "Who are the winners of the top 5 most attended FIFA World Cup Finals in history without repeats, and to which confederation does each winner belong?",
+ "decomposition": [
+ {
+ "id": "6fd8f3aef292104e",
+ "question": "Who are the winners of the top 5 most attended FIFA World Cup Finals in history without repeats?",
+ "decomposition": [],
+ "answer": [
+ "Uruguay",
+ "Argentina",
+ "Brazil",
+ "England",
+ "Italy"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 8821389,
+ "revid": 1185894480,
+ "title": "List of FIFA World Cup finals",
+ "url": "https://en.wikipedia.org/wiki/List_of_FIFA_World_Cup_finals"
+ }
+ },
+ {
+ "id": "b4ce597438450fc8",
+ "question": "What confederation does the Uruguay belong to?",
+ "decomposition": [],
+ "answer": "CONMEBOL",
+ "depends_on": [
+ "6fd8f3aef292104e"
+ ],
+ "evidence": {
+ "pageid": 679782,
+ "revid": 1185903176,
+ "title": "Uruguay national football team",
+ "url": "https://en.wikipedia.org/wiki/Uruguay_national_football_team"
+ }
+ },
+ {
+ "id": "c163db75e46e2d0a",
+ "question": "What confederation does the Argentina belong to?",
+ "decomposition": [],
+ "answer": "CONMEBOL",
+ "depends_on": [
+ "6fd8f3aef292104e"
+ ],
+ "evidence": {
+ "pageid": 454699,
+ "revid": 1185817454,
+ "title": "Argentina national football team",
+ "url": "https://en.wikipedia.org/wiki/Argentina_national_football_team"
+ }
+ },
+ {
+ "id": "94ce489b6064f7a5",
+ "question": "What confederation does the Brazil belong to?",
+ "decomposition": [],
+ "answer": "CONMEBOL",
+ "depends_on": [
+ "6fd8f3aef292104e"
+ ],
+ "evidence": {
+ "pageid": 149286,
+ "revid": 1185884393,
+ "title": "Brazil national football team",
+ "url": "https://en.wikipedia.org/wiki/Brazil_national_football_team"
+ }
+ },
+ {
+ "id": "91c084001c7c8c2c",
+ "question": "What confederation does the England belong to?",
+ "decomposition": [],
+ "answer": "UEFA",
+ "depends_on": [
+ "6fd8f3aef292104e"
+ ],
+ "evidence": {
+ "pageid": 9904,
+ "revid": 1185933022,
+ "title": "England national football team",
+ "url": "https://en.wikipedia.org/wiki/England_national_football_team"
+ }
+ },
+ {
+ "id": "f44ef81de59d7e1c",
+ "question": "What confederation does the Italy belong to?",
+ "decomposition": [],
+ "answer": "UEFA",
+ "depends_on": [
+ "6fd8f3aef292104e"
+ ],
+ "evidence": {
+ "pageid": 362466,
+ "revid": 1185934785,
+ "title": "Italy national football team",
+ "url": "https://en.wikipedia.org/wiki/Italy_national_football_team"
+ }
+ }
+ ],
+ "answer": {
+ "Uruguay": "CONMEBOL",
+ "Argentina": "CONMEBOL",
+ "Brazil": "CONMEBOL",
+ "England": "UEFA",
+ "Italy": "UEFA"
+ },
+ "categories": [
+ "History",
+ "Sports"
+ ]
+ },
+ {
+ "id": "32df6ef356c5b2c6",
+ "question": "How many Ivy League universities have never had a female president or provost?",
+ "decomposition": [
+ {
+ "id": "222eb2e9c65499a6",
+ "question": "What are the League universities?",
+ "decomposition": [],
+ "answer": [
+ "Brown University",
+ "Columbia University",
+ "Cornell University",
+ "Dartmouth College",
+ "Harvard University",
+ "University of Pennsylvania",
+ "Princeton University",
+ "Yale University"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14975,
+ "revid": 1185923896,
+ "title": "Ivy League",
+ "url": "https://en.wikipedia.org/wiki/Ivy_League"
+ }
+ },
+ {
+ "id": "0703edf5e435418e",
+ "question": "Has Brown University ever had a female president or provost?",
+ "decomposition": [],
+ "answer": "Yes, Ruth Simmons",
+ "depends_on": [
+ "222eb2e9c65499a6"
+ ],
+ "evidence": {
+ "pageid": 2898309,
+ "revid": 1184144998,
+ "title": "Ruth Simmons",
+ "url": "https://en.wikipedia.org/wiki/Ruth_Simmons"
+ }
+ },
+ {
+ "id": "f961c7299d37d495",
+ "question": "Has Columbia University ever had a female president or provost?",
+ "decomposition": [],
+ "answer": "Yes, Minouche Shafik",
+ "depends_on": [
+ "222eb2e9c65499a6"
+ ],
+ "evidence": {
+ "pageid": 21313548,
+ "revid": 1178850495,
+ "title": "President of Columbia University",
+ "url": "https://en.wikipedia.org/wiki/President_of_Columbia_University"
+ }
+ },
+ {
+ "id": "bff7c14283e8b47b",
+ "question": "Has Cornell University ever had a female president or provost?",
+ "decomposition": [],
+ "answer": "Yes, Elizabeth Garrett",
+ "depends_on": [
+ "222eb2e9c65499a6"
+ ],
+ "evidence": {
+ "pageid": 769576,
+ "revid": 1183029797,
+ "title": "Elizabeth Garrett",
+ "url": "https://en.wikipedia.org/wiki/Elizabeth_Garrett#:~:text=Helen%20Elizabeth%20Garrett%2C%20commonly%20known,as%20president%20of%20the%20university."
+ }
+ },
+ {
+ "id": "d0df012343817313",
+ "question": "Has Dartmouth College ever had a female president or provost?",
+ "decomposition": [],
+ "answer": "Yes, Sian Leah Beilock",
+ "depends_on": [
+ "222eb2e9c65499a6"
+ ],
+ "evidence": {
+ "pageid": 41568467,
+ "revid": 1184330827,
+ "title": "Sian Beilock",
+ "url": "https://en.wikipedia.org/wiki/Sian_Beilock"
+ }
+ },
+ {
+ "id": "6621c1bd06fba8e0",
+ "question": "Has Harvard University ever had a female president or provost?",
+ "decomposition": [],
+ "answer": "Yes, Drew Gilpin Faust",
+ "depends_on": [
+ "222eb2e9c65499a6"
+ ],
+ "evidence": {
+ "pageid": 8940102,
+ "revid": 1180337807,
+ "title": "Drew Gilpin Faust",
+ "url": "https://en.wikipedia.org/wiki/Drew_Gilpin_Faust#:~:text=Faust%20was%20the%20first%20woman,Faculty%20of%20Arts%20and%20Sciences."
+ }
+ },
+ {
+ "id": "becb62ff8d5f96c6",
+ "question": "Has University of Pennsylvania ever had a female president or provost?",
+ "decomposition": [],
+ "answer": "Yes, Amy Gutmann",
+ "depends_on": [
+ "222eb2e9c65499a6"
+ ],
+ "evidence": {
+ "pageid": 1910482,
+ "revid": 1184711240,
+ "title": "Amy Gutmann",
+ "url": "https://en.wikipedia.org/wiki/Amy_Gutmann"
+ }
+ },
+ {
+ "id": "299b0488f64e1d33",
+ "question": "Has Princeton University ever had a female president or provost?",
+ "decomposition": [],
+ "answer": "Yes, Shirley M. Tilghman",
+ "depends_on": [
+ "222eb2e9c65499a6"
+ ],
+ "evidence": {
+ "pageid": 1984350,
+ "revid": 1177323957,
+ "title": "List of presidents of Princeton University",
+ "url": "https://en.wikipedia.org/wiki/List_of_presidents_of_Princeton_University"
+ }
+ },
+ {
+ "id": "9c9bc4de3b8c942d",
+ "question": "Has Yale University ever had a female president or provost?",
+ "decomposition": [],
+ "answer": "Yes, Hanna Holborn Gray",
+ "depends_on": [
+ "222eb2e9c65499a6"
+ ],
+ "evidence": {
+ "pageid": 366653,
+ "revid": 1183578283,
+ "title": "Hanna Holborn Gray",
+ "url": "https://en.wikipedia.org/wiki/Hanna_Holborn_Gray"
+ }
+ }
+ ],
+ "answer": 0,
+ "categories": [
+ "Education",
+ "Gender Studies"
+ ]
+ },
+ {
+ "id": "e635c39658e9e75b",
+ "question": "List the venues for the last five Ed Sheeran concerts and their estimated construction costs in dollars.",
+ "decomposition": [
+ {
+ "id": "73b4e860c6a0ac83",
+ "question": "List the venues for the last five Ed sheeran concerts in US",
+ "decomposition": [],
+ "answer": [
+ "Allegiant Stadium",
+ "SoFi Stadium",
+ "Levi's Stadium",
+ "Lumen Field",
+ "Empower Field at Mile High"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 68859906,
+ "revid": 1185906607,
+ "title": "+\u2013=\u00f7\u00d7 Tour",
+ "url": "https://en.wikipedia.org/wiki/%2B%E2%80%93%3D%C3%B7%C3%97_Tour"
+ }
+ },
+ {
+ "id": "392e5ea97e388bce",
+ "question": "What was the construction cost (estimated) for the Allegiant Stadium?",
+ "decomposition": [],
+ "answer": 1900000000,
+ "depends_on": [
+ "73b4e860c6a0ac83"
+ ],
+ "evidence": {
+ "pageid": 52047141,
+ "revid": 1185894104,
+ "title": "Allegiant Stadium",
+ "url": "https://en.wikipedia.org/wiki/Allegiant_Stadium"
+ }
+ },
+ {
+ "id": "37b5e93d13e33d5d",
+ "question": "What was the construction cost (estimated) for the SoFi Stadium?",
+ "decomposition": [],
+ "answer": 5500000000,
+ "depends_on": [
+ "73b4e860c6a0ac83"
+ ],
+ "evidence": {
+ "pageid": 45525802,
+ "revid": 1185510469,
+ "title": "SoFi Stadium",
+ "url": "https://en.wikipedia.org/wiki/SoFi_Stadium"
+ }
+ },
+ {
+ "id": "1104cd222abe822b",
+ "question": "What was the construction cost (estimated) for the Levi's Stadium?",
+ "decomposition": [],
+ "answer": 1300000000,
+ "depends_on": [
+ "73b4e860c6a0ac83"
+ ],
+ "evidence": {
+ "pageid": 7719913,
+ "revid": 1185665959,
+ "title": "Levi's Stadium",
+ "url": "https://en.wikipedia.org/wiki/Levi%27s_Stadium"
+ }
+ },
+ {
+ "id": "614f28a695b9213a",
+ "question": "What was the construction cost (estimated) for the Lumen Field?",
+ "decomposition": [],
+ "answer": 430000000,
+ "depends_on": [
+ "73b4e860c6a0ac83"
+ ],
+ "evidence": {
+ "pageid": 206812,
+ "revid": 1185650437,
+ "title": "Lumen Field",
+ "url": "https://en.wikipedia.org/wiki/Lumen_Field"
+ }
+ },
+ {
+ "id": "bce52f0ca654bf40",
+ "question": "What was the construction cost (estimated) for the Empower Field at Mile High?",
+ "decomposition": [],
+ "answer": 400900000,
+ "depends_on": [
+ "73b4e860c6a0ac83"
+ ],
+ "evidence": {
+ "pageid": 501440,
+ "revid": 1185085950,
+ "title": "Empower Field at Mile High",
+ "url": "https://en.wikipedia.org/wiki/Empower_Field_at_Mile_High"
+ }
+ }
+ ],
+ "answer": {
+ "Allegiant Stadium": 1900000000,
+ "SoFi Stadium": 5500000000,
+ "Levi's Stadium": 1300000000,
+ "Lumen Field": 430000000,
+ "Empower Field at Mile High": 400900000
+ },
+ "categories": [
+ "Architecture",
+ "Music"
+ ]
+ },
+ {
+ "id": "67fc04df63afb29c",
+ "question": "What were the regular season records of the Major League Baseball World Series winning teams in the last five years?",
+ "decomposition": [
+ {
+ "id": "9b0826d2274dfb54",
+ "question": "What is the name of the Major League Baseball World Series winning team in the last five years?",
+ "decomposition": [],
+ "answer": {
+ "2023": "Texas Rangers",
+ "2022": "Houston Astros",
+ "2021": "Atlanta Braves",
+ "2020": "Los Angeles Dodgers",
+ "2019": "Washington Nationals"
+ },
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7599168,
+ "revid": 1185888946,
+ "title": "List of World Series champions",
+ "url": "https://en.wikipedia.org/wiki/List_of_World_Series_champions"
+ }
+ },
+ {
+ "id": "bb74531996c76b91",
+ "question": "What is the regular season record of the Texas Rangers in 2023?",
+ "decomposition": [],
+ "answer": "90-72",
+ "depends_on": [
+ "9b0826d2274dfb54"
+ ],
+ "evidence": {
+ "pageid": 71926495,
+ "revid": 1185600310,
+ "title": "2023 Texas Rangers season",
+ "url": "https://en.wikipedia.org/wiki/2023_Texas_Rangers_season"
+ }
+ },
+ {
+ "id": "ec7199ee26f157bc",
+ "question": "What is the regular season record of the Houston Astros in 2022?",
+ "decomposition": [],
+ "answer": "106-56",
+ "depends_on": [
+ "9b0826d2274dfb54"
+ ],
+ "evidence": {
+ "pageid": 69142378,
+ "revid": 1184741540,
+ "title": "2022 Houston Astros season",
+ "url": "https://en.wikipedia.org/wiki/2022_Houston_Astros_season"
+ }
+ },
+ {
+ "id": "f7feb3c813afff86",
+ "question": "What is the regular season record of the Atlanta Braves in 2021?",
+ "decomposition": [],
+ "answer": "88-73",
+ "depends_on": [
+ "9b0826d2274dfb54"
+ ],
+ "evidence": {
+ "pageid": 65619923,
+ "revid": 1184618893,
+ "title": "2021 Atlanta Braves season",
+ "url": "https://en.wikipedia.org/wiki/2021_Atlanta_Braves_season"
+ }
+ },
+ {
+ "id": "3eb5f0510ebd2023",
+ "question": "What is the regular season record of the Los Angeles Dodgers in 2020?",
+ "decomposition": [],
+ "answer": "43-17",
+ "depends_on": [
+ "9b0826d2274dfb54"
+ ],
+ "evidence": {
+ "pageid": 61900790,
+ "revid": 1184618775,
+ "title": "2020 Los Angeles Dodgers season",
+ "url": "https://en.wikipedia.org/wiki/2020_Los_Angeles_Dodgers_season"
+ }
+ },
+ {
+ "id": "c5fde721ef697f88",
+ "question": "What is the regular season record of the Washington Nationals in 2019?",
+ "decomposition": [],
+ "answer": "93-69",
+ "depends_on": [
+ "9b0826d2274dfb54"
+ ],
+ "evidence": {
+ "pageid": 58252073,
+ "revid": 1184618663,
+ "title": "2019 Washington Nationals season",
+ "url": "https://en.wikipedia.org/wiki/2019_Washington_Nationals_season"
+ }
+ }
+ ],
+ "answer": {
+ "Texas Rangers": "90-72",
+ "Houston Astros": "106-56",
+ "Atlanta Braves": "88-73",
+ "Los Angeles Dodgers": "43-17",
+ "Washington Nationals": "93-69"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "0967e3f9e468813b",
+ "question": "What were the six most populous cities in the United States in 2000, and what were their respective populations in number of people?",
+ "decomposition": [
+ {
+ "id": "52b3f2d58f1d3e64",
+ "question": "What are the six most populous cities in the United States?",
+ "decomposition": [],
+ "answer": [
+ "New York",
+ "Los Angeles",
+ "Chicago",
+ "Houston",
+ "Phoenix",
+ "Philadelphia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1649321,
+ "revid": 1185657569,
+ "title": "List of United States cities by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_United_States_cities_by_population"
+ }
+ },
+ {
+ "id": "33e3e571423552f2",
+ "question": "What was the population of New York in 2000?",
+ "decomposition": [],
+ "answer": 8008278,
+ "depends_on": [
+ "52b3f2d58f1d3e64"
+ ],
+ "evidence": {
+ "pageid": 33281496,
+ "revid": 1185637666,
+ "title": "Demographic history of New York City",
+ "url": "https://en.wikipedia.org/wiki/Demographic_history_of_New_York_City"
+ }
+ },
+ {
+ "id": "38042298913f0837",
+ "question": "What was the population of Los Angeles in 2000?",
+ "decomposition": [],
+ "answer": 3694820,
+ "depends_on": [
+ "52b3f2d58f1d3e64"
+ ],
+ "evidence": {
+ "pageid": 18110,
+ "revid": 1185453578,
+ "title": "Los Angeles",
+ "url": "https://en.wikipedia.org/wiki/Los_Angeles"
+ }
+ },
+ {
+ "id": "118fa00e39107f00",
+ "question": "What was the population of Chicago in 2000?",
+ "decomposition": [],
+ "answer": 2896016,
+ "depends_on": [
+ "52b3f2d58f1d3e64"
+ ],
+ "evidence": {
+ "pageid": 6886,
+ "revid": 1185815115,
+ "title": "Chicago",
+ "url": "https://en.wikipedia.org/wiki/Chicago"
+ }
+ },
+ {
+ "id": "4115070b865c7590",
+ "question": "What was the population of Houston in 2000?",
+ "decomposition": [],
+ "answer": 1953631,
+ "depends_on": [
+ "52b3f2d58f1d3e64"
+ ],
+ "evidence": {
+ "pageid": 13774,
+ "revid": 1185605911,
+ "title": "Houston",
+ "url": "https://en.wikipedia.org/wiki/Houston"
+ }
+ },
+ {
+ "id": "9d9009c0f4a7d22d",
+ "question": "What was the population of Phoenix in 2000?",
+ "decomposition": [],
+ "answer": 1321045,
+ "depends_on": [
+ "52b3f2d58f1d3e64"
+ ],
+ "evidence": {
+ "pageid": 49121,
+ "revid": 1185099906,
+ "title": "Phoenix, Arizona",
+ "url": "https://en.wikipedia.org/wiki/Phoenix,_Arizona"
+ }
+ },
+ {
+ "id": "51efb5c2426332cf",
+ "question": "What was the population of Philadelphia in 2000?",
+ "decomposition": [],
+ "answer": 1517550,
+ "depends_on": [
+ "52b3f2d58f1d3e64"
+ ],
+ "evidence": {
+ "pageid": 50585,
+ "revid": 1185804447,
+ "title": "Philadelphia",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia"
+ }
+ }
+ ],
+ "answer": {
+ "New York": 8008278,
+ "Los Angeles": 3694820,
+ "Chicago": 2896016,
+ "Houston": 1953631,
+ "Phoenix": 1321045,
+ "Philadelphia": 1517550
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "caa3b0a9e14c1ec6",
+ "question": "Find the five main islands of Japan. What are the names of these islands and names of their respective highest points?",
+ "decomposition": [
+ {
+ "id": "312832462bc3421b",
+ "question": "What are the five main islands of Japan?",
+ "decomposition": [],
+ "answer": [
+ "Hokkaido",
+ "Honshu",
+ "Shikoku",
+ "Kyushu",
+ "Okinawa"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 15573,
+ "revid": 1185720931,
+ "title": "Japan",
+ "url": "https://en.wikipedia.org/wiki/Japan"
+ }
+ },
+ {
+ "id": "121bbb30477918f3",
+ "question": "What is the name of the highest point on Hokkaido?",
+ "decomposition": [],
+ "answer": "Mount Asahi",
+ "depends_on": [
+ "312832462bc3421b"
+ ],
+ "evidence": {
+ "pageid": 58092,
+ "revid": 1183783306,
+ "title": "Hokkaido",
+ "url": "https://en.wikipedia.org/wiki/Hokkaido"
+ }
+ },
+ {
+ "id": "a7d5b49ceaca73de",
+ "question": "What is the name of the highest point on Honshu?",
+ "decomposition": [],
+ "answer": "Mount Fuji",
+ "depends_on": [
+ "312832462bc3421b"
+ ],
+ "evidence": {
+ "pageid": 59057,
+ "revid": 1184657697,
+ "title": "Honshu",
+ "url": "https://en.wikipedia.org/wiki/Honshu"
+ }
+ },
+ {
+ "id": "65dd28dc40879139",
+ "question": "What is the name of the highest point on Shikoku?",
+ "decomposition": [],
+ "answer": "Mount Ishizuchi",
+ "depends_on": [
+ "312832462bc3421b"
+ ],
+ "evidence": {
+ "pageid": 61722,
+ "revid": 1184324277,
+ "title": "Shikoku",
+ "url": "https://en.wikipedia.org/wiki/Shikoku"
+ }
+ },
+ {
+ "id": "b9754f4eb449952b",
+ "question": "What is the name of the highest point on Kyushu?",
+ "decomposition": [],
+ "answer": "Mount Kuj\u016b",
+ "depends_on": [
+ "312832462bc3421b"
+ ],
+ "evidence": {
+ "pageid": 16914,
+ "revid": 1185194208,
+ "title": "Kyushu",
+ "url": "https://en.wikipedia.org/wiki/Kyushu"
+ }
+ },
+ {
+ "id": "788f9512837527dd",
+ "question": "What is the name of the highest point on Okinawa?",
+ "decomposition": [],
+ "answer": "Mount Yonaha",
+ "depends_on": [
+ "312832462bc3421b"
+ ],
+ "evidence": {
+ "pageid": 725125,
+ "revid": 1178734436,
+ "title": "Okinawa Island",
+ "url": "https://en.wikipedia.org/wiki/Okinawa_Island"
+ }
+ }
+ ],
+ "answer": {
+ "Hokkaido": "Mount Asahi",
+ "Honshu": "Mount Fuji",
+ "Shikoku": "Mount Ishizuchi",
+ "Kyushu": "Mount Kuj\u016b",
+ "Okinawa": "Mount Yonaha"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "50fa232e3f44887a",
+ "question": "Identify the capital cities of the five most populous countries as of 2023. What are the major rivers flowing through these capital cities?",
+ "decomposition": [
+ {
+ "id": "85520893dafceed4",
+ "question": "What are the five most populous countries as of 2023?",
+ "decomposition": [],
+ "answer": [
+ "China",
+ "India",
+ "United States",
+ "Indonesia",
+ "Pakistan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69058,
+ "revid": 1185694277,
+ "title": "List of countries and dependencies by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_and_dependencies_by_population"
+ }
+ },
+ {
+ "id": "598247eeaec50404",
+ "question": "What are the capital cities of China, India, the United States, Indonesia, and Pakistan?",
+ "decomposition": [],
+ "answer": [
+ "Beijing",
+ "New Delhi",
+ "Washington, D.C.",
+ "Jakarta",
+ "Islamabad"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 33728,
+ "revid": 1185160249,
+ "title": "List of national capitals",
+ "url": "https://en.wikipedia.org/wiki/List_of_national_capitals"
+ }
+ },
+ {
+ "id": "36b4ae8effc72a13",
+ "question": "What major river flows through Beijing?",
+ "decomposition": [],
+ "answer": "Yongding River",
+ "depends_on": [
+ "85520893dafceed4",
+ "598247eeaec50404"
+ ],
+ "evidence": {
+ "pageid": 18603746,
+ "revid": 1185762800,
+ "title": "Beijing",
+ "url": "https://en.wikipedia.org/wiki/Beijing"
+ }
+ },
+ {
+ "id": "5a535532fdf04304",
+ "question": "What major river flows through New Delhi?",
+ "decomposition": [],
+ "answer": "Yamuna River",
+ "depends_on": [
+ "85520893dafceed4",
+ "598247eeaec50404"
+ ],
+ "evidence": {
+ "pageid": 51585,
+ "revid": 1185859018,
+ "title": "New Delhi",
+ "url": "https://en.wikipedia.org/wiki/New_Delhi"
+ }
+ },
+ {
+ "id": "dbfd6eec1e0cbdbf",
+ "question": "What major river flows through Washington, D.C.?",
+ "decomposition": [],
+ "answer": "Potomac River",
+ "depends_on": [
+ "85520893dafceed4",
+ "598247eeaec50404"
+ ],
+ "evidence": {
+ "pageid": 108956,
+ "revid": 1185828213,
+ "title": "Washington, D.C.",
+ "url": "https://en.wikipedia.org/wiki/Washington,_D.C."
+ }
+ },
+ {
+ "id": "96e5a40ecde40c43",
+ "question": "What major river flows through Jakarta?",
+ "decomposition": [],
+ "answer": "Ciliwung River",
+ "depends_on": [
+ "85520893dafceed4",
+ "598247eeaec50404"
+ ],
+ "evidence": {
+ "pageid": 16275,
+ "revid": 1185873639,
+ "title": "Jakarta",
+ "url": "https://en.wikipedia.org/wiki/Jakarta"
+ }
+ },
+ {
+ "id": "1b11de94967d810d",
+ "question": "What major river flows through Islamabad?",
+ "decomposition": [],
+ "answer": "Soan River",
+ "depends_on": [
+ "85520893dafceed4",
+ "598247eeaec50404"
+ ],
+ "evidence": {
+ "pageid": 51153,
+ "revid": 1182838084,
+ "title": "Islamabad",
+ "url": "https://en.wikipedia.org/wiki/Islamabad"
+ }
+ }
+ ],
+ "answer": {
+ "Beijing": "Yongding River",
+ "New Delhi": "Yamuna River",
+ "Washington, D.C.": "Potomac River",
+ "Jakarta": "Ciliwung River",
+ "Islamabad": "Soan River"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "ca085ff48e269f74",
+ "question": "Identify the presidents of the United States who served two terms and their respective political affiliations.",
+ "decomposition": [
+ {
+ "id": "7653bde02a500326",
+ "question": "Who are the 2 time presidents of the US?",
+ "decomposition": [],
+ "answer": [
+ "Thomas Jefferson",
+ "James Madison",
+ "James Monroe",
+ "Andrew Jackson",
+ "Ulysses S. Grant",
+ "Grover Cleveland",
+ "Woodrow Wilson",
+ "Dwight D. Eisenhower",
+ "Ronald Reagan",
+ "Bill Clinton",
+ "George W. Bush",
+ "Barack Obama"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1038417,
+ "revid": 1175575545,
+ "title": "List of presidents of the United States by time in office",
+ "url": "https://en.wikipedia.org/wiki/List_of_presidents_of_the_United_States_by_time_in_office"
+ }
+ },
+ {
+ "id": "ce6200bf2b16ff5e",
+ "question": "What is Thomas Jefferson's political alliance?",
+ "decomposition": [],
+ "answer": "Democratic-Republican",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 29922,
+ "revid": 1185583152,
+ "title": "Thomas Jefferson",
+ "url": "https://en.wikipedia.org/wiki/Thomas_Jefferson"
+ }
+ },
+ {
+ "id": "c2f103f4bf0a1881",
+ "question": "What is James Madison's political alliance?",
+ "decomposition": [],
+ "answer": "Democratic-Republican",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 15950,
+ "revid": 1184331395,
+ "title": "James Madison",
+ "url": "https://en.wikipedia.org/wiki/James_Madison"
+ }
+ },
+ {
+ "id": "1ecd221d2c2e304e",
+ "question": "What is James Monroe's political alliance?",
+ "decomposition": [],
+ "answer": "Democratic-Republican",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 15978,
+ "revid": 1185692070,
+ "title": "James Monroe",
+ "url": "https://en.wikipedia.org/wiki/James_Monroe"
+ }
+ },
+ {
+ "id": "d7a9b010dbeb913d",
+ "question": "What is Andrew Jackson's political alliance?",
+ "decomposition": [],
+ "answer": "Democrat",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 1623,
+ "revid": 1185926123,
+ "title": "Andrew Jackson",
+ "url": "https://en.wikipedia.org/wiki/Andrew_Jackson"
+ }
+ },
+ {
+ "id": "ccfbeff1d24bc974",
+ "question": "What is Ulysses S. Grant's political alliance?",
+ "decomposition": [],
+ "answer": "Republican",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 31752,
+ "revid": 1185201853,
+ "title": "Ulysses S. Grant",
+ "url": "https://en.wikipedia.org/wiki/Ulysses_S._Grant"
+ }
+ },
+ {
+ "id": "86986fc89a49671d",
+ "question": "What is Grover Cleveland's political alliance?",
+ "decomposition": [],
+ "answer": "Democrat",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 12495,
+ "revid": 1185279727,
+ "title": "Grover Cleveland",
+ "url": "https://en.wikipedia.org/wiki/Grover_Cleveland"
+ }
+ },
+ {
+ "id": "8039e3a0adae8cf2",
+ "question": "What is Woodrow Wilson's political alliance?",
+ "decomposition": [],
+ "answer": "Democrat",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 33523,
+ "revid": 1184833579,
+ "title": "Woodrow Wilson",
+ "url": "https://en.wikipedia.org/wiki/Woodrow_Wilson"
+ }
+ },
+ {
+ "id": "c546e95b2e588a1d",
+ "question": "What is Dwight D. Eisenhower's political alliance?",
+ "decomposition": [],
+ "answer": "Republican",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 8182,
+ "revid": 1185941116,
+ "title": "Dwight D. Eisenhower",
+ "url": "https://en.wikipedia.org/wiki/Dwight_D._Eisenhower"
+ }
+ },
+ {
+ "id": "00395e53419eaeba",
+ "question": "What is Ronald Reagan's political alliance?",
+ "decomposition": [],
+ "answer": "Republican",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 25433,
+ "revid": 1185003354,
+ "title": "Ronald Reagan",
+ "url": "https://en.wikipedia.org/wiki/Ronald_Reagan"
+ }
+ },
+ {
+ "id": "1c832bd4dd8d961b",
+ "question": "What is Bill Clinton's political alliance?",
+ "decomposition": [],
+ "answer": "Democrat",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 3356,
+ "revid": 1185156347,
+ "title": "Bill Clinton",
+ "url": "https://en.wikipedia.org/wiki/Bill_Clinton"
+ }
+ },
+ {
+ "id": "b778226ea9f2bc60",
+ "question": "What is George W. Bush's political alliance?",
+ "decomposition": [],
+ "answer": "Republican",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 3414021,
+ "revid": 1185789468,
+ "title": "George W. Bush",
+ "url": "https://en.wikipedia.org/wiki/George_W._Bush"
+ }
+ },
+ {
+ "id": "09e9d39a7414b792",
+ "question": "What is Barack Obama's political alliance?",
+ "decomposition": [],
+ "answer": "Democrat",
+ "depends_on": [
+ "7653bde02a500326"
+ ],
+ "evidence": {
+ "pageid": 534366,
+ "revid": 1185877587,
+ "title": "Barack Obama",
+ "url": "https://en.wikipedia.org/wiki/Barack_Obama"
+ }
+ }
+ ],
+ "answer": {
+ "Thomas Jefferson": "Democratic-Republican",
+ "James Madison": "Democratic-Republican",
+ "James Monroe": "Democratic-Republican",
+ "Andrew Jackson": "Democrat",
+ "Ulysses S. Grant": "Republican",
+ "Grover Cleveland": "Democrat",
+ "Woodrow Wilson": "Democrat",
+ "Dwight D. Eisenhower": "Republican",
+ "Ronald Reagan": "Republican",
+ "Bill Clinton": "Democrat",
+ "George W. Bush": "Republican",
+ "Barack Obama": "Democrat"
+ },
+ "categories": [
+ "History",
+ "Political Science"
+ ]
+ },
+ {
+ "id": "6d9fd37a932e8142",
+ "question": "Name the major battlefronts of World War II and provide a brief overview of the key events in each.",
+ "decomposition": [
+ {
+ "id": "be382099c0d9468f",
+ "question": "What were the major battlefronts of World War II?",
+ "decomposition": [],
+ "answer": [
+ "Western Front",
+ "Eastern Front",
+ "Pacific Front",
+ "African Front",
+ "Italian Front"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 32927,
+ "revid": 1185819059,
+ "title": "World War II",
+ "url": "https://en.wikipedia.org/wiki/World_War_II"
+ }
+ },
+ {
+ "id": "3a768fbe1c97c66b",
+ "question": "What were the key events on the Western Front?",
+ "decomposition": [],
+ "answer": "D-Day, Battle of the Bulge, Liberation of Paris",
+ "depends_on": [
+ "be382099c0d9468f"
+ ],
+ "evidence": {
+ "pageid": 519516,
+ "revid": 1185220573,
+ "title": "Western Front (World War II)",
+ "url": "https://en.wikipedia.org/wiki/Western_Front_(World_War_II)"
+ }
+ },
+ {
+ "id": "c25104d5ee9cce20",
+ "question": "What were the key events on the Eastern Front?",
+ "decomposition": [],
+ "answer": "Battle of Stalingrad, Siege of Leningrad, Operation Barbarossa",
+ "depends_on": [
+ "be382099c0d9468f"
+ ],
+ "evidence": {
+ "pageid": 519489,
+ "revid": 1185304507,
+ "title": "Eastern Front (World War II)",
+ "url": "https://en.wikipedia.org/wiki/Eastern_Front_(World_War_II)"
+ }
+ },
+ {
+ "id": "9893f6b7e51e8d7e",
+ "question": "What were the key events on the Pacific Front?",
+ "decomposition": [],
+ "answer": "Attack on Pearl Harbor, Battle of Midway, Battle of Iwo Jima",
+ "depends_on": [
+ "be382099c0d9468f"
+ ],
+ "evidence": {
+ "pageid": 342641,
+ "revid": 1185894047,
+ "title": "Pacific War",
+ "url": "https://en.wikipedia.org/wiki/Pacific_War"
+ }
+ },
+ {
+ "id": "c3f5214436860cee",
+ "question": "What were the key events on the African Front?",
+ "decomposition": [],
+ "answer": "Battle of El Alamein, Operation Torch, Battle of Gazala",
+ "depends_on": [
+ "be382099c0d9468f"
+ ],
+ "evidence": {
+ "pageid": 493688,
+ "revid": 1185090185,
+ "title": "North African campaign",
+ "url": "https://en.wikipedia.org/wiki/North_African_Campaign"
+ }
+ },
+ {
+ "id": "b879c4cf1e92ad98",
+ "question": "What were the key events on the Italian Front?",
+ "decomposition": [],
+ "answer": "Battle of Monte Cassino, Invasion of Sicily, Battle of Anzio",
+ "depends_on": [
+ "be382099c0d9468f"
+ ],
+ "evidence": {
+ "pageid": 493696,
+ "revid": 1185653488,
+ "title": "Italian campaign (World War II)",
+ "url": "https://en.wikipedia.org/wiki/Italian_Campaign_(World_War_II)"
+ }
+ }
+ ],
+ "answer": {
+ "Western Front": "D-Day, Battle of the Bulge, Liberation of Paris",
+ "Eastern Front": "Battle of Stalingrad, Siege of Leningrad, Operation Barbarossa",
+ "Pacific Front": "Attack on Pearl Harbor, Battle of Midway, Battle of Iwo Jima",
+ "African Front": "Battle of El Alamein, Operation Torch, Battle of Gazala",
+ "Italian Front": "Battle of Monte Cassino, Invasion of Sicily, Battle of Anzio"
+ },
+ "categories": [
+ "History",
+ "Military Studies"
+ ]
+ },
+ {
+ "id": "c6707339a044ae15",
+ "question": "What are the 4 most populous countries in the world and what are their most spoken languages?",
+ "decomposition": [
+ {
+ "id": "0efe9b6c7591801a",
+ "question": "What are the 4 most populous countries in the world?",
+ "decomposition": [],
+ "answer": "India, China, United States, Indonesia",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39707994,
+ "revid": 1183557170,
+ "title": "List of countries by population (United Nations)",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_population_(United_Nations)"
+ }
+ },
+ {
+ "id": "bc8b9d4aa1087aae",
+ "question": "What is the most spoken language in India?",
+ "decomposition": [],
+ "answer": "Hindi",
+ "depends_on": [
+ "0efe9b6c7591801a"
+ ],
+ "evidence": {
+ "pageid": 650743,
+ "revid": 1185819656,
+ "title": "List of languages by number of native speakers in India",
+ "url": "https://en.wikipedia.org/wiki/List_of_languages_by_number_of_native_speakers_in_India"
+ }
+ },
+ {
+ "id": "5387ef94f971f77d",
+ "question": "What is the most spoken language in China?",
+ "decomposition": [],
+ "answer": "Mandarin",
+ "depends_on": [
+ "0efe9b6c7591801a"
+ ],
+ "evidence": {
+ "pageid": 243875,
+ "revid": 1185042365,
+ "title": "Languages of China",
+ "url": "https://en.wikipedia.org/wiki/Languages_of_China"
+ }
+ },
+ {
+ "id": "ef602163c8e9fee9",
+ "question": "What is the most spoken language in the United States?",
+ "decomposition": [],
+ "answer": "English",
+ "depends_on": [
+ "0efe9b6c7591801a"
+ ],
+ "evidence": {
+ "pageid": 63881,
+ "revid": 1185890114,
+ "title": "Languages of the United States",
+ "url": "https://en.wikipedia.org/wiki/Languages_of_the_United_States"
+ }
+ },
+ {
+ "id": "dbe2527aecd082a0",
+ "question": "What is the most spoken language in Indonesia?",
+ "decomposition": [],
+ "answer": "Indonesian",
+ "depends_on": [
+ "0efe9b6c7591801a"
+ ],
+ "evidence": {
+ "pageid": 7718820,
+ "revid": 1181190547,
+ "title": "Languages of Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Languages_of_Indonesia"
+ }
+ }
+ ],
+ "answer": {
+ "India": "Hindi",
+ "China": "Mandarin",
+ "United States": "English",
+ "Indonesia": "Indonesian"
+ },
+ "categories": [
+ "Linguistics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "4f6a9d771a7df888",
+ "question": "What are the five categories of the 65th Annual Grammy Awards and who is the winner for each category?",
+ "decomposition": [
+ {
+ "id": "2709a8e6d5aa3fae",
+ "question": "What are the five categories of the 65th Annual Grammy Awards?",
+ "decomposition": [],
+ "answer": [
+ "Best Alternative Music Performance",
+ "Best Americana Performance",
+ "Best Score Soundtrack for Video Games and Other Interactive Media",
+ "Best Spoken Word Poetry Album",
+ "Songwriter of the Year, Non-Classical"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 68461112,
+ "revid": 1185751511,
+ "title": "65th Annual Grammy Awards",
+ "url": "https://en.wikipedia.org/wiki/65th_Annual_Grammy_Awards"
+ }
+ },
+ {
+ "id": "f54e6bad6e77e6f5",
+ "question": "Who is the winner for Best Alternative Music Performance in the 65th Annual Grammy Awards",
+ "decomposition": [],
+ "answer": "Wet Leg",
+ "depends_on": [
+ "2709a8e6d5aa3fae"
+ ],
+ "evidence": {
+ "pageid": 401491,
+ "revid": 1184541064,
+ "title": "Grammy Award for Best Alternative Music Performance",
+ "url": "https://en.wikipedia.org/wiki/Grammy_Award_for_Best_Alternative_Music_Performance"
+ }
+ },
+ {
+ "id": "ca22c8d5c0978971",
+ "question": "Who is the winner for Best Americana Performance in the 65th Annual Grammy Awards",
+ "decomposition": [],
+ "answer": "Bonnie Raitt",
+ "depends_on": [
+ "2709a8e6d5aa3fae"
+ ],
+ "evidence": {
+ "pageid": 72300924,
+ "revid": 1184752113,
+ "title": "Grammy Award for Best Americana Performance",
+ "url": "https://en.wikipedia.org/wiki/Grammy_Award_for_Best_Americana_Performance"
+ }
+ },
+ {
+ "id": "c166d3b9d1c1eb0e",
+ "question": "Who is the winner for Best Score Soundtrack for Video Games and Other Interactive Media in the 65th Annual Grammy Awards",
+ "decomposition": [],
+ "answer": "Assassin's Creed Valhalla: Dawn of Ragnarok",
+ "depends_on": [
+ "2709a8e6d5aa3fae"
+ ],
+ "evidence": {
+ "pageid": 72290888,
+ "revid": 1184746627,
+ "title": "Grammy Award for Best Score Soundtrack for Video Games and Other Interactive Media",
+ "url": "https://en.wikipedia.org/wiki/Grammy_Award_for_Best_Score_Soundtrack_for_Video_Games_and_Other_Interactive_Media"
+ }
+ },
+ {
+ "id": "93042219b79390c2",
+ "question": "Who is the winner for Best Spoken Word Poetry Album in the 65th Annual Grammy Awards",
+ "decomposition": [],
+ "answer": "J. Ivy",
+ "depends_on": [
+ "2709a8e6d5aa3fae"
+ ],
+ "evidence": {
+ "pageid": 72293366,
+ "revid": 1185144975,
+ "title": "Grammy Award for Best Spoken Word Poetry Album",
+ "url": "https://en.wikipedia.org/wiki/Grammy_Award_for_Best_Spoken_Word_Poetry_Album"
+ }
+ },
+ {
+ "id": "3da7f9a6d02bb618",
+ "question": "Who is the winner for Songwriter of the Year, Non-Classical in the 65th Annual Grammy Awards",
+ "decomposition": [],
+ "answer": "Tobias Jesso Jr.",
+ "depends_on": [
+ "2709a8e6d5aa3fae"
+ ],
+ "evidence": {
+ "pageid": 72274745,
+ "revid": 1185795836,
+ "title": "Grammy Award for Songwriter of the Year, Non-Classical",
+ "url": "https://en.wikipedia.org/wiki/Grammy_Award_for_Songwriter_of_the_Year,_Non-Classical"
+ }
+ }
+ ],
+ "answer": {
+ "Best Alternative Music Performance": "Wet Leg",
+ "Best Americana Performance": "Bonnie Raitt",
+ "Best Score Soundtrack for Video Games and Other Interactive Media": "Assassin's Creed Valhalla: Dawn of Ragnarok",
+ "Best Spoken Word Poetry Album": "J. Ivy",
+ "Songwriter of the Year, Non-Classical": "Tobias Jesso Jr."
+ },
+ "categories": [
+ "Music",
+ "Entertainment"
+ ]
+ },
+ {
+ "id": "c58ac65553f24640",
+ "question": "What is the most common graduate school attended by cabinet members of the current US President?",
+ "decomposition": [
+ {
+ "id": "b900699a47b1f5dd",
+ "question": "Who is the current US President?",
+ "decomposition": [],
+ "answer": "Joe Biden",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19908980,
+ "revid": 1185795171,
+ "title": "List of presidents of the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_presidents_of_the_United_States"
+ }
+ },
+ {
+ "id": "4209f3daa1a0d1a0",
+ "question": "Who are the members of Joe Biden's cabinet and what graduate school did they graduate from?",
+ "decomposition": [
+ {
+ "id": "b42e396b279273f7",
+ "question": "Who are the members of Joe Biden's cabinet?",
+ "decomposition": [],
+ "answer": [
+ "Kamala Harris",
+ "Antony Blinken",
+ "Janet Yellen",
+ "Lloyd Austin",
+ "Merrick Garland",
+ "Deb Haaland",
+ "Tom Vilsack",
+ "Gina Raimondo",
+ "Julie Su",
+ "Xavier Becerra",
+ "Marcia Fudge",
+ "Pete Buttigieg",
+ "Jennifer Granholm",
+ "Miguel Cardona",
+ "Denis McDonough",
+ "Alejandro Mayorkas"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 64857963,
+ "revid": 1184859126,
+ "title": "Cabinet of Joe Biden",
+ "url": "https://en.wikipedia.org/wiki/Cabinet_of_Joe_Biden"
+ }
+ },
+ {
+ "id": "3165c31821182cfb",
+ "question": "What graduate school did Kamala Harris graduate from?",
+ "decomposition": [],
+ "answer": "University of California College of the Law, San Francisc",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 3120522,
+ "revid": 1185431165,
+ "title": "Kamala Harris",
+ "url": "https://en.wikipedia.org/wiki/Kamala_Harris"
+ }
+ },
+ {
+ "id": "2ce94bff9856f7d5",
+ "question": "What graduate school did Antony Blinken graduate from?",
+ "decomposition": [],
+ "answer": "Columbia University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 30273418,
+ "revid": 1185701005,
+ "title": "Antony Blinken",
+ "url": "https://en.wikipedia.org/wiki/Antony_Blinken"
+ }
+ },
+ {
+ "id": "a2e5e1f8420958e4",
+ "question": "What graduate school did Janet Yellen graduate from?",
+ "decomposition": [],
+ "answer": "Yale University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 627769,
+ "revid": 1184683583,
+ "title": "Janet Yellen",
+ "url": "https://en.wikipedia.org/wiki/Janet_Yellen"
+ }
+ },
+ {
+ "id": "d186c39c23e7565c",
+ "question": "What graduate school did Lloyd Austin graduate from?",
+ "decomposition": [],
+ "answer": [
+ "Auburn University",
+ "Webster University"
+ ],
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 2347492,
+ "revid": 1183688451,
+ "title": "Lloyd Austin",
+ "url": "https://en.wikipedia.org/wiki/Lloyd_Austin"
+ }
+ },
+ {
+ "id": "cd77a010541ed4e2",
+ "question": "What graduate school did Merrick Garland graduate from?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 1110156,
+ "revid": 1185650209,
+ "title": "Merrick Garland",
+ "url": "https://en.wikipedia.org/wiki/Merrick_Garland"
+ }
+ },
+ {
+ "id": "32c9217bbf2e3452",
+ "question": "What graduate school did Deb Haaland graduate from?",
+ "decomposition": [],
+ "answer": "University of New Mexico",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 57548040,
+ "revid": 1184980465,
+ "title": "Deb Haaland",
+ "url": "https://en.wikipedia.org/wiki/Deb_Haaland"
+ }
+ },
+ {
+ "id": "67079937e71e5289",
+ "question": "What graduate school did Tom Vilsack graduate from?",
+ "decomposition": [],
+ "answer": "Albany Law School",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 99628,
+ "revid": 1181868070,
+ "title": "Tom Vilsack",
+ "url": "https://en.wikipedia.org/wiki/Tom_Vilsack"
+ }
+ },
+ {
+ "id": "dea6ecc1c09b2056",
+ "question": "What graduate school did Gina Raimondo graduate from?",
+ "decomposition": [],
+ "answer": "Yale University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 34584857,
+ "revid": 1185601681,
+ "title": "Gina Raimondo",
+ "url": "https://en.wikipedia.org/wiki/Gina_Raimondo"
+ }
+ },
+ {
+ "id": "bdbfb1a0dc6b1cc8",
+ "question": "What graduate school did Julie Su graduate from?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 27042412,
+ "revid": 1185517532,
+ "title": "Julie Su",
+ "url": "https://en.wikipedia.org/wiki/Julie_Su"
+ }
+ },
+ {
+ "id": "2fb9f0ce2f65f250",
+ "question": "What graduate school did Xavier Becerra graduate from?",
+ "decomposition": [],
+ "answer": "Stanford University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 408979,
+ "revid": 1183392708,
+ "title": "Xavier Becerra",
+ "url": "https://en.wikipedia.org/wiki/Xavier_Becerra"
+ }
+ },
+ {
+ "id": "5fd0f4ac2db023cb",
+ "question": "What graduate school did Marcia Fudge graduate from?",
+ "decomposition": [],
+ "answer": "Cleveland State University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 19286605,
+ "revid": 1184007956,
+ "title": "Marcia Fudge",
+ "url": "https://en.wikipedia.org/wiki/Marcia_Fudge"
+ }
+ },
+ {
+ "id": "24b5f567dd3046b2",
+ "question": "What graduate school did Pete Buttigieg graduate from?",
+ "decomposition": [],
+ "answer": "University of Oxford",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 33687378,
+ "revid": 1182741043,
+ "title": "Pete Buttigieg",
+ "url": "https://en.wikipedia.org/wiki/Pete_Buttigieg"
+ }
+ },
+ {
+ "id": "6a94b70f6fabee27",
+ "question": "What graduate school did Jennifer Granholm graduate from?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 412808,
+ "revid": 1185452778,
+ "title": "Jennifer Granholm",
+ "url": "https://en.wikipedia.org/wiki/Jennifer_Granholm"
+ }
+ },
+ {
+ "id": "ee1ba94c2c3a5eb4",
+ "question": "What graduate school did Miguel Cardona graduate from?",
+ "decomposition": [],
+ "answer": "University of Connecticut",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 58735564,
+ "revid": 1181868487,
+ "title": "Miguel Cardona",
+ "url": "https://en.wikipedia.org/wiki/Miguel_Cardona"
+ }
+ },
+ {
+ "id": "b724875762c3e452",
+ "question": "What graduate school did Denis McDonough graduate from?",
+ "decomposition": [],
+ "answer": "Georgetown University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 18388911,
+ "revid": 1181868551,
+ "title": "Denis McDonough",
+ "url": "https://en.wikipedia.org/wiki/Denis_McDonough"
+ }
+ },
+ {
+ "id": "5cef04fb9bb07c29",
+ "question": "What graduate school did Alejandro Mayorkas graduate from?",
+ "decomposition": [],
+ "answer": "Loyola Marymount University",
+ "depends_on": [
+ "b42e396b279273f7"
+ ],
+ "evidence": {
+ "pageid": 36383539,
+ "revid": 1185649851,
+ "title": "Alejandro Mayorkas",
+ "url": "https://en.wikipedia.org/wiki/Alejandro_Mayorkas"
+ }
+ }
+ ],
+ "answer": [
+ "Harvard University"
+ ],
+ "depends_on": [
+ "b900699a47b1f5dd"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": "Harvard University",
+ "categories": [
+ "Education",
+ "Politics"
+ ]
+ },
+ {
+ "id": "a040ce757ab2fa7e",
+ "question": "What universities did the general managers of the top three performing teams by record in the Eastern and Western conferences in the 2022-2023 season attend?",
+ "decomposition": [
+ {
+ "id": "7001c2802556e141",
+ "question": "What are the top 3 performing NBA teams by record in the 2022-2023 season in the Eastern and Western Conferences?",
+ "decomposition": [],
+ "answer": [
+ "Milwaukee Bucks",
+ "Boston Celtics",
+ "Philadelphia 76ers",
+ "Denver Nuggets",
+ "Memphis Grizzlies",
+ "Sacramento Kings"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 70510160,
+ "revid": 1185501217,
+ "title": "2022\u201323 NBA season",
+ "url": "https://en.wikipedia.org/wiki/2022%E2%80%9323_NBA_season"
+ }
+ },
+ {
+ "id": "71ccdf610279232b",
+ "question": "Who is the general manager of the Milwaukee Bucks and which college did they attend?",
+ "decomposition": [
+ {
+ "id": "fdd9159c73e45384",
+ "question": "Who is the general manager of the Milwaukee Bucks?",
+ "decomposition": [],
+ "answer": "Jon Horst",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72878,
+ "revid": 1183542896,
+ "title": "Milwaukee Bucks",
+ "url": "https://en.wikipedia.org/wiki/Milwaukee_bucks"
+ }
+ },
+ {
+ "id": "c735629ba80dc05e",
+ "question": "Which college did Jon Horst attend?",
+ "decomposition": [],
+ "answer": "Rochester University",
+ "depends_on": [
+ "fdd9159c73e45384"
+ ],
+ "evidence": {
+ "pageid": 55510048,
+ "revid": 1181892332,
+ "title": "Jon Horst",
+ "url": "https://en.wikipedia.org/wiki/Jon_Horst"
+ }
+ }
+ ],
+ "answer": {
+ "Jon Horst": "Rochester University"
+ },
+ "depends_on": [
+ "7001c2802556e141"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "2825636a19262747",
+ "question": "Who is the general manager of the Boston Celtics and which college did they attend?",
+ "decomposition": [
+ {
+ "id": "0c1eb01a3b62c2ec",
+ "question": "Who is the general manager of the Boston Celtics?",
+ "decomposition": [],
+ "answer": "Brad Stevens",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 43376,
+ "revid": 1185606648,
+ "title": "Boston Celtics",
+ "url": "https://en.wikipedia.org/wiki/Boston_celtics"
+ }
+ },
+ {
+ "id": "53c4dd944bb594aa",
+ "question": "Which college did Brad Stevens attend?",
+ "decomposition": [],
+ "answer": "DePauw University",
+ "depends_on": [
+ "0c1eb01a3b62c2ec"
+ ],
+ "evidence": {
+ "pageid": 10973779,
+ "revid": 1163696457,
+ "title": "Brad Stevens",
+ "url": "https://en.wikipedia.org/wiki/Brad_Stevens"
+ }
+ }
+ ],
+ "answer": {
+ "Brad Stevens": "DePauw University"
+ },
+ "depends_on": [
+ "7001c2802556e141"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "bccb8c63e3fadf76",
+ "question": "Who is the general manager of the Philadelphia 76ers and which college did they attend?",
+ "decomposition": [
+ {
+ "id": "4a9d273413d62622",
+ "question": "Who is the general manager of the Philadelphia 76ers?",
+ "decomposition": [],
+ "answer": "Elton Brand",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72857,
+ "revid": 1184682710,
+ "title": "Philadelphia 76ers",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia_76ers"
+ }
+ },
+ {
+ "id": "409203daac850b0f",
+ "question": "Which college did Elton Brand attend?",
+ "decomposition": [],
+ "answer": "Duke University",
+ "depends_on": [
+ "4a9d273413d62622"
+ ],
+ "evidence": {
+ "pageid": 801484,
+ "revid": 1185351243,
+ "title": "Elton Brand",
+ "url": "https://en.wikipedia.org/wiki/Elton_Brand"
+ }
+ }
+ ],
+ "answer": {
+ "Elton Brand": "Duke University"
+ },
+ "depends_on": [
+ "7001c2802556e141"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "86c119717c1a98fa",
+ "question": "Who is the general manager of the Denver Nuggets and which college did they attend?",
+ "decomposition": [
+ {
+ "id": "82c294c321f51e97",
+ "question": "Who is the general manager of the Denver Nuggets?",
+ "decomposition": [],
+ "answer": "Calvin Booth",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72883,
+ "revid": 1185246179,
+ "title": "Denver Nuggets",
+ "url": "https://en.wikipedia.org/wiki/Denver_nuggets"
+ }
+ },
+ {
+ "id": "c3ee8a87317815e0",
+ "question": "Which college did Calvin Booth attend?",
+ "decomposition": [],
+ "answer": "Penn State University",
+ "depends_on": [
+ "82c294c321f51e97"
+ ],
+ "evidence": {
+ "pageid": 2440983,
+ "revid": 1184807347,
+ "title": "Calvin Booth",
+ "url": "https://en.wikipedia.org/wiki/Calvin_Booth"
+ }
+ }
+ ],
+ "answer": {
+ "Calvin Booth": "Penn State University"
+ },
+ "depends_on": [
+ "7001c2802556e141"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "b817f9c06e33e5df",
+ "question": "Who is the general manager of the Memphis Grizzlies and which college did they attend?",
+ "decomposition": [
+ {
+ "id": "9f293fd2b5798f04",
+ "question": "Who is the general manager of the Memphis Grizzlies?",
+ "decomposition": [],
+ "answer": "Zachary Kleiman",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72886,
+ "revid": 1185246771,
+ "title": "Memphis Grizzlies",
+ "url": "https://en.wikipedia.org/wiki/Memphis_Grizzlies"
+ }
+ },
+ {
+ "id": "c34b992658c7af0e",
+ "question": "Which college did Zachary Kleiman attend?",
+ "decomposition": [],
+ "answer": "University of Southern California",
+ "depends_on": [
+ "9f293fd2b5798f04"
+ ],
+ "evidence": {
+ "pageid": 67409893,
+ "revid": 1181416335,
+ "title": "Zach Kleiman",
+ "url": "https://en.wikipedia.org/wiki/Zachary_Kleiman"
+ }
+ }
+ ],
+ "answer": {
+ "Zachary Kleiman": "University of Southern California"
+ },
+ "depends_on": [
+ "7001c2802556e141"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "dc063bdfce69942b",
+ "question": "Who is the general manager of the Sacramento Kings and which college did they attend?",
+ "decomposition": [
+ {
+ "id": "738e844ebfc82f46",
+ "question": "Who is the general manager of the Sacramento Kings?",
+ "decomposition": [],
+ "answer": "Monte McNair",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72898,
+ "revid": 1184683768,
+ "title": "Sacramento Kings",
+ "url": "https://en.wikipedia.org/wiki/Sacramento_Kings"
+ }
+ },
+ {
+ "id": "1a1947e6ff8b1841",
+ "question": "Which college did Monte McNair attend?",
+ "decomposition": [],
+ "answer": "Princeton University",
+ "depends_on": [
+ "738e844ebfc82f46"
+ ],
+ "evidence": {
+ "pageid": 67446065,
+ "revid": 1177319021,
+ "title": "Monte McNair",
+ "url": "https://en.wikipedia.org/wiki/Monte_McNair"
+ }
+ }
+ ],
+ "answer": {
+ "Monte McNair": "Princeton University"
+ },
+ "depends_on": [
+ "7001c2802556e141"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Jon Horst": "Rochester University",
+ "Brad Stevens": "DePauw University",
+ "Elton Brand": "Duke University",
+ "Calvin Booth": "Penn State University",
+ "Zachary Kleiman": "University of Southern California",
+ "Monte McNair": "Princeton University"
+ },
+ "categories": [
+ "Education",
+ "Sports"
+ ]
+ },
+ {
+ "id": "588652099ffb39c9",
+ "question": "What were the box office revenues for the top 5 highest-grossing movies worldwide in billions of dollars?",
+ "decomposition": [
+ {
+ "id": "5278939b00504296",
+ "question": "What were the top 5 highest-grossing movies worldwide?",
+ "decomposition": [],
+ "answer": [
+ "Avatar",
+ "Avengers: Endgame",
+ "Avatar: The Way of Water",
+ "Titanic",
+ "Star Wars: The Force Awakens"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59892,
+ "revid": 1185890055,
+ "title": "List of highest-grossing films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_films"
+ }
+ },
+ {
+ "id": "68ea442cafaefc20",
+ "question": "What was the box office revenue of 'Avatar'?",
+ "decomposition": [],
+ "answer": 2.923,
+ "depends_on": [
+ "5278939b00504296"
+ ],
+ "evidence": {
+ "pageid": 4273140,
+ "revid": 1185356274,
+ "title": "Avatar (2009 film)",
+ "url": "https://en.wikipedia.org/wiki/Avatar_(2009_film)"
+ }
+ },
+ {
+ "id": "6ac565c6233345b9",
+ "question": "What was the box office revenue of 'Avengers: Endgame'?",
+ "decomposition": [],
+ "answer": 2.799,
+ "depends_on": [
+ "5278939b00504296"
+ ],
+ "evidence": {
+ "pageid": 44254295,
+ "revid": 1185724642,
+ "title": "Avengers: Endgame",
+ "url": "https://en.wikipedia.org/wiki/Avengers:_Endgame"
+ }
+ },
+ {
+ "id": "b110dd1ab01391b2",
+ "question": "What was the box office revenue of 'Avatar: The Way of Water'?",
+ "decomposition": [],
+ "answer": 2.32,
+ "depends_on": [
+ "5278939b00504296"
+ ],
+ "evidence": {
+ "pageid": 25813358,
+ "revid": 1185376874,
+ "title": "Avatar: The Way of Water",
+ "url": "https://en.wikipedia.org/wiki/Avatar:_The_Way_of_Water"
+ }
+ },
+ {
+ "id": "09c5f717c8436d53",
+ "question": "What was the box office revenue of 'Titanic'?",
+ "decomposition": [],
+ "answer": 2.257,
+ "depends_on": [
+ "5278939b00504296"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "1079b85042b67bd0",
+ "question": "What was the box office revenue of 'Star Wars: The Force Awakens'?",
+ "decomposition": [],
+ "answer": 2.071,
+ "depends_on": [
+ "5278939b00504296"
+ ],
+ "evidence": {
+ "pageid": 14723194,
+ "revid": 1185889585,
+ "title": "Star Wars: The Force Awakens",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Force_Awakens"
+ }
+ }
+ ],
+ "answer": {
+ "Avatar": 2.923,
+ "Avengers: Endgame": 2.799,
+ "Avatar: The Way of Water": 2.32,
+ "Titanic": 2.257,
+ "Star Wars: The Force Awakens": 2.071
+ },
+ "categories": [
+ "Economics",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "32efcc61ea1906c5",
+ "question": "What are the top 5 most popular cereal brands by sales, and in what year were they founded?",
+ "decomposition": [
+ {
+ "id": "e99e6f166144be23",
+ "question": "What are the top 5 most popular cereal brands by sales?",
+ "decomposition": [],
+ "answer": [
+ "Kellogg's",
+ "General Mills",
+ "Post Consumer Brands",
+ "Quaker Oats Company",
+ "Nestl\u00e9"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11025687,
+ "revid": 1178986468,
+ "title": "List of breakfast cereal advertising characters",
+ "url": "https://en.wikipedia.org/wiki/List_of_breakfast_cereal_advertising_characters"
+ }
+ },
+ {
+ "id": "8f8ae77bd0191071",
+ "question": "What is the founding year of Kellogg's?",
+ "decomposition": [],
+ "answer": "1906",
+ "depends_on": [
+ "e99e6f166144be23"
+ ],
+ "evidence": {
+ "pageid": 544106,
+ "revid": 1185659413,
+ "title": "Kellogg's",
+ "url": "https://en.wikipedia.org/wiki/Kellogg%27s"
+ }
+ },
+ {
+ "id": "5413df20ee8765cf",
+ "question": "What is the founding year of General Mills?",
+ "decomposition": [],
+ "answer": "1856",
+ "depends_on": [
+ "e99e6f166144be23"
+ ],
+ "evidence": {
+ "pageid": 164902,
+ "revid": 1185317871,
+ "title": "General Mills",
+ "url": "https://en.wikipedia.org/wiki/General_Mills"
+ }
+ },
+ {
+ "id": "2e1d90bdd0994f34",
+ "question": "What is the founding year of Post Consumer Brands?",
+ "decomposition": [],
+ "answer": "1895",
+ "depends_on": [
+ "e99e6f166144be23"
+ ],
+ "evidence": {
+ "pageid": 1047405,
+ "revid": 1185659808,
+ "title": "Post Consumer Brands",
+ "url": "https://en.wikipedia.org/wiki/Post_Consumer_Brands"
+ }
+ },
+ {
+ "id": "8173237bb8b7349b",
+ "question": "What is the founding year of Quaker Oats Company?",
+ "decomposition": [],
+ "answer": "1901",
+ "depends_on": [
+ "e99e6f166144be23"
+ ],
+ "evidence": {
+ "pageid": 39826044,
+ "revid": 1185309874,
+ "title": "Quaker Oats Company",
+ "url": "https://en.wikipedia.org/wiki/Quaker_Oats_Company"
+ }
+ },
+ {
+ "id": "738ddbddb56458cf",
+ "question": "What is the founding year of Nestl\u00e9?",
+ "decomposition": [],
+ "answer": "1866",
+ "depends_on": [
+ "e99e6f166144be23"
+ ],
+ "evidence": {
+ "pageid": 160227,
+ "revid": 1185659768,
+ "title": "Nestl\u00e9",
+ "url": "https://en.wikipedia.org/wiki/Nestl%C3%A9"
+ }
+ }
+ ],
+ "answer": {
+ "Kellogg's": "1906",
+ "General Mills": "1856",
+ "Post Consumer Brands": "1895",
+ "Quaker Oats Company": "1901",
+ "Nestl\u00e9": "1866"
+ },
+ "categories": [
+ "History",
+ "Business"
+ ]
+ },
+ {
+ "id": "83c8ef40f22c9f72",
+ "question": "Can you provide the orbit speed (km/s) about the planets in our solar system?",
+ "decomposition": [
+ {
+ "id": "8191e8d209533553",
+ "question": "What are the planets in our solar system?",
+ "decomposition": [],
+ "answer": [
+ "Mercury",
+ "Venus",
+ "Earth",
+ "Mars",
+ "Jupiter",
+ "Saturn",
+ "Uranus",
+ "Neptune"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 445513,
+ "revid": 1185552203,
+ "title": "List of Solar System objects",
+ "url": "https://en.wikipedia.org/wiki/List_of_Solar_System_objects"
+ }
+ },
+ {
+ "id": "95ed66e0af6a0bd1",
+ "question": "what was the orbit spped (km/s) for Mercury?",
+ "decomposition": [],
+ "answer": 47.87,
+ "depends_on": [
+ "8191e8d209533553"
+ ],
+ "evidence": {
+ "pageid": 19694,
+ "revid": 1183949157,
+ "title": "Mercury (planet)",
+ "url": "https://en.wikipedia.org/wiki/Mercury_(planet)"
+ }
+ },
+ {
+ "id": "389b9b34aecee61d",
+ "question": "what was the orbit spped (km/s) for Venus?",
+ "decomposition": [],
+ "answer": 35.02,
+ "depends_on": [
+ "8191e8d209533553"
+ ],
+ "evidence": {
+ "pageid": 32745,
+ "revid": 1185890721,
+ "title": "Venus",
+ "url": "https://en.wikipedia.org/wiki/Venus"
+ }
+ },
+ {
+ "id": "c86e9853e233984b",
+ "question": "what was the orbit spped (km/s) for Earth?",
+ "decomposition": [],
+ "answer": 29.78,
+ "depends_on": [
+ "8191e8d209533553"
+ ],
+ "evidence": {
+ "pageid": 9228,
+ "revid": 1184861997,
+ "title": "Earth",
+ "url": "https://en.wikipedia.org/wiki/Earth"
+ }
+ },
+ {
+ "id": "8e24ad99ace339f9",
+ "question": "what was the orbit spped (km/s) for Mars?",
+ "decomposition": [],
+ "answer": 24.077,
+ "depends_on": [
+ "8191e8d209533553"
+ ],
+ "evidence": {
+ "pageid": 14640471,
+ "revid": 1184868366,
+ "title": "Mars",
+ "url": "https://en.wikipedia.org/wiki/Mars"
+ }
+ },
+ {
+ "id": "22560803c290137b",
+ "question": "what was the orbit spped (km/s) for Jupiter?",
+ "decomposition": [],
+ "answer": 13.07,
+ "depends_on": [
+ "8191e8d209533553"
+ ],
+ "evidence": {
+ "pageid": 38930,
+ "revid": 1185658145,
+ "title": "Jupiter",
+ "url": "https://en.wikipedia.org/wiki/Jupiter"
+ }
+ },
+ {
+ "id": "1a0665e85b3debcf",
+ "question": "what was the orbit spped (km/s) for Saturn?",
+ "decomposition": [],
+ "answer": 9.68,
+ "depends_on": [
+ "8191e8d209533553"
+ ],
+ "evidence": {
+ "pageid": 44474,
+ "revid": 1184248068,
+ "title": "Saturn",
+ "url": "https://en.wikipedia.org/wiki/Saturn"
+ }
+ },
+ {
+ "id": "6b62883fba968d34",
+ "question": "what was the orbit spped (km/s) for Uranus?",
+ "decomposition": [],
+ "answer": 6.8,
+ "depends_on": [
+ "8191e8d209533553"
+ ],
+ "evidence": {
+ "pageid": 44475,
+ "revid": 1185763248,
+ "title": "Uranus",
+ "url": "https://en.wikipedia.org/wiki/Uranus"
+ }
+ },
+ {
+ "id": "780b5358b8b62435",
+ "question": "what was the orbit spped (km/s) for Neptune?",
+ "decomposition": [],
+ "answer": 5.43,
+ "depends_on": [
+ "8191e8d209533553"
+ ],
+ "evidence": {
+ "pageid": 19003265,
+ "revid": 1185057244,
+ "title": "Neptune",
+ "url": "https://en.wikipedia.org/wiki/Neptune"
+ }
+ }
+ ],
+ "answer": {
+ "Mercury": 47.87,
+ "Venus": 35.02,
+ "Earth": 29.78,
+ "Mars": 24.077,
+ "Jupiter": 13.07,
+ "Saturn": 9.68,
+ "Uranus": 6.8,
+ "Neptune": 5.43
+ },
+ "categories": [
+ "Astronomy"
+ ]
+ },
+ {
+ "id": "6892ea25e6eb5793",
+ "question": "What are the members of the C9 League in China and what years were they founded?",
+ "decomposition": [
+ {
+ "id": "a229cfb6e4bac83f",
+ "question": "What are the members of the C9 League in China?",
+ "decomposition": [],
+ "answer": [
+ "Fudan University",
+ "Shanghai Jiao Tong University",
+ "Harbin Institute of Technology",
+ "Nanjing University",
+ "Peking University",
+ "Tsinghua University",
+ "University of Science and Technology of China",
+ "Xi'an Jiaotong University",
+ "Zhejiang University"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 24697604,
+ "revid": 1184566283,
+ "title": "C9 League",
+ "url": "https://en.wikipedia.org/wiki/C9_League"
+ }
+ },
+ {
+ "id": "9acbe4ad5c32c804",
+ "question": "What year was Fudan University founded?",
+ "decomposition": [],
+ "answer": 1905,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 72599,
+ "revid": 1179843401,
+ "title": "Fudan University",
+ "url": "https://en.wikipedia.org/wiki/Fudan_University"
+ }
+ },
+ {
+ "id": "2d676ac73ceff413",
+ "question": "What year was Shanghai Jiao Tong University founded?",
+ "decomposition": [],
+ "answer": 1896,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 33708475,
+ "revid": 1185211789,
+ "title": "Shanghai Jiao Tong University",
+ "url": "https://en.wikipedia.org/wiki/Shanghai_Jiao_Tong_University"
+ }
+ },
+ {
+ "id": "f57fa152a346997e",
+ "question": "What year was Harbin Institute of Technology founded?",
+ "decomposition": [],
+ "answer": 1920,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 321626,
+ "revid": 1183242283,
+ "title": "Harbin Institute of Technology",
+ "url": "https://en.wikipedia.org/wiki/Harbin_Institute_of_Technology"
+ }
+ },
+ {
+ "id": "3329c3ff1eee1e9d",
+ "question": "What year was Nanjing University founded?",
+ "decomposition": [],
+ "answer": 1902,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 30876750,
+ "revid": 1185185845,
+ "title": "Nanjing University",
+ "url": "https://en.wikipedia.org/wiki/Nanjing_University"
+ }
+ },
+ {
+ "id": "07e77eca268ed794",
+ "question": "What year was Peking University founded?",
+ "decomposition": [],
+ "answer": 1898,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 72296,
+ "revid": 1183690567,
+ "title": "Peking University",
+ "url": "https://en.wikipedia.org/wiki/Peking_University"
+ }
+ },
+ {
+ "id": "7c7cfe823c72bb6b",
+ "question": "What year was Tsinghua University founded?",
+ "decomposition": [],
+ "answer": 1911,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 72595,
+ "revid": 1185229382,
+ "title": "Tsinghua University",
+ "url": "https://en.wikipedia.org/wiki/Tsinghua_University"
+ }
+ },
+ {
+ "id": "55d59141ea6e9195",
+ "question": "What year was University of Science and Technology of China founded?",
+ "decomposition": [],
+ "answer": 1958,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 919458,
+ "revid": 1183258416,
+ "title": "University of Science and Technology of China",
+ "url": "https://en.wikipedia.org/wiki/University_of_Science_and_Technology_of_China"
+ }
+ },
+ {
+ "id": "69c1cbebb66945c8",
+ "question": "What year was Xi'an Jiaotong University founded?",
+ "decomposition": [],
+ "answer": 1896,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 663079,
+ "revid": 1179924555,
+ "title": "Xi'an Jiaotong University",
+ "url": "https://en.wikipedia.org/wiki/Xi%27an_Jiaotong_University"
+ }
+ },
+ {
+ "id": "d0ef135a6779c59f",
+ "question": "What year was Zhejiang University founded?",
+ "decomposition": [],
+ "answer": 1902,
+ "depends_on": [
+ "a229cfb6e4bac83f"
+ ],
+ "evidence": {
+ "pageid": 340391,
+ "revid": 1184065828,
+ "title": "Zhejiang University",
+ "url": "https://en.wikipedia.org/wiki/Zhejiang_University"
+ }
+ }
+ ],
+ "answer": {
+ "Fudan University": 1905,
+ "Shanghai Jiao Tong University": 1896,
+ "Harbin Institute of Technology": 1920,
+ "Nanjing University": 1902,
+ "Peking University": 1898,
+ "Tsinghua University": 1911,
+ "University of Science and Technology": 1958,
+ "Xi'an Jiaotong University": 1896,
+ "Zhejiang University": 1902
+ },
+ "categories": [
+ "Education",
+ "History"
+ ]
+ },
+ {
+ "id": "ebe557cd696ab6ea",
+ "question": "Which teams have won NBA championships in the past five years?",
+ "decomposition": [
+ {
+ "id": "03a1019074d8aec2",
+ "question": "Which team has won NBA championship in 2023?",
+ "decomposition": [],
+ "answer": "Denver Nuggets",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 70868861,
+ "revid": 1184291763,
+ "title": "2023 NBA Finals",
+ "url": "https://en.wikipedia.org/wiki/2023_NBA_Finals"
+ }
+ },
+ {
+ "id": "2da4531377f13cfb",
+ "question": "Which team has won NBA championship in 2022?",
+ "decomposition": [],
+ "answer": "Golden State Warriors",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 68144559,
+ "revid": 1172324047,
+ "title": "2022 NBA Finals",
+ "url": "https://en.wikipedia.org/wiki/2022_NBA_Finals"
+ }
+ },
+ {
+ "id": "d5364f290cf05120",
+ "question": "Which team has won NBA championship in 2021?",
+ "decomposition": [],
+ "answer": "Phoenix Suns",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 65785063,
+ "revid": 1177563149,
+ "title": "2021 NBA Finals",
+ "url": "https://en.wikipedia.org/wiki/2021_NBA_Finals"
+ }
+ },
+ {
+ "id": "ef32b8b80c7160d5",
+ "question": "Which team has won NBA championship in 2020?",
+ "decomposition": [],
+ "answer": "Los Angeles Lakers",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 60483582,
+ "revid": 1180190100,
+ "title": "2020 NBA Finals",
+ "url": "https://en.wikipedia.org/wiki/2020_NBA_Finals"
+ }
+ },
+ {
+ "id": "50561e1583fe6cb4",
+ "question": "Which team has won NBA championship in 2019?",
+ "decomposition": [],
+ "answer": "Golden State Warriors",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 57400264,
+ "revid": 1177088330,
+ "title": "2019 NBA Finals",
+ "url": "https://en.wikipedia.org/wiki/2019_NBA_Finals"
+ }
+ }
+ ],
+ "answer": {
+ "2023": "Denver Nuggets",
+ "2022": "Golden State Warriors",
+ "2021": "Phoenix Suns",
+ "2020": "Los Angeles Lakers",
+ "2019": "Golden State Warriors"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "d5f4114adc783bc4",
+ "question": "What is the weight range in pounds of Alaskan Huskies, Golden Retrievers, Shiba Inus, Poodles, and German Shepherds?",
+ "decomposition": [
+ {
+ "id": "260eed12f7b0f582",
+ "question": "What is the weight range of Alaskan Huskies?",
+ "decomposition": [],
+ "answer": "35-75 lb",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 68667033,
+ "revid": 1182180993,
+ "title": "Alaskan husky",
+ "url": "https://en.wikipedia.org/wiki/Alaskan_husky"
+ }
+ },
+ {
+ "id": "b66c0558215f09ef",
+ "question": "What is the weight range of Golden Retrievers?",
+ "decomposition": [],
+ "answer": "55-75 lb",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21022536,
+ "revid": 1184207415,
+ "title": "Golden Retriever",
+ "url": "https://en.wikipedia.org/wiki/Golden_Retriever"
+ }
+ },
+ {
+ "id": "4c76d642e3a17d9d",
+ "question": "What is the weight range of Shiba Inus?",
+ "decomposition": [],
+ "answer": "18-22 lb",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 29228,
+ "revid": 1185863328,
+ "title": "Shiba Inu",
+ "url": "https://en.wikipedia.org/wiki/Shiba_Inu"
+ }
+ },
+ {
+ "id": "0c00a7a2f71a3a1a",
+ "question": "What is the weight range of Poodles?",
+ "decomposition": [],
+ "answer": "44-71 lb",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 515115,
+ "revid": 1183928635,
+ "title": "Poodle",
+ "url": "https://en.wikipedia.org/wiki/Poodle"
+ }
+ },
+ {
+ "id": "12ae9f1441a3c80e",
+ "question": "What is the weight range of German Shepherds?",
+ "decomposition": [],
+ "answer": "49-88 lb",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 79289,
+ "revid": 1185371418,
+ "title": "German Shepherd",
+ "url": "https://en.wikipedia.org/wiki/German_Shepherd"
+ }
+ }
+ ],
+ "answer": {
+ "Alaskan Huskies": "35-75 lb",
+ "Golden Retrievers": "55-75 lb",
+ "Shiba Inus": "18-22 lb",
+ "Poodles": "44-71 lb",
+ "German Shepherds": "49-88 lb"
+ },
+ "categories": [
+ "Zoology",
+ "Veterinary Science"
+ ]
+ },
+ {
+ "id": "7c8a0bc721d88c48",
+ "question": "What is the duration in minutes and seconds of the top 5 songs on the Billboard Year-End Hot 100 singles list of 2022?",
+ "decomposition": [
+ {
+ "id": "92a8d67ecb146238",
+ "question": "What are the top 5 songs on the list of Billboard Year-End Hot 100 singles of 2022?",
+ "decomposition": [],
+ "answer": [
+ "Heat Waves",
+ "As It Was",
+ "Stay",
+ "Easy on Me",
+ "Shivers"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72391173,
+ "revid": 1183642004,
+ "title": "Billboard Year-End Hot 100 singles of 2022",
+ "url": "https://en.wikipedia.org/wiki/Billboard_Year-End_Hot_100_singles_of_2022"
+ }
+ },
+ {
+ "id": "d9eb9bb3d6a91041",
+ "question": "What is the length of Heat Waves?",
+ "decomposition": [],
+ "answer": "3:58",
+ "depends_on": [
+ "92a8d67ecb146238"
+ ],
+ "evidence": {
+ "pageid": 66144422,
+ "revid": 1182879951,
+ "title": "Heat Waves",
+ "url": "https://en.wikipedia.org/wiki/Heat_Waves"
+ }
+ },
+ {
+ "id": "6f87d295498f018d",
+ "question": "What is the length of As It Was?",
+ "decomposition": [],
+ "answer": "2:43",
+ "depends_on": [
+ "92a8d67ecb146238"
+ ],
+ "evidence": {
+ "pageid": 70413964,
+ "revid": 1185234547,
+ "title": "As It Was",
+ "url": "https://en.wikipedia.org/wiki/As_It_Was"
+ }
+ },
+ {
+ "id": "c69f2e1df558ef7f",
+ "question": "What is the length of Stay?",
+ "decomposition": [],
+ "answer": "2:21",
+ "depends_on": [
+ "92a8d67ecb146238"
+ ],
+ "evidence": {
+ "pageid": 68012133,
+ "revid": 1185514363,
+ "title": "Stay (The Kid Laroi and Justin Bieber song)",
+ "url": "https://en.wikipedia.org/wiki/Stay_(The_Kid_Laroi_and_Justin_Bieber_song)"
+ }
+ },
+ {
+ "id": "3593789e1360fe2d",
+ "question": "What is the length of Easy on Me?",
+ "decomposition": [],
+ "answer": "3:44",
+ "depends_on": [
+ "92a8d67ecb146238"
+ ],
+ "evidence": {
+ "pageid": 68896842,
+ "revid": 1184530787,
+ "title": "Easy on Me",
+ "url": "https://en.wikipedia.org/wiki/Easy_on_Me"
+ }
+ },
+ {
+ "id": "0804d6a35fd43f29",
+ "question": "What is the length of Shivers?",
+ "decomposition": [],
+ "answer": "3:27",
+ "depends_on": [
+ "92a8d67ecb146238"
+ ],
+ "evidence": {
+ "pageid": 68513198,
+ "revid": 1177812571,
+ "title": "Shivers (Ed Sheeran song)",
+ "url": "https://en.wikipedia.org/wiki/Shivers_(Ed_Sheeran_song)"
+ }
+ }
+ ],
+ "answer": {
+ "Heat Waves": "3:58",
+ "As It Was": "2:43",
+ "Stay": "2:21",
+ "Easy on Me": "3:44",
+ "Shivers": "3:27"
+ },
+ "categories": [
+ "Music",
+ "Culture"
+ ]
+ },
+ {
+ "id": "82f6e566e5b1e857",
+ "question": "What teams are the top 5 picks from the 2017 NBA draft currently on?",
+ "decomposition": [
+ {
+ "id": "e1e8ae4439bc78c5",
+ "question": "Who are the top 5 picks from the 2017 NBA draft?",
+ "decomposition": [],
+ "answer": "Markelle Fultz, Lonzo Ball, Jayson Tatum, Josh Jackson, De'Aaron Fox",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 49885111,
+ "revid": 1184744711,
+ "title": "2017 NBA draft",
+ "url": "https://en.wikipedia.org/wiki/2017_NBA_draft"
+ }
+ },
+ {
+ "id": "087557fbc22bc1c2",
+ "question": "What team is Markelle Fultz currently on?",
+ "decomposition": [],
+ "answer": "Orlando Magic",
+ "depends_on": [
+ "e1e8ae4439bc78c5"
+ ],
+ "evidence": {
+ "pageid": 50775822,
+ "revid": 1185777685,
+ "title": "Markelle Fultz",
+ "url": "https://en.wikipedia.org/wiki/Markelle_Fultz"
+ }
+ },
+ {
+ "id": "fcdd476a4c5432a3",
+ "question": "What team is Lonzo Ball currently on?",
+ "decomposition": [],
+ "answer": "Chicago Bulls",
+ "depends_on": [
+ "e1e8ae4439bc78c5"
+ ],
+ "evidence": {
+ "pageid": 49926096,
+ "revid": 1185659717,
+ "title": "Lonzo Ball",
+ "url": "https://en.wikipedia.org/wiki/Lonzo_Ball"
+ }
+ },
+ {
+ "id": "91a6773ce1e870f5",
+ "question": "What team is Jayson Tatum currently on?",
+ "decomposition": [],
+ "answer": "Boston Celtics",
+ "depends_on": [
+ "e1e8ae4439bc78c5"
+ ],
+ "evidence": {
+ "pageid": 48653655,
+ "revid": 1185200747,
+ "title": "Jayson Tatum",
+ "url": "https://en.wikipedia.org/wiki/Jayson_Tatum"
+ }
+ },
+ {
+ "id": "2b035d4facc876c4",
+ "question": "What team is Josh Jackson currently on?",
+ "decomposition": [],
+ "answer": "Stockton Kings",
+ "depends_on": [
+ "e1e8ae4439bc78c5"
+ ],
+ "evidence": {
+ "pageid": 46225329,
+ "revid": 1185779610,
+ "title": "Josh Jackson (basketball)",
+ "url": "https://en.wikipedia.org/wiki/Josh_Jackson_(basketball)"
+ }
+ },
+ {
+ "id": "118c909966bf5872",
+ "question": "What team is De'Aaron Fox currently on?",
+ "decomposition": [],
+ "answer": "Sacramento Kings",
+ "depends_on": [
+ "e1e8ae4439bc78c5"
+ ],
+ "evidence": {
+ "pageid": 48606380,
+ "revid": 1185777591,
+ "title": "De'Aaron Fox",
+ "url": "https://en.wikipedia.org/wiki/De%27Aaron_Fox"
+ }
+ }
+ ],
+ "answer": {
+ "Markelle Fultz": "Orlando Magic",
+ "Lonzo Ball": "Chicago Bulls",
+ "Jayson Tatum": "Boston Celtics",
+ "Josh Jackson": "Stockton Kings",
+ "De'Aaron Fox": "Sacramento Kings"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "a0145adeb52b3061",
+ "question": "What were the magnitudes on the Richter scale of the largest earthquakes that occurred in the five most populous countries after 1850?",
+ "decomposition": [
+ {
+ "id": "da2cb8de97a02139",
+ "question": "What are the 5 most populous countries in the world?",
+ "decomposition": [],
+ "answer": [
+ "China",
+ "India",
+ "United States",
+ "Indonesia",
+ "Pakistan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69058,
+ "revid": 1185694277,
+ "title": "List of countries and dependencies by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_and_dependencies_by_population"
+ }
+ },
+ {
+ "id": "836c281fe7b5eac1",
+ "question": "What was the magnitude of the largest earthquake in China after 1850?",
+ "decomposition": [],
+ "answer": 8.6,
+ "depends_on": [
+ "da2cb8de97a02139"
+ ],
+ "evidence": {
+ "pageid": 17390688,
+ "revid": 1178457093,
+ "title": "List of earthquakes in China",
+ "url": "https://en.wikipedia.org/wiki/List_of_earthquakes_in_China"
+ }
+ },
+ {
+ "id": "c7ab13ec83589ed8",
+ "question": "What was the magnitude of the largest earthquake in India after 1850?",
+ "decomposition": [],
+ "answer": 8.6,
+ "depends_on": [
+ "da2cb8de97a02139"
+ ],
+ "evidence": {
+ "pageid": 21046950,
+ "revid": 1183562673,
+ "title": "List of earthquakes in India",
+ "url": "https://en.wikipedia.org/wiki/List_of_earthquakes_in_India"
+ }
+ },
+ {
+ "id": "e81aea378afa84b7",
+ "question": "What was the magnitude of the largest earthquake in the United States after 1850?",
+ "decomposition": [],
+ "answer": 9.2,
+ "depends_on": [
+ "da2cb8de97a02139"
+ ],
+ "evidence": {
+ "pageid": 17002786,
+ "revid": 1184134614,
+ "title": "List of earthquakes in the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_earthquakes_in_the_United_States"
+ }
+ },
+ {
+ "id": "a43f1cc1fa5fd294",
+ "question": "What was the magnitude of the largest earthquake in Indonesia after 1850?",
+ "decomposition": [],
+ "answer": 9.3,
+ "depends_on": [
+ "da2cb8de97a02139"
+ ],
+ "evidence": {
+ "pageid": 12032646,
+ "revid": 1185853611,
+ "title": "List of earthquakes in Indonesia",
+ "url": "https://en.wikipedia.org/wiki/List_of_earthquakes_in_Indonesia"
+ }
+ },
+ {
+ "id": "31e6a73ebe817fb2",
+ "question": "What was the magnitude of the largest earthquake in Pakistan after 1850?",
+ "decomposition": [],
+ "answer": 8.1,
+ "depends_on": [
+ "da2cb8de97a02139"
+ ],
+ "evidence": {
+ "pageid": 4467896,
+ "revid": 1161800320,
+ "title": "List of earthquakes in Pakistan",
+ "url": "https://en.wikipedia.org/wiki/List_of_earthquakes_in_Pakistan"
+ }
+ }
+ ],
+ "answer": {
+ "China": 8.6,
+ "India": 8.6,
+ "United States": 9.2,
+ "Indonesia": 9.3,
+ "Pakistan": 8.1
+ },
+ "categories": [
+ "History",
+ "Geology"
+ ]
+ },
+ {
+ "id": "8c33168addde69db",
+ "question": "Who are the owners of the top five largest companies by revenue?",
+ "decomposition": [
+ {
+ "id": "123077eb87648273",
+ "question": "What are the top five companies by revenue?",
+ "decomposition": [],
+ "answer": [
+ "Walmart",
+ "Saudi Aramco",
+ "State Grid Corporation of China",
+ "Amazon",
+ "Vitol"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 997455,
+ "revid": 1183264422,
+ "title": "List of largest companies by revenue",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_companies_by_revenue"
+ }
+ },
+ {
+ "id": "42d812244cdb2144",
+ "question": "Who is the owner of Walmart?",
+ "decomposition": [],
+ "answer": "Walton family",
+ "depends_on": [
+ "123077eb87648273"
+ ],
+ "evidence": {
+ "pageid": 33589,
+ "revid": 1185423753,
+ "title": "Walmart",
+ "url": "https://en.wikipedia.org/wiki/Walmart"
+ }
+ },
+ {
+ "id": "303101c2b6d5b0a9",
+ "question": "Who is the owner of Saudi Aramco?",
+ "decomposition": [],
+ "answer": "Government of Saudi Arabia",
+ "depends_on": [
+ "123077eb87648273"
+ ],
+ "evidence": {
+ "pageid": 290527,
+ "revid": 1184200621,
+ "title": "Saudi Aramco",
+ "url": "https://en.wikipedia.org/wiki/Saudi_Aramco"
+ }
+ },
+ {
+ "id": "2c0abf6557859601",
+ "question": "Who is the owner of State Grid Corporation of China?",
+ "decomposition": [],
+ "answer": "Chinese State",
+ "depends_on": [
+ "123077eb87648273"
+ ],
+ "evidence": {
+ "pageid": 1316975,
+ "revid": 1184249925,
+ "title": "State Grid Corporation of China",
+ "url": "https://en.wikipedia.org/wiki/State_Grid_Corporation_of_China"
+ }
+ },
+ {
+ "id": "3c78ae4ab6fea16e",
+ "question": "Who is the owner of Amazon?",
+ "decomposition": [],
+ "answer": "Jeff Bezos",
+ "depends_on": [
+ "123077eb87648273"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "7d9b303dd168901b",
+ "question": "Who is the owner of Vitol?",
+ "decomposition": [],
+ "answer": "Vitol Holding II S.A",
+ "depends_on": [
+ "123077eb87648273"
+ ],
+ "evidence": {
+ "pageid": 17518274,
+ "revid": 1177150423,
+ "title": "Vitol",
+ "url": "https://en.wikipedia.org/wiki/Vitol"
+ }
+ }
+ ],
+ "answer": {
+ "Walmart": "Walton family",
+ "Saudi Aramco": "Government of Saudi Arabia",
+ "State Grid Corporation of China": "Chinese State",
+ "Amazon": "Jeff Bezos",
+ "Vitol": "Vitol Holding II S.A"
+ },
+ "categories": [
+ "Economics",
+ "Business"
+ ]
+ },
+ {
+ "id": "d69d3c78f0e57713",
+ "question": "What years were the top 5 universities in the UK, as ranked by The Complete University Guide in 2024, established?",
+ "decomposition": [
+ {
+ "id": "844764303c3242c3",
+ "question": "Which are the top 5 universities in the UK ranked by The Complete University Guide (2024)?",
+ "decomposition": [],
+ "answer": [
+ "University of Cambridge",
+ "University of Oxford",
+ "London School of Economics",
+ "University of St Andrews",
+ "University of Bath"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 587642,
+ "revid": 1184549268,
+ "title": "Rankings of universities in the United Kingdom",
+ "url": "https://en.wikipedia.org/wiki/Rankings_of_universities_in_the_United_Kingdom"
+ }
+ },
+ {
+ "id": "8fa0a5ca4d742d6f",
+ "question": "What is the establishment year of University of Cambridge?",
+ "decomposition": [],
+ "answer": "1209",
+ "depends_on": [
+ "844764303c3242c3"
+ ],
+ "evidence": {
+ "pageid": 25978572,
+ "revid": 1184522407,
+ "title": "University of Cambridge",
+ "url": "https://en.wikipedia.org/wiki/University_of_Cambridge"
+ }
+ },
+ {
+ "id": "898968a0bd0a5318",
+ "question": "What is the establishment year of University of Oxford?",
+ "decomposition": [],
+ "answer": "1096",
+ "depends_on": [
+ "844764303c3242c3"
+ ],
+ "evidence": {
+ "pageid": 31797,
+ "revid": 1185874759,
+ "title": "University of Oxford",
+ "url": "https://en.wikipedia.org/wiki/University_of_Oxford"
+ }
+ },
+ {
+ "id": "f27dc5d6b514e5be",
+ "question": "What is the establishment year of London School of Economics?",
+ "decomposition": [],
+ "answer": "1895",
+ "depends_on": [
+ "844764303c3242c3"
+ ],
+ "evidence": {
+ "pageid": 67704,
+ "revid": 1184058075,
+ "title": "London School of Economics",
+ "url": "https://en.wikipedia.org/wiki/London_School_of_Economics"
+ }
+ },
+ {
+ "id": "661f82922a92a406",
+ "question": "What is the establishment year of University of St Andrews?",
+ "decomposition": [],
+ "answer": "1413",
+ "depends_on": [
+ "844764303c3242c3"
+ ],
+ "evidence": {
+ "pageid": 181348,
+ "revid": 1185013711,
+ "title": "University of St Andrews",
+ "url": "https://en.wikipedia.org/wiki/University_of_St_Andrews"
+ }
+ },
+ {
+ "id": "194bcb12425a58ea",
+ "question": "What is the establishment year of University of Bath?",
+ "decomposition": [],
+ "answer": "1886",
+ "depends_on": [
+ "844764303c3242c3"
+ ],
+ "evidence": {
+ "pageid": 153992,
+ "revid": 1181970335,
+ "title": "University of Bath",
+ "url": "https://en.wikipedia.org/wiki/University_of_Bath"
+ }
+ }
+ ],
+ "answer": {
+ "University of Cambridge": 1209,
+ "University of Oxford": 1096,
+ "London School of Economics": 1895,
+ "University of St Andrews": 1413,
+ "University of Bath": 1886
+ },
+ "categories": [
+ "Education",
+ "History"
+ ]
+ },
+ {
+ "id": "542983d2cb1630e0",
+ "question": "Who are the judges in the supreme court right now and where did each judge get their undergraduate degree?",
+ "decomposition": [
+ {
+ "id": "3189a57d4ea7f489",
+ "question": "Who are the judges in the supreme court right now?",
+ "decomposition": [],
+ "answer": [
+ "John Roberts",
+ "Clarence Thomas",
+ "Samuel Alito",
+ "Sonia Sotomayor",
+ "Elena Kagan",
+ "Neil Gorsuch",
+ "Brett Kavanaugh",
+ "Amy Coney Barrett",
+ "Ketanji Brown Jackson"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31737,
+ "revid": 1185937026,
+ "title": "Supreme Court of the United States",
+ "url": "https://en.wikipedia.org/wiki/Supreme_Court_of_the_United_States"
+ }
+ },
+ {
+ "id": "496857d0cf29f639",
+ "question": "Where did John Roberts get his undergraduate degree?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 1928850,
+ "revid": 1185431089,
+ "title": "John Roberts",
+ "url": "https://en.wikipedia.org/wiki/John_Roberts"
+ }
+ },
+ {
+ "id": "4495c63e5c61080f",
+ "question": "Where did Clarence Thomas get his undergraduate degree?",
+ "decomposition": [],
+ "answer": "College of the Holy Cross",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 28291766,
+ "revid": 1185947157,
+ "title": "Clarence Thomas",
+ "url": "https://en.wikipedia.org/wiki/Clarence_Thomas"
+ }
+ },
+ {
+ "id": "671a8c2bf93b821f",
+ "question": "Where did Samuel Alito get his undergraduate degree?",
+ "decomposition": [],
+ "answer": "Princeton University",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 1199173,
+ "revid": 1182732418,
+ "title": "Samuel Alito",
+ "url": "https://en.wikipedia.org/wiki/Samuel_Alito"
+ }
+ },
+ {
+ "id": "5909aa1a1c74b511",
+ "question": "Where did Sonia Sotomayor get her undergraduate degree?",
+ "decomposition": [],
+ "answer": "Princeton University",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 2095829,
+ "revid": 1178458812,
+ "title": "Sonia Sotomayor",
+ "url": "https://en.wikipedia.org/wiki/Sonia_Sotomayor"
+ }
+ },
+ {
+ "id": "af5e1f9b95edee53",
+ "question": "Where did Elena Kagan get her undergraduate degree?",
+ "decomposition": [],
+ "answer": "Princeton University",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 2093225,
+ "revid": 1180044509,
+ "title": "Elena Kagan",
+ "url": "https://en.wikipedia.org/wiki/Elena_Kagan"
+ }
+ },
+ {
+ "id": "9a09ea8fd8838fe8",
+ "question": "Where did Neil Gorsuch get his undergraduate degree?",
+ "decomposition": [],
+ "answer": "Columbia University",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 6049434,
+ "revid": 1185809196,
+ "title": "Neil Gorsuch",
+ "url": "https://en.wikipedia.org/wiki/Neil_Gorsuch"
+ }
+ },
+ {
+ "id": "1854f04979c16acc",
+ "question": "Where did Brett Kavanaugh get his undergraduate degree?",
+ "decomposition": [],
+ "answer": "Yale University",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 21816987,
+ "revid": 1183477870,
+ "title": "Brett Kavanaugh",
+ "url": "https://en.wikipedia.org/wiki/Brett_Kavanaugh"
+ }
+ },
+ {
+ "id": "223472b41ee67400",
+ "question": "Where did Amy Coney Barrett get her undergraduate degree?",
+ "decomposition": [],
+ "answer": "Rhodes College",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 53992581,
+ "revid": 1184345665,
+ "title": "Amy Coney Barrett",
+ "url": "https://en.wikipedia.org/wiki/Amy_Coney_Barrett"
+ }
+ },
+ {
+ "id": "d8ad50d8681cb1b3",
+ "question": "Where did Ketanji Brown Jackson get her undergraduate degree?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "3189a57d4ea7f489"
+ ],
+ "evidence": {
+ "pageid": 23741955,
+ "revid": 1185494927,
+ "title": "Ketanji Brown Jackson",
+ "url": "https://en.wikipedia.org/wiki/Ketanji_Brown_Jackson"
+ }
+ }
+ ],
+ "answer": {
+ "John Roberts": "Harvard University",
+ "Clarence Thomas": "College of the Holy Cross",
+ "Samuel Alito": "Princeton University",
+ "Sonia Sotomayor": "Princeton University",
+ "Elena Kagan": "Princeton University",
+ "Neil Gorsuch": "Columbia University",
+ "Brett Kavanaugh": "Yale University",
+ "Amy Coney Barrett": "Rhodes College",
+ "Ketanji Brown Jackson": "Harvard University"
+ },
+ "categories": [
+ "Education",
+ "Law"
+ ]
+ },
+ {
+ "id": "7b10fd58935f2b2d",
+ "question": "What are the birthdays of the band members that won the Juno Award for Alternative Album of the Year in 2014?",
+ "decomposition": [
+ {
+ "id": "6bd754dc8312d2d8",
+ "question": "Who won the Juno Award for Alternative Album of the Year in 2014?",
+ "decomposition": [],
+ "answer": "Arcade Fire",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 4077758,
+ "revid": 1147991878,
+ "title": "Juno Award for Alternative Album of the Year",
+ "url": "https://en.wikipedia.org/wiki/Juno_Award_for_Alternative_Album_of_the_Year"
+ }
+ },
+ {
+ "id": "83f8e618fef0fbcd",
+ "question": "What are the birthdays of the band members of Arcade Fire?",
+ "decomposition": [
+ {
+ "id": "c97e5d75d3b27036",
+ "question": "Who are the members of Arcade Fire?",
+ "decomposition": [],
+ "answer": [
+ "Win Butler",
+ "R\u00e9gine Chassagne",
+ "Richard Reed Parry",
+ "Tim Kingsbury",
+ "Jeremy Gara"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1098713,
+ "revid": 1184899473,
+ "title": "Arcade Fire",
+ "url": "https://en.wikipedia.org/wiki/Arcade_Fire"
+ }
+ },
+ {
+ "id": "f5fbb0b2e547b273",
+ "question": "What is the birthday of Win Butler?",
+ "decomposition": [],
+ "answer": "April 14, 1980",
+ "depends_on": [
+ "c97e5d75d3b27036"
+ ],
+ "evidence": {
+ "pageid": 1566614,
+ "revid": 1177841470,
+ "title": "Win Butler",
+ "url": "https://en.wikipedia.org/wiki/Win_Butler"
+ }
+ },
+ {
+ "id": "fd555622d0ab90b8",
+ "question": "What is the birthday of R\u00e9gine Chassagne?",
+ "decomposition": [],
+ "answer": "August 19, 1976",
+ "depends_on": [
+ "c97e5d75d3b27036"
+ ],
+ "evidence": {
+ "pageid": 1557508,
+ "revid": 1178798513,
+ "title": "R\u00e9gine Chassagne",
+ "url": "https://en.wikipedia.org/wiki/R%C3%A9gine_Chassagne"
+ }
+ },
+ {
+ "id": "9036c35200bf35a8",
+ "question": "What is the birthday of Richard Reed Parry?",
+ "decomposition": [],
+ "answer": "October 4, 1977",
+ "depends_on": [
+ "c97e5d75d3b27036"
+ ],
+ "evidence": {
+ "pageid": 1651632,
+ "revid": 1168034242,
+ "title": "Richard Reed Parry",
+ "url": "https://en.wikipedia.org/wiki/Richard_Reed_Parry"
+ }
+ },
+ {
+ "id": "2003591a0e465cc7",
+ "question": "What is the birthday of Tim Kingsbury?",
+ "decomposition": [],
+ "answer": "",
+ "depends_on": [
+ "c97e5d75d3b27036"
+ ],
+ "evidence": {
+ "pageid": 1651635,
+ "revid": 1168034148,
+ "title": "Tim Kingsbury",
+ "url": "https://en.wikipedia.org/wiki/Tim_Kingsbury"
+ }
+ },
+ {
+ "id": "9fcbce00e07a5a3c",
+ "question": "What is the birthday of Jeremy Gara?",
+ "decomposition": [],
+ "answer": "June 6, 1978",
+ "depends_on": [
+ "c97e5d75d3b27036"
+ ],
+ "evidence": {
+ "pageid": 2869766,
+ "revid": 1184332345,
+ "title": "Jeremy Gara",
+ "url": "https://en.wikipedia.org/wiki/Jeremy_Gara"
+ }
+ }
+ ],
+ "answer": {
+ "Win Butler": "April 14, 1980",
+ "R\u00e9gine Chassagne": "August 19, 1976",
+ "Richard Reed Parry": "October 4, 1977",
+ "Tim Kingsbury": "",
+ "Jeremy Gara": "June 6, 1978"
+ },
+ "depends_on": [
+ "6bd754dc8312d2d8"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Win Butler": "April 14, 1980",
+ "R\u00e9gine Chassagne": "August 19, 1976",
+ "Richard Reed Parry": "October 4, 1977",
+ "Tim Kingsbury": "",
+ "Jeremy Gara": "June 6, 1978"
+ },
+ "categories": [
+ "Music",
+ "Awards"
+ ]
+ },
+ {
+ "id": "832589258f8bf42e",
+ "question": "Find the James Bond films relased after the year of 2000. What are the names of those films and their running times in minutes?",
+ "decomposition": [
+ {
+ "id": "45918b346862c644",
+ "question": "What are some James Bond films relased after the year of 2000?",
+ "decomposition": [],
+ "answer": [
+ "Die Another Day",
+ "Casino Royale",
+ "Quantum of Solace",
+ "Skyfall",
+ "Spectre",
+ "No Time to Die"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 33190861,
+ "revid": 1185937445,
+ "title": "List of James Bond films",
+ "url": "https://en.wikipedia.org/wiki/List_of_James_Bond_films"
+ }
+ },
+ {
+ "id": "995750994468ae86",
+ "question": "What is the running time of Die Another Day in minutes?",
+ "decomposition": [],
+ "answer": 133,
+ "depends_on": [
+ "45918b346862c644"
+ ],
+ "evidence": {
+ "pageid": 156644,
+ "revid": 1182696576,
+ "title": "Die Another Day",
+ "url": "https://en.wikipedia.org/wiki/Die_Another_Day"
+ }
+ },
+ {
+ "id": "c801e00bbac2825b",
+ "question": "What is the running time of Casino Royale in minutes?",
+ "decomposition": [],
+ "answer": 144,
+ "depends_on": [
+ "45918b346862c644"
+ ],
+ "evidence": {
+ "pageid": 930379,
+ "revid": 1185768742,
+ "title": "Casino Royale (2006 film)",
+ "url": "https://en.wikipedia.org/wiki/Casino_Royale_(2006_film)"
+ }
+ },
+ {
+ "id": "32e53ec299aa3836",
+ "question": "What is the running time of Quantum of Solace in minutes?",
+ "decomposition": [],
+ "answer": 106,
+ "depends_on": [
+ "45918b346862c644"
+ ],
+ "evidence": {
+ "pageid": 2969247,
+ "revid": 1185528005,
+ "title": "Quantum of Solace",
+ "url": "https://en.wikipedia.org/wiki/Quantum_of_Solace"
+ }
+ },
+ {
+ "id": "f637941dbbbf9b9c",
+ "question": "What is the running time of Skyfall in minutes?",
+ "decomposition": [],
+ "answer": 143,
+ "depends_on": [
+ "45918b346862c644"
+ ],
+ "evidence": {
+ "pageid": 33335392,
+ "revid": 1184372189,
+ "title": "Skyfall",
+ "url": "https://en.wikipedia.org/wiki/Skyfall"
+ }
+ },
+ {
+ "id": "bd96af4d6adcc219",
+ "question": "What is the running time of Spectre in minutes?",
+ "decomposition": [],
+ "answer": 148,
+ "depends_on": [
+ "45918b346862c644"
+ ],
+ "evidence": {
+ "pageid": 44853982,
+ "revid": 1185199009,
+ "title": "Spectre (2015 film)",
+ "url": "https://en.wikipedia.org/wiki/Spectre_(2015_film)"
+ }
+ },
+ {
+ "id": "592d75df6e942457",
+ "question": "What is the running time of No Time to Die in minutes?",
+ "decomposition": [],
+ "answer": 163,
+ "depends_on": [
+ "45918b346862c644"
+ ],
+ "evidence": {
+ "pageid": 38042908,
+ "revid": 1184396284,
+ "title": "No Time to Die",
+ "url": "https://en.wikipedia.org/wiki/No_Time_to_Die"
+ }
+ }
+ ],
+ "answer": {
+ "Die Another Day": 133,
+ "Casino Royale": 144,
+ "Quantum of Solace": 106,
+ "Skyfall": 143,
+ "Spectre": 148,
+ "No Time to Die": 163
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "965bcc6c98740a4d",
+ "question": "What is the population of each of the five most populous continents in the world, in billions or millions as appropriate?",
+ "decomposition": [
+ {
+ "id": "2b18931575525dd9",
+ "question": "What are the 5 most populous continents in the world?",
+ "decomposition": [],
+ "answer": [
+ "Asia",
+ "Africa",
+ "Europe",
+ "North America",
+ "South America"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3964502,
+ "revid": 1167245224,
+ "title": "List of continents and continental subregions by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_continents_and_continental_subregions_by_population"
+ }
+ },
+ {
+ "id": "afd6b1194d7e5a68",
+ "question": "What is Asia's population?",
+ "decomposition": [],
+ "answer": "4.75 Billion",
+ "depends_on": [
+ "2b18931575525dd9"
+ ],
+ "evidence": {
+ "pageid": 16028907,
+ "revid": 1183645260,
+ "title": "Demographics of Asia",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Asia"
+ }
+ },
+ {
+ "id": "22ffbb55e5b4fbec",
+ "question": "What is Africa's population?",
+ "decomposition": [],
+ "answer": "1.4 Billion",
+ "depends_on": [
+ "2b18931575525dd9"
+ ],
+ "evidence": {
+ "pageid": 5334607,
+ "revid": 1185498362,
+ "title": "Africa",
+ "url": "https://en.wikipedia.org/wiki/Africa"
+ }
+ },
+ {
+ "id": "977207b5f4d63591",
+ "question": "What is Europe's population?",
+ "decomposition": [],
+ "answer": "751 million",
+ "depends_on": [
+ "2b18931575525dd9"
+ ],
+ "evidence": {
+ "pageid": 1558354,
+ "revid": 1184327903,
+ "title": "Demographics of Europe",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Europe"
+ }
+ },
+ {
+ "id": "7f97b1b7e4aac69a",
+ "question": "What is North America's population?",
+ "decomposition": [],
+ "answer": "579 million",
+ "depends_on": [
+ "2b18931575525dd9"
+ ],
+ "evidence": {
+ "pageid": 21139,
+ "revid": 1185214801,
+ "title": "North America",
+ "url": "https://en.wikipedia.org/wiki/North_America"
+ }
+ },
+ {
+ "id": "a99e754f149e729a",
+ "question": "What is South America's population?",
+ "decomposition": [],
+ "answer": "434 million",
+ "depends_on": [
+ "2b18931575525dd9"
+ ],
+ "evidence": {
+ "pageid": 26769,
+ "revid": 1184637882,
+ "title": "South America",
+ "url": "https://en.wikipedia.org/wiki/South_America"
+ }
+ }
+ ],
+ "answer": {
+ "Asia": "4.75 Billion",
+ "Africa": "1.4 Billion",
+ "Europe": "751 million",
+ "North America": "579 million",
+ "South America": "434 million"
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "f8734ed40a97fcd2",
+ "question": "Of the main cast of the sitcom 'How I Met Your Mother', who appeared in the most films?",
+ "decomposition": [
+ {
+ "id": "75321376043724a3",
+ "question": "Who is in the main cast of the sitcom 'How I Met Your Mother'?",
+ "decomposition": [],
+ "answer": [
+ "Josh Radnor",
+ "Jason Segel",
+ "Cobie Smulders",
+ "Neil Patrick Harris",
+ "Alyson Hannigan",
+ "Cristin Milioti"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2711314,
+ "revid": 1185850871,
+ "title": "How I Met Your Mother",
+ "url": "https://en.wikipedia.org/wiki/How_I_Met_Your_Mother#Cast_and_characters"
+ }
+ },
+ {
+ "id": "7d9754d5f30b1692",
+ "question": "How many films did Josh Radnor appear in?",
+ "decomposition": [],
+ "answer": 10,
+ "depends_on": [
+ "75321376043724a3"
+ ],
+ "evidence": {
+ "pageid": 2790066,
+ "revid": 1185941247,
+ "title": "Josh Radnor",
+ "url": "https://en.wikipedia.org/wiki/Josh_Radnor"
+ }
+ },
+ {
+ "id": "2d288688fcdc1dab",
+ "question": "How many films did Jason Segel appear in?",
+ "decomposition": [],
+ "answer": 29,
+ "depends_on": [
+ "75321376043724a3"
+ ],
+ "evidence": {
+ "pageid": 2146365,
+ "revid": 1184825882,
+ "title": "Jason Segel",
+ "url": "https://en.wikipedia.org/wiki/Jason_Segel"
+ }
+ },
+ {
+ "id": "db6169645dbff5c9",
+ "question": "How many films did Cobie Smulders appear in?",
+ "decomposition": [],
+ "answer": 28,
+ "depends_on": [
+ "75321376043724a3"
+ ],
+ "evidence": {
+ "pageid": 2991300,
+ "revid": 1183534044,
+ "title": "Cobie Smulders",
+ "url": "https://en.wikipedia.org/wiki/Cobie_Smulders"
+ }
+ },
+ {
+ "id": "ca862ab66160cc7d",
+ "question": "How many films did Neil Patrick Harris appear in?",
+ "decomposition": [],
+ "answer": 32,
+ "depends_on": [
+ "75321376043724a3"
+ ],
+ "evidence": {
+ "pageid": 704723,
+ "revid": 1184928575,
+ "title": "Neil Patrick Harris",
+ "url": "https://en.wikipedia.org/wiki/Neil_Patrick_Harris"
+ }
+ },
+ {
+ "id": "7456364e99e78843",
+ "question": "How many films did Alyson Hannigan appear in?",
+ "decomposition": [],
+ "answer": 16,
+ "depends_on": [
+ "75321376043724a3"
+ ],
+ "evidence": {
+ "pageid": 43997,
+ "revid": 1183896507,
+ "title": "Alyson Hannigan",
+ "url": "https://en.wikipedia.org/wiki/Alyson_Hannigan#Film"
+ }
+ },
+ {
+ "id": "684d226fc7a39c49",
+ "question": "How many films did Cristin Milioti appear in?",
+ "decomposition": [],
+ "answer": 11,
+ "depends_on": [
+ "75321376043724a3"
+ ],
+ "evidence": {
+ "pageid": 27511223,
+ "revid": 1174463628,
+ "title": "Cristin Milioti",
+ "url": "https://en.wikipedia.org/wiki/Cristin_Milioti"
+ }
+ }
+ ],
+ "answer": "Neil Patrick Harris",
+ "categories": [
+ "Television",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "43c8c96b55ba2d48",
+ "question": "Find the players that have retired numbers at Miami Heat. Who are these players and what are their career points?",
+ "decomposition": [
+ {
+ "id": "3ceb55dec53fa8e4",
+ "question": "Who are the players that have retired numbers at Miami Heat?",
+ "decomposition": [],
+ "answer": [
+ "Chris Bosh",
+ "Dwyane Wade",
+ "Tim Hardaway",
+ "Michael Jordan",
+ "Shaquille O'Neal",
+ "Alonzo Mourning"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72850,
+ "revid": 1185163497,
+ "title": "Miami Heat",
+ "url": "https://en.wikipedia.org/wiki/Miami_Heat"
+ }
+ },
+ {
+ "id": "8910dfc927506c4d",
+ "question": "How many career points did Chris Bosh get?",
+ "decomposition": [],
+ "answer": 17189,
+ "depends_on": [
+ "3ceb55dec53fa8e4"
+ ],
+ "evidence": {
+ "pageid": 537682,
+ "revid": 1185659277,
+ "title": "Chris Bosh",
+ "url": "https://en.wikipedia.org/wiki/Chris_Bosh"
+ }
+ },
+ {
+ "id": "c4e335b08c7b68c1",
+ "question": "How many career points did Dwyane Wade get?",
+ "decomposition": [],
+ "answer": 23165,
+ "depends_on": [
+ "3ceb55dec53fa8e4"
+ ],
+ "evidence": {
+ "pageid": 878666,
+ "revid": 1185786245,
+ "title": "Dwyane Wade",
+ "url": "https://en.wikipedia.org/wiki/Dwyane_Wade"
+ }
+ },
+ {
+ "id": "5009a5a22743a6c7",
+ "question": "How many career points did Tim Hardaway get?",
+ "decomposition": [],
+ "answer": 15373,
+ "depends_on": [
+ "3ceb55dec53fa8e4"
+ ],
+ "evidence": {
+ "pageid": 612944,
+ "revid": 1185778511,
+ "title": "Tim Hardaway",
+ "url": "https://en.wikipedia.org/wiki/Tim_Hardaway"
+ }
+ },
+ {
+ "id": "df9ff024b2aeea7a",
+ "question": "How many career points did Michael Jordan get?",
+ "decomposition": [],
+ "answer": 32292,
+ "depends_on": [
+ "3ceb55dec53fa8e4"
+ ],
+ "evidence": {
+ "pageid": 20455,
+ "revid": 1185780376,
+ "title": "Michael Jordan",
+ "url": "https://en.wikipedia.org/wiki/Michael_Jordan"
+ }
+ },
+ {
+ "id": "2a261c49dceffd6b",
+ "question": "How many career points did Shaquille O'Neal get?",
+ "decomposition": [],
+ "answer": 28596,
+ "depends_on": [
+ "3ceb55dec53fa8e4"
+ ],
+ "evidence": {
+ "pageid": 147726,
+ "revid": 1185782929,
+ "title": "Shaquille O'Neal",
+ "url": "https://en.wikipedia.org/wiki/Shaquille_O%27Neal"
+ }
+ },
+ {
+ "id": "b4b518d5ed1ce4d3",
+ "question": "How many career points did Alonzo Mourning get?",
+ "decomposition": [],
+ "answer": 14311,
+ "depends_on": [
+ "3ceb55dec53fa8e4"
+ ],
+ "evidence": {
+ "pageid": 409262,
+ "revid": 1185782419,
+ "title": "Alonzo Mourning",
+ "url": "https://en.wikipedia.org/wiki/Alonzo_Mourning"
+ }
+ }
+ ],
+ "answer": {
+ "Chris Bosh": 17189,
+ "Dwyane Wade": 23165,
+ "Tim Hardaway": 15373,
+ "Michael Jordan": 32292,
+ "Shaquille O'Neal": 28596,
+ "Alonzo Mourning": 14311
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "185dc83dc9c0ac4b",
+ "question": "How many undergraduate students are enrolled at each of the 5 largest public universities in the US by enrollment?",
+ "decomposition": [
+ {
+ "id": "50a43c32146b3552",
+ "question": "What are the 5 largest public universities in the US by enrollment?",
+ "decomposition": [],
+ "answer": [
+ "Texas A&M University",
+ "University of Central Florida",
+ "Rutgers University",
+ "University of Florida",
+ "The Ohio State University"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1852005,
+ "revid": 1183888922,
+ "title": "List of United States public university campuses by enrollment",
+ "url": "https://en.wikipedia.org/wiki/List_of_United_States_public_university_campuses_by_enrollment"
+ }
+ },
+ {
+ "id": "817e14b94de72c7f",
+ "question": "How many undergraduate students are enrolled at Texas A&M University?",
+ "decomposition": [],
+ "answer": 57428,
+ "depends_on": [
+ "50a43c32146b3552"
+ ],
+ "evidence": {
+ "pageid": 29927,
+ "revid": 1185620767,
+ "title": "Texas A&M University",
+ "url": "https://en.wikipedia.org/wiki/Texas_A%26M_University"
+ }
+ },
+ {
+ "id": "5846827bdfc36746",
+ "question": "How many undergraduate students are enrolled at University of Central Florida?",
+ "decomposition": [],
+ "answer": 58749,
+ "depends_on": [
+ "50a43c32146b3552"
+ ],
+ "evidence": {
+ "pageid": 154521,
+ "revid": 1185843313,
+ "title": "University of Central Florida",
+ "url": "https://en.wikipedia.org/wiki/University_of_Central_Florida"
+ }
+ },
+ {
+ "id": "a1bbc76608aee281",
+ "question": "How many undergraduate students are enrolled at Rutgers University?",
+ "decomposition": [],
+ "answer": 49359,
+ "depends_on": [
+ "50a43c32146b3552"
+ ],
+ "evidence": {
+ "pageid": 80135,
+ "revid": 1185734258,
+ "title": "Rutgers University",
+ "url": "https://en.wikipedia.org/wiki/Rutgers_University"
+ }
+ },
+ {
+ "id": "4192e950dff8f6dc",
+ "question": "How many undergraduate students are enrolled at University of Florida?",
+ "decomposition": [],
+ "answer": 34552,
+ "depends_on": [
+ "50a43c32146b3552"
+ ],
+ "evidence": {
+ "pageid": 60611,
+ "revid": 1182756463,
+ "title": "University of Florida",
+ "url": "https://en.wikipedia.org/wiki/University_of_Florida"
+ }
+ },
+ {
+ "id": "3edd1258838e0553",
+ "question": "How many undergraduate students are enrolled at The Ohio State University?",
+ "decomposition": [],
+ "answer": 51078,
+ "depends_on": [
+ "50a43c32146b3552"
+ ],
+ "evidence": {
+ "pageid": 22217,
+ "revid": 1185810827,
+ "title": "Ohio State University",
+ "url": "https://en.wikipedia.org/wiki/Ohio_State_University"
+ }
+ }
+ ],
+ "answer": {
+ "Texas A&M University": 57428,
+ "University of Central Florida": 58749,
+ "Rutgers University": 49359,
+ "University of Florida": 34552,
+ "The Ohio State University": 51078
+ },
+ "categories": [
+ "Education"
+ ]
+ },
+ {
+ "id": "37c361ce0ecc3540",
+ "question": "What is the land mass of China, USA, Canada, Australia and France?",
+ "decomposition": [
+ {
+ "id": "3d1cccfc7ed21682",
+ "question": "What is the land mass of China?",
+ "decomposition": [],
+ "answer": "9,596,961 km2",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "2e64c7ca6553bc6a",
+ "question": "What is the land mass of USA?",
+ "decomposition": [],
+ "answer": "9,833,520 km2",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "476a6395b5c5c515",
+ "question": "What is the land mass of Canada?",
+ "decomposition": [],
+ "answer": "9,984,670 km2",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5042916,
+ "revid": 1185732441,
+ "title": "Canada",
+ "url": "https://en.wikipedia.org/wiki/Canada"
+ }
+ },
+ {
+ "id": "6d665634a220f9cf",
+ "question": "What is the land mass of Australia?",
+ "decomposition": [],
+ "answer": "7,692,024 km2",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 4689264,
+ "revid": 1185843607,
+ "title": "Australia",
+ "url": "https://en.wikipedia.org/wiki/Australia"
+ }
+ },
+ {
+ "id": "a4cf3b661270a3e2",
+ "question": "What is the land mass of France?",
+ "decomposition": [],
+ "answer": "643,801 km2",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5843419,
+ "revid": 1185856656,
+ "title": "France",
+ "url": "https://en.wikipedia.org/wiki/France"
+ }
+ }
+ ],
+ "answer": {
+ "China": "9,596,961 km2",
+ "USA": "9,833,520 km2",
+ "Canada": "9,984,670 km2",
+ "Australia": "7,692,024 km2",
+ "France": "643,801 km2"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "d7ab22740996aea9",
+ "question": "What is the predominant religion practiced in countries where there have been recorded instances of raining fish, and which religion's followers experience this phenomenon the most?",
+ "decomposition": [
+ {
+ "id": "01cf88cac9564190",
+ "question": "Which countries have had instances of raining fish?",
+ "decomposition": [],
+ "answer": [
+ "Singapore",
+ "Nepal",
+ "Canada",
+ "United States of America",
+ "Nigeria",
+ "Wales",
+ "India",
+ "Australia",
+ "Philippines",
+ "Honduras",
+ "Sri Lanka",
+ "Ethiopia",
+ "Mexico"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 697782,
+ "revid": 1180121329,
+ "title": "Rain of animals",
+ "url": "https://en.wikipedia.org/wiki/Rain_of_animals"
+ }
+ },
+ {
+ "id": "f640d216164f6537",
+ "question": "What is the predominant religion in Singapore?",
+ "decomposition": [],
+ "answer": "Buddhism",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 27318,
+ "revid": 1185356760,
+ "title": "Singapore",
+ "url": "https://en.wikipedia.org/wiki/Singapore"
+ }
+ },
+ {
+ "id": "feaf3c93693ba462",
+ "question": "What is the predominant religion in Nepal?",
+ "decomposition": [],
+ "answer": "Hinduism",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 171166,
+ "revid": 1185715322,
+ "title": "Nepal",
+ "url": "https://en.wikipedia.org/wiki/Nepal"
+ }
+ },
+ {
+ "id": "6062123af3da5995",
+ "question": "What is the predominant religion in Canada?",
+ "decomposition": [],
+ "answer": "Christianity",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 5042916,
+ "revid": 1185732441,
+ "title": "Canada",
+ "url": "https://en.wikipedia.org/wiki/Canada"
+ }
+ },
+ {
+ "id": "64d686da3b88c93b",
+ "question": "What is the predominant religion in the United States of America?",
+ "decomposition": [],
+ "answer": "Christianity",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "96ff5e6350168ccd",
+ "question": "What is the predominant religion in Nigeria?",
+ "decomposition": [],
+ "answer": "Islam",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 21383,
+ "revid": 1184781474,
+ "title": "Nigeria",
+ "url": "https://en.wikipedia.org/wiki/Nigeria"
+ }
+ },
+ {
+ "id": "8079a9cc6c9d15f1",
+ "question": "What is the predominant religion in Wales?",
+ "decomposition": [],
+ "answer": "Atheism",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 69894,
+ "revid": 1185930434,
+ "title": "Wales",
+ "url": "https://en.wikipedia.org/wiki/Wales"
+ }
+ },
+ {
+ "id": "23b1747369b4229b",
+ "question": "What is the predominant religion in India?",
+ "decomposition": [],
+ "answer": "Hinduism",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ },
+ {
+ "id": "441fa171c33a78bc",
+ "question": "What is the predominant religion in Australia?",
+ "decomposition": [],
+ "answer": "Christianity",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 4689264,
+ "revid": 1185843607,
+ "title": "Australia",
+ "url": "https://en.wikipedia.org/wiki/Australia"
+ }
+ },
+ {
+ "id": "3fcfb6e1426c222e",
+ "question": "What is the predominant religion in the Philippines?",
+ "decomposition": [],
+ "answer": "Christianity",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 23440,
+ "revid": 1185459420,
+ "title": "Philippines",
+ "url": "https://en.wikipedia.org/wiki/Philippines"
+ }
+ },
+ {
+ "id": "11ce34e9a2b7f703",
+ "question": "What is the predominant religion in Honduras?",
+ "decomposition": [],
+ "answer": "Christianity",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 13394,
+ "revid": 1182557356,
+ "title": "Honduras",
+ "url": "https://en.wikipedia.org/wiki/Honduras"
+ }
+ },
+ {
+ "id": "381f9df1f88365e0",
+ "question": "What is the predominant religion in Sri Lanka?",
+ "decomposition": [],
+ "answer": "Buddhism",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 26750,
+ "revid": 1185698396,
+ "title": "Sri Lanka",
+ "url": "https://en.wikipedia.org/wiki/Sri_Lanka"
+ }
+ },
+ {
+ "id": "8e6373751811299d",
+ "question": "What is the predominant religion in Ethiopia?",
+ "decomposition": [],
+ "answer": "Christianity",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 187749,
+ "revid": 1185375358,
+ "title": "Ethiopia",
+ "url": "https://en.wikipedia.org/wiki/Ethiopia"
+ }
+ },
+ {
+ "id": "1f861201379f0682",
+ "question": "What is the predominant religion in Mexico?",
+ "decomposition": [],
+ "answer": "Christianity",
+ "depends_on": [
+ "01cf88cac9564190"
+ ],
+ "evidence": {
+ "pageid": 3966054,
+ "revid": 1185769245,
+ "title": "Mexico",
+ "url": "https://en.wikipedia.org/wiki/Mexico"
+ }
+ }
+ ],
+ "answer": "Christianity",
+ "categories": [
+ "Meteorology",
+ "Religion",
+ "Geography"
+ ]
+ },
+ {
+ "id": "00f4666b3a099c5a",
+ "question": "What are the capital cities of the five most populous countries in Europe?",
+ "decomposition": [
+ {
+ "id": "7bb517cc7ab42765",
+ "question": "What are the five most populous countries in Europe?",
+ "decomposition": [],
+ "answer": [
+ "Russia",
+ "Turkey",
+ "Germany",
+ "United Kingdom",
+ "France"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 28393374,
+ "revid": 1182540636,
+ "title": "List of European countries by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_European_countries_by_population"
+ }
+ },
+ {
+ "id": "0dac093d0811ac76",
+ "question": "What is the capital of Russia?",
+ "decomposition": [],
+ "answer": "Moscow",
+ "depends_on": [
+ "7bb517cc7ab42765"
+ ],
+ "evidence": {
+ "pageid": 19004,
+ "revid": 1181809228,
+ "title": "Moscow",
+ "url": "https://en.wikipedia.org/wiki/Moscow"
+ }
+ },
+ {
+ "id": "02096617463faf93",
+ "question": "What is the capital of Turkey?",
+ "decomposition": [],
+ "answer": "Ankara",
+ "depends_on": [
+ "7bb517cc7ab42765"
+ ],
+ "evidence": {
+ "pageid": 802,
+ "revid": 1185188817,
+ "title": "Ankara",
+ "url": "https://en.wikipedia.org/wiki/Ankara"
+ }
+ },
+ {
+ "id": "603bee5f031e600e",
+ "question": "What is the capital of Germany?",
+ "decomposition": [],
+ "answer": "Berlin",
+ "depends_on": [
+ "7bb517cc7ab42765"
+ ],
+ "evidence": {
+ "pageid": 3354,
+ "revid": 1185815581,
+ "title": "Berlin",
+ "url": "https://en.wikipedia.org/wiki/Berlin"
+ }
+ },
+ {
+ "id": "3ff1ee403fd0010c",
+ "question": "What is the capital of the United Kingdom?",
+ "decomposition": [],
+ "answer": "London",
+ "depends_on": [
+ "7bb517cc7ab42765"
+ ],
+ "evidence": {
+ "pageid": 17867,
+ "revid": 1185846337,
+ "title": "London",
+ "url": "https://en.wikipedia.org/wiki/London"
+ }
+ },
+ {
+ "id": "7e16eb88eba17d36",
+ "question": "What is the capital of France?",
+ "decomposition": [],
+ "answer": "Paris",
+ "depends_on": [
+ "7bb517cc7ab42765"
+ ],
+ "evidence": {
+ "pageid": 22989,
+ "revid": 1185934392,
+ "title": "Paris",
+ "url": "https://en.wikipedia.org/wiki/Paris"
+ }
+ }
+ ],
+ "answer": {
+ "Russia": "Moscow",
+ "Turkey": "Ankara",
+ "Germany": "Berlin",
+ "United Kingdom": "London",
+ "France": "Paris"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "2209fedf425b575d",
+ "question": "What are the genres of the top 5 selling ongoing manga series with at least 100 million copies sold",
+ "decomposition": [
+ {
+ "id": "111ea1e74618bb61",
+ "question": "What were the 5 most popular selling manga with at least 100 million copies sold?",
+ "decomposition": [],
+ "answer": [
+ "One Piece",
+ "Golgo 13",
+ "Case Closed / Detective Conan",
+ "JoJo's Bizarre Adventure",
+ "Hajime no Ippo",
+ "The Kindaichi Case Files",
+ "Kingdom"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39502626,
+ "revid": 1185412732,
+ "title": "List of best-selling manga",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_manga"
+ }
+ },
+ {
+ "id": "0cecd4f7534db8ba",
+ "question": "What genre is One Piece?",
+ "decomposition": [],
+ "answer": "Adventure",
+ "depends_on": [
+ "111ea1e74618bb61"
+ ],
+ "evidence": {
+ "pageid": 360759,
+ "revid": 1184748487,
+ "title": "One Piece",
+ "url": "https://en.wikipedia.org/wiki/One_Piece"
+ }
+ },
+ {
+ "id": "1acb482da2da1d90",
+ "question": "What genre is Golgo 13?",
+ "decomposition": [],
+ "answer": "Thriller",
+ "depends_on": [
+ "111ea1e74618bb61"
+ ],
+ "evidence": {
+ "pageid": 802732,
+ "revid": 1185717890,
+ "title": "Golgo 13",
+ "url": "https://en.wikipedia.org/wiki/Golgo_13"
+ }
+ },
+ {
+ "id": "5ab786bbcdc8d77b",
+ "question": "What genre is Case CLosed / Detective Conan?",
+ "decomposition": [],
+ "answer": "Mystery",
+ "depends_on": [
+ "111ea1e74618bb61"
+ ],
+ "evidence": {
+ "pageid": 298049,
+ "revid": 1185710354,
+ "title": "Case Closed",
+ "url": "https://en.wikipedia.org/wiki/Case_Closed"
+ }
+ },
+ {
+ "id": "71929e20dbfdea9c",
+ "question": "What genre is JoJo's Bizarre Adventure?",
+ "decomposition": [],
+ "answer": "Supernatural",
+ "depends_on": [
+ "111ea1e74618bb61"
+ ],
+ "evidence": {
+ "pageid": 34161875,
+ "revid": 1185243558,
+ "title": "Veronica Roth",
+ "url": "https://en.wikipedia.org/wiki/Veronica_Roth"
+ }
+ },
+ {
+ "id": "595da425f0c4e11c",
+ "question": "What genre is Hajime no Ippo?",
+ "decomposition": [],
+ "answer": "Sports",
+ "depends_on": [
+ "111ea1e74618bb61"
+ ],
+ "evidence": {
+ "pageid": 855798,
+ "revid": 1185855129,
+ "title": "Hajime no Ippo",
+ "url": "https://en.wikipedia.org/wiki/Hajime_no_Ippo"
+ }
+ },
+ {
+ "id": "712f1d4b3ee81007",
+ "question": "What genre is The Kindaichi Case Files?",
+ "decomposition": [],
+ "answer": "Mystery",
+ "depends_on": [
+ "111ea1e74618bb61"
+ ],
+ "evidence": {
+ "pageid": 1055287,
+ "revid": 1184571955,
+ "title": "The Kindaichi Case Files",
+ "url": "https://en.wikipedia.org/wiki/The_Kindaichi_Case_Files"
+ }
+ },
+ {
+ "id": "f1855df3a6ff616b",
+ "question": "What genre is Kingdom?",
+ "decomposition": [],
+ "answer": "Historical",
+ "depends_on": [
+ "111ea1e74618bb61"
+ ],
+ "evidence": {
+ "pageid": 33790633,
+ "revid": 1185546306,
+ "title": "Kingdom (manga)",
+ "url": "https://en.wikipedia.org/wiki/Kingdom_(manga)"
+ }
+ }
+ ],
+ "answer": {
+ "One Piece": "Adventure",
+ "Golgo 13": "Thriller",
+ "Case CLosed / Detective Conan": "Mystery",
+ "JoJo's Bizarre Adventure": "Supernatural",
+ "Hajime no Ippo": "Sports",
+ "The Kindaichi Case_Files": "Mystery",
+ "Kingdom": "Historical"
+ },
+ "categories": [
+ "Literature",
+ "Japanese Culture"
+ ]
+ },
+ {
+ "id": "d8f633bf1b1c7ae9",
+ "question": "What are the 5 largest states in France, and what is their population?",
+ "decomposition": [
+ {
+ "id": "887440a9a9f32cdb",
+ "question": "What are the 5 largest states in France?",
+ "decomposition": [],
+ "answer": [
+ "Nouvelle-Aquitaine",
+ "French Guiana",
+ "Occitanie",
+ "Auvergne-Rh\u00f4ne-Alpes",
+ "Grand Est"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1063832,
+ "revid": 1102441541,
+ "title": "Ranked list of French regions",
+ "url": "https://en.wikipedia.org/wiki/Ranked_list_of_French_regions"
+ }
+ },
+ {
+ "id": "bbbd2ccc293c49c0",
+ "question": "What is the population of Nouvelle-Aquitaine?",
+ "decomposition": [],
+ "answer": 6033952,
+ "depends_on": [
+ "887440a9a9f32cdb"
+ ],
+ "evidence": {
+ "pageid": 45092904,
+ "revid": 1183594102,
+ "title": "Nouvelle-Aquitaine",
+ "url": "https://en.wikipedia.org/wiki/Nouvelle-Aquitaine"
+ }
+ },
+ {
+ "id": "39bee91083c5d221",
+ "question": "What is the population of French Guiana?",
+ "decomposition": [],
+ "answer": 301099,
+ "depends_on": [
+ "887440a9a9f32cdb"
+ ],
+ "evidence": {
+ "pageid": 21350970,
+ "revid": 1185395785,
+ "title": "French Guiana",
+ "url": "https://en.wikipedia.org/wiki/French_Guiana"
+ }
+ },
+ {
+ "id": "ae9d4a2c8e82b981",
+ "question": "What is the population of Occitanie?",
+ "decomposition": [],
+ "answer": 5973969,
+ "depends_on": [
+ "887440a9a9f32cdb"
+ ],
+ "evidence": {
+ "pageid": 45093609,
+ "revid": 1185119622,
+ "title": "Occitania (administrative region)",
+ "url": "https://en.wikipedia.org/wiki/Occitania_(administrative_region)"
+ }
+ },
+ {
+ "id": "b44f449674aa0981",
+ "question": "What is the population of Auvergne-Rh\u00f4ne-Alpes?",
+ "decomposition": [],
+ "answer": 8078652,
+ "depends_on": [
+ "887440a9a9f32cdb"
+ ],
+ "evidence": {
+ "pageid": 45093325,
+ "revid": 1183595066,
+ "title": "Auvergne-Rh\u00f4ne-Alpes",
+ "url": "https://en.wikipedia.org/wiki/Auvergne-Rh%C3%B4ne-Alpes"
+ }
+ },
+ {
+ "id": "f2d2afb055dd3553",
+ "question": "What is the population of Grand Est?",
+ "decomposition": [],
+ "answer": 5562651,
+ "depends_on": [
+ "887440a9a9f32cdb"
+ ],
+ "evidence": {
+ "pageid": 45032068,
+ "revid": 1183596289,
+ "title": "Grand Est",
+ "url": "https://en.wikipedia.org/wiki/Grand_Est"
+ }
+ }
+ ],
+ "answer": {
+ "Nouvelle-Aquitaine": 6033952,
+ "French Guiana": 301099,
+ "Occitanie": 5973969,
+ "Auvergne-Rh\u00f4ne-Alpes": 8078652,
+ "Grand Est": 5562651
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "06196bbd8bcf87e6",
+ "question": "Where are the best-selling female rappers from?",
+ "decomposition": [
+ {
+ "id": "86cea8781ddebb97",
+ "question": "Who are the best-selling female rappers?",
+ "decomposition": [],
+ "answer": [
+ "Nicki Minaj",
+ "Iggy Azalea",
+ "Lauryn Hill",
+ "Lil' Kim",
+ "Cardi B",
+ "Missy Elliot"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 71250584,
+ "revid": 1185471049,
+ "title": "List of best-selling female rappers",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_female_rappers"
+ }
+ },
+ {
+ "id": "a1ab6a24b31a52ff",
+ "question": "Where is Nicki Minaj from?",
+ "decomposition": [],
+ "answer": "Port of Spain, Trinidad and Tobago",
+ "depends_on": [
+ "86cea8781ddebb97"
+ ],
+ "evidence": {
+ "pageid": 22570683,
+ "revid": 1185914140,
+ "title": "Nicki Minaj",
+ "url": "https://en.wikipedia.org/wiki/Nicki_Minaj"
+ }
+ },
+ {
+ "id": "c1a4753321b95cf5",
+ "question": "Where is Iggy Azalea from?",
+ "decomposition": [],
+ "answer": "Sydney, Australia",
+ "depends_on": [
+ "86cea8781ddebb97"
+ ],
+ "evidence": {
+ "pageid": 33715219,
+ "revid": 1184858283,
+ "title": "Iggy Azalea",
+ "url": "https://en.wikipedia.org/wiki/Iggy_Azalea"
+ }
+ },
+ {
+ "id": "33e815a2466f42fd",
+ "question": "Where is Lauryn Hill from?",
+ "decomposition": [],
+ "answer": "Newark, New Jersey",
+ "depends_on": [
+ "86cea8781ddebb97"
+ ],
+ "evidence": {
+ "pageid": 162864,
+ "revid": 1183038904,
+ "title": "Lauryn Hill",
+ "url": "https://en.wikipedia.org/wiki/Lauryn_Hill"
+ }
+ },
+ {
+ "id": "fd5ac2f2152a0232",
+ "question": "Where is Lil' Kim from?",
+ "decomposition": [],
+ "answer": "New York City, New York",
+ "depends_on": [
+ "86cea8781ddebb97"
+ ],
+ "evidence": {
+ "pageid": 215670,
+ "revid": 1184611412,
+ "title": "Lil' Kim",
+ "url": "https://en.wikipedia.org/wiki/Lil%27_Kim"
+ }
+ },
+ {
+ "id": "9ad7a8124f20a5fd",
+ "question": "Where is Cardi B from?",
+ "decomposition": [],
+ "answer": "New York City, New York",
+ "depends_on": [
+ "86cea8781ddebb97"
+ ],
+ "evidence": {
+ "pageid": 53594450,
+ "revid": 1185808640,
+ "title": "Cardi B",
+ "url": "https://en.wikipedia.org/wiki/Cardi_B"
+ }
+ },
+ {
+ "id": "176e07520a3b22e8",
+ "question": "Where is Missy Elliot from?",
+ "decomposition": [],
+ "answer": "Portsmouth, Virginia",
+ "depends_on": [
+ "86cea8781ddebb97"
+ ],
+ "evidence": {
+ "pageid": 180519,
+ "revid": 1184921430,
+ "title": "Missy Elliott",
+ "url": "https://en.wikipedia.org/wiki/Missy_Elliott"
+ }
+ }
+ ],
+ "answer": {
+ "Nicki Minaj": "Port of Spain, Trinidad and Tobago",
+ "Iggy Azalea": "Sydney, Australia",
+ "Lauryn Hill": "Newark, New Jersey",
+ "Lil' Kim": "New York City, New York",
+ "Cardi B": "New York City, New York",
+ "Missy Elliot": "Portsmouth, Virginia"
+ },
+ "categories": [
+ "Music",
+ "Geography"
+ ]
+ },
+ {
+ "id": "4fa7d62c95ed296f",
+ "question": "Which US state capital, bordering the Pacific Ocean, has the highest average rainfall?",
+ "decomposition": [
+ {
+ "id": "6158537c8ee1613b",
+ "question": "Which US state that borders the Pacific ocean?",
+ "decomposition": [],
+ "answer": [
+ "Alaska",
+ "Washington",
+ "Oregon",
+ "California",
+ "Hawaii"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 174579,
+ "revid": 1181726350,
+ "title": "West Coast of the United States",
+ "url": "https://en.wikipedia.org/wiki/West_Coast_of_the_United_States"
+ }
+ },
+ {
+ "id": "39091d35e76c95ef",
+ "question": "What is the average rainfall in Juneau, Alaska in inches?",
+ "decomposition": [],
+ "answer": 62.27,
+ "depends_on": [
+ "6158537c8ee1613b"
+ ],
+ "evidence": {
+ "pageid": 87469,
+ "revid": 1184129931,
+ "title": "Juneau, Alaska",
+ "url": "https://en.wikipedia.org/wiki/Juneau,_Alaska"
+ }
+ },
+ {
+ "id": "4cc8703eb6b7768b",
+ "question": "What is the average rainfall in Olympia, Washington in inches?",
+ "decomposition": [],
+ "answer": 50,
+ "depends_on": [
+ "6158537c8ee1613b"
+ ],
+ "evidence": {
+ "pageid": 57860,
+ "revid": 1184682126,
+ "title": "Olympia, Washington",
+ "url": "https://en.wikipedia.org/wiki/Olympia,_Washington"
+ }
+ },
+ {
+ "id": "1bca38312c1e2861",
+ "question": "What is the average rainfall in Sacramento, California in inches?",
+ "decomposition": [],
+ "answer": 18.14,
+ "depends_on": [
+ "6158537c8ee1613b"
+ ],
+ "evidence": {
+ "pageid": 29631,
+ "revid": 1185947299,
+ "title": "Sacramento, California",
+ "url": "https://en.wikipedia.org/wiki/Sacramento,_California"
+ }
+ },
+ {
+ "id": "9be15e6abb473b93",
+ "question": "What is the average rainfall in Salem, Oregon in inches?",
+ "decomposition": [],
+ "answer": 40,
+ "depends_on": [
+ "6158537c8ee1613b"
+ ],
+ "evidence": {
+ "pageid": 48970,
+ "revid": 1185622984,
+ "title": "Salem, Oregon",
+ "url": "https://en.wikipedia.org/wiki/Salem,_Oregon"
+ }
+ },
+ {
+ "id": "409d25a64ed1396b",
+ "question": "What is the average rainfall in Honolulu, Hawaii in inches?",
+ "decomposition": [],
+ "answer": 16.41,
+ "depends_on": [
+ "6158537c8ee1613b"
+ ],
+ "evidence": {
+ "pageid": 13887,
+ "revid": 1182925917,
+ "title": "Honolulu",
+ "url": "https://en.wikipedia.org/wiki/Honolulu"
+ }
+ }
+ ],
+ "answer": "Juneau, Alaska",
+ "categories": [
+ "Meteorology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "d248660f4582a000",
+ "question": "Who were the doctoral advisors of the Nobel Prize in Physics winners for the years 2020 and 2022, if applicable?",
+ "decomposition": [
+ {
+ "id": "3e81ad123d7bd2fa",
+ "question": "Who where the winners of the Nobel Prize in Physics for the year 2020 and 2022?",
+ "decomposition": [],
+ "answer": [
+ "Roger Penrose",
+ "Reinhard Genzel",
+ "Andrea Ghez",
+ "Alain Aspect",
+ "John Clauser",
+ "Anton Zeilinger"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19679192,
+ "revid": 1185537321,
+ "title": "List of Nobel laureates in Physics",
+ "url": "https://en.wikipedia.org/wiki/List_of_Nobel_laureates_in_Physics"
+ }
+ },
+ {
+ "id": "97d997886f02656b",
+ "question": "Who is the doctorate advisor of Roger Penrose?",
+ "decomposition": [],
+ "answer": "John A. Todd",
+ "depends_on": [
+ "3e81ad123d7bd2fa"
+ ],
+ "evidence": {
+ "pageid": 26193,
+ "revid": 1184355125,
+ "title": "Roger Penrose",
+ "url": "https://en.wikipedia.org/wiki/Roger_Penrose"
+ }
+ },
+ {
+ "id": "cae8a7b17bb606ad",
+ "question": "Who is the doctorate advisor of Reinhard Genzel?",
+ "decomposition": [],
+ "answer": "Peter Georg Mezger",
+ "depends_on": [
+ "3e81ad123d7bd2fa"
+ ],
+ "evidence": {
+ "pageid": 14417038,
+ "revid": 1174859264,
+ "title": "Reinhard Genzel",
+ "url": "https://en.wikipedia.org/wiki/Reinhard_Genzel"
+ }
+ },
+ {
+ "id": "c614562cad12686a",
+ "question": "Who is the doctorate advisor of Andrea Ghez?",
+ "decomposition": [],
+ "answer": "Gerry Neugebauer",
+ "depends_on": [
+ "3e81ad123d7bd2fa"
+ ],
+ "evidence": {
+ "pageid": 704276,
+ "revid": 1182574555,
+ "title": "Andrea M. Ghez",
+ "url": "https://en.wikipedia.org/wiki/Andrea_M._Ghez"
+ }
+ },
+ {
+ "id": "4ff5f8f5ce45f3dd",
+ "question": "Who is the doctorate advisor of Alain Aspect?",
+ "decomposition": [],
+ "answer": "Serge Lowenthal",
+ "depends_on": [
+ "3e81ad123d7bd2fa"
+ ],
+ "evidence": {
+ "pageid": 1307592,
+ "revid": 1178656919,
+ "title": "Alain Aspect",
+ "url": "https://en.wikipedia.org/wiki/Alain_Aspect"
+ }
+ },
+ {
+ "id": "1aa54ca3f80d0919",
+ "question": "Who is the doctorate advisor of John Clauser?",
+ "decomposition": [],
+ "answer": "Patrick Thaddeus",
+ "depends_on": [
+ "3e81ad123d7bd2fa"
+ ],
+ "evidence": {
+ "pageid": 27567717,
+ "revid": 1185838074,
+ "title": "John Clauser",
+ "url": "https://en.wikipedia.org/wiki/John_Clauser"
+ }
+ },
+ {
+ "id": "815d3306a6d12e5b",
+ "question": "Who is the doctorate advisor of Anton Zeilinger?",
+ "decomposition": [],
+ "answer": "Helmut Rauch",
+ "depends_on": [
+ "3e81ad123d7bd2fa"
+ ],
+ "evidence": {
+ "pageid": 918635,
+ "revid": 1185248373,
+ "title": "Anton Zeilinger",
+ "url": "https://en.wikipedia.org/wiki/Anton_Zeilinger"
+ }
+ }
+ ],
+ "answer": {
+ "Roger Penrose": "John A. Todd",
+ "Reinhard Genzel": "Peter Georg Mezger",
+ "Andrea Ghez": "Gerry Neugebauer",
+ "Alain Aspect": "Serge Lowenthal",
+ "John Clauser": "Patrick Thaddeus",
+ "Anton Zeilinger": "Helmut Rauch"
+ },
+ "categories": [
+ "Education",
+ "Physics"
+ ]
+ },
+ {
+ "id": "08e133f569491938",
+ "question": "What are the birthplaces of the current top 5 singles tennis players in the ATP rankings?",
+ "decomposition": [
+ {
+ "id": "bc3a65b047846fda",
+ "question": "Who are the current top 5 singles tennis players in the ATP rankings?",
+ "decomposition": [],
+ "answer": [
+ "Novak Djokovic",
+ "Carlos Alcaraz",
+ "Daniil Medvedev",
+ "Jannik Sinner",
+ "Andrey Rublev"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 13480983,
+ "revid": 1185909881,
+ "title": "ATP rankings",
+ "url": "https://en.wikipedia.org/wiki/ATP_Rankings"
+ }
+ },
+ {
+ "id": "51ac95b17d20b94a",
+ "question": "Where was Novak Djokovic born?",
+ "decomposition": [],
+ "answer": "Belgrade, Serbia",
+ "depends_on": [
+ "bc3a65b047846fda"
+ ],
+ "evidence": {
+ "pageid": 16100029,
+ "revid": 1185935070,
+ "title": "Novak Djokovic",
+ "url": "https://en.wikipedia.org/wiki/Novak_Djokovic"
+ }
+ },
+ {
+ "id": "e617009ca4e7f571",
+ "question": "Where was Carlos Alcaraz born?",
+ "decomposition": [],
+ "answer": "El Palmar Murcia, Spain",
+ "depends_on": [
+ "bc3a65b047846fda"
+ ],
+ "evidence": {
+ "pageid": 63121147,
+ "revid": 1185840860,
+ "title": "Carlos Alcaraz",
+ "url": "https://en.wikipedia.org/wiki/Carlos_Alcaraz"
+ }
+ },
+ {
+ "id": "9a39bd87d7e107a5",
+ "question": "Where was Daniil Medvedev born?",
+ "decomposition": [],
+ "answer": "Moscow, Russia",
+ "depends_on": [
+ "bc3a65b047846fda"
+ ],
+ "evidence": {
+ "pageid": 48268960,
+ "revid": 1185719344,
+ "title": "Daniil Medvedev",
+ "url": "https://en.wikipedia.org/wiki/Daniil_Medvedev"
+ }
+ },
+ {
+ "id": "89e29644285264ad",
+ "question": "Where was Jannik Sinner born?",
+ "decomposition": [],
+ "answer": "Innichen, Italy",
+ "depends_on": [
+ "bc3a65b047846fda"
+ ],
+ "evidence": {
+ "pageid": 60061043,
+ "revid": 1185910176,
+ "title": "Jannik Sinner",
+ "url": "https://en.wikipedia.org/wiki/Jannik_Sinner"
+ }
+ },
+ {
+ "id": "d4eee35743204ff1",
+ "question": "Where was Andrey Rublev born?",
+ "decomposition": [],
+ "answer": "Moscow, Russia",
+ "depends_on": [
+ "bc3a65b047846fda"
+ ],
+ "evidence": {
+ "pageid": 43201356,
+ "revid": 1185606587,
+ "title": "Andrey Rublev",
+ "url": "https://en.wikipedia.org/wiki/Andrey_Rublev"
+ }
+ }
+ ],
+ "answer": {
+ "Novak Djokovic": "Belgrade, Serbia",
+ "Carlos Alcaraz": "El Palmar Murcia",
+ "Daniil Medvedev": "Moscow, Russia",
+ "Jannik Sinner": "Innichen, Italy",
+ "Andrey Rublev": "Moscow, Russia"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "90d445f356ef0d2d",
+ "question": "What are the top 5 most watched Netflix series in their first 28 days and how many episodes does each series have?",
+ "decomposition": [
+ {
+ "id": "c262c4207f4e3d86",
+ "question": "What are the top 5 most watched Netflix series in the first 28 days?",
+ "decomposition": [],
+ "answer": [
+ "Squid Game: Season 1",
+ "Stranger Things: Season 4",
+ "Wednesday: Season 1",
+ "Dahmer \u2013 Monster: The Jeffrey Dahmer Story",
+ "Money Heist: Part 5"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69093745,
+ "revid": 1181006853,
+ "title": "List of most-watched Netflix original programming",
+ "url": "https://en.wikipedia.org/wiki/List_of_most-watched_Netflix_original_programming"
+ }
+ },
+ {
+ "id": "af4d244fa3aa181c",
+ "question": "How many episodes were there in Squid Game: Season 1?",
+ "decomposition": [],
+ "answer": 9,
+ "depends_on": [
+ "c262c4207f4e3d86"
+ ],
+ "evidence": {
+ "pageid": 68455171,
+ "revid": 1185914624,
+ "title": "Squid Game",
+ "url": "https://en.wikipedia.org/wiki/Squid_Game"
+ }
+ },
+ {
+ "id": "61b40fa9de601324",
+ "question": "How many episodes were there in Stranger Things: Season 4?",
+ "decomposition": [],
+ "answer": 9,
+ "depends_on": [
+ "c262c4207f4e3d86"
+ ],
+ "evidence": {
+ "pageid": 46301800,
+ "revid": 1185341339,
+ "title": "Stranger Things",
+ "url": "https://en.wikipedia.org/wiki/Stranger_Things"
+ }
+ },
+ {
+ "id": "f23c9afc9ffc9da8",
+ "question": "How many episodes were there in Wednesday: Season 1?",
+ "decomposition": [],
+ "answer": 8,
+ "depends_on": [
+ "c262c4207f4e3d86"
+ ],
+ "evidence": {
+ "pageid": 66740629,
+ "revid": 1185652711,
+ "title": "Wednesday (TV series)",
+ "url": "https://en.wikipedia.org/wiki/Wednesday_(TV_series)"
+ }
+ },
+ {
+ "id": "c43a0ad4f42a7865",
+ "question": "How many episodes were there in Dahmer \u2013 Monster: The Jeffrey Dahmer Story?",
+ "decomposition": [],
+ "answer": 10,
+ "depends_on": [
+ "c262c4207f4e3d86"
+ ],
+ "evidence": {
+ "pageid": 65660842,
+ "revid": 1185637884,
+ "title": "Dahmer \u2013 Monster: The Jeffrey Dahmer Story",
+ "url": "https://en.wikipedia.org/wiki/Dahmer_%E2%80%93_Monster:_The_Jeffrey_Dahmer_Story"
+ }
+ },
+ {
+ "id": "583ccddfb4e855d0",
+ "question": "How many episodes were there in Money Heist: Part 5?",
+ "decomposition": [],
+ "answer": 10,
+ "depends_on": [
+ "c262c4207f4e3d86"
+ ],
+ "evidence": {
+ "pageid": 53940712,
+ "revid": 1178026242,
+ "title": "Money Heist",
+ "url": "https://en.wikipedia.org/wiki/Money_Heist"
+ }
+ }
+ ],
+ "answer": {
+ "Squid Game: Season 1": 9,
+ "Stranger Things: Season 4": 9,
+ "Wednesday: Season 1": 8,
+ "Dahmer \u2013 Monster: The Jeffrey Dahmer Story": 10,
+ "Money Heist: Part 5": 10
+ },
+ "categories": [
+ "Television",
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "258f06111ca64e70",
+ "question": "What are the country calling codes of the 5 most populous countries in the world?",
+ "decomposition": [
+ {
+ "id": "7aba10d1f47e7604",
+ "question": "What are the 5 most populous countries in the world?",
+ "decomposition": [],
+ "answer": [
+ "India",
+ "China",
+ "United States",
+ "Indonesia",
+ "Pakistan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39707994,
+ "revid": 1183557170,
+ "title": "List of countries by population (United Nations)",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_population_(United_Nations)"
+ }
+ },
+ {
+ "id": "618bcd04081ce871",
+ "question": "What is the country calling code of India?",
+ "decomposition": [],
+ "answer": "+91",
+ "depends_on": [
+ "7aba10d1f47e7604"
+ ],
+ "evidence": {
+ "pageid": 12924220,
+ "revid": 1180395422,
+ "title": "Telephone numbers in India",
+ "url": "https://en.wikipedia.org/wiki/Telephone_numbers_in_India"
+ }
+ },
+ {
+ "id": "349c3eb08f6c68ac",
+ "question": "What is the country calling code of China?",
+ "decomposition": [],
+ "answer": "+86",
+ "depends_on": [
+ "7aba10d1f47e7604"
+ ],
+ "evidence": {
+ "pageid": 891050,
+ "revid": 1185887564,
+ "title": "Telephone numbers in China",
+ "url": "https://en.wikipedia.org/wiki/Telephone_numbers_in_China"
+ }
+ },
+ {
+ "id": "93cd640d76cd1cba",
+ "question": "What is the country calling code of United States?",
+ "decomposition": [],
+ "answer": "+1",
+ "depends_on": [
+ "7aba10d1f47e7604"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "6780f9c0412fb4a4",
+ "question": "What is the country calling code of Indonesia?",
+ "decomposition": [],
+ "answer": "+62",
+ "depends_on": [
+ "7aba10d1f47e7604"
+ ],
+ "evidence": {
+ "pageid": 9569030,
+ "revid": 1174299202,
+ "title": "Telephone numbers in Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Telephone_numbers_in_Indonesia"
+ }
+ },
+ {
+ "id": "26add3ee645bd67b",
+ "question": "What is the country calling code of Pakistan?",
+ "decomposition": [],
+ "answer": "+92",
+ "depends_on": [
+ "7aba10d1f47e7604"
+ ],
+ "evidence": {
+ "pageid": 12923850,
+ "revid": 1185778164,
+ "title": "Telephone numbers in Pakistan",
+ "url": "https://en.wikipedia.org/wiki/Telephone_numbers_in_Pakistan"
+ }
+ }
+ ],
+ "answer": {
+ "India": "+91",
+ "China": "+86",
+ "United States": "+1",
+ "Indonesia": "+62",
+ "Pakistan": "+92"
+ },
+ "categories": [
+ "Technology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "ccf5ad3c45eabe40",
+ "question": "How old are the Japanese voice actors for the second year students in Tokyo Prefectural Jujutsu High School in the anime Jujutsu Kaisen?",
+ "decomposition": [
+ {
+ "id": "a6b01aac7a62522d",
+ "question": "Who are the Japanese voice actors of the second year students in Tokyo Prefectural Jujutsu High School in Jujutsu Kaisen?",
+ "decomposition": [],
+ "answer": [
+ "Mikako Komatsu",
+ "Koki Uchiyama",
+ "Tomokazu Seki",
+ "Megumi Ogata"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 66580540,
+ "revid": 1185477023,
+ "title": "List of Jujutsu Kaisen characters",
+ "url": "https://en.wikipedia.org/wiki/List_of_Jujutsu_Kaisen_characters"
+ }
+ },
+ {
+ "id": "1e7e8a1952619731",
+ "question": "How old is Mikako Komatsu?",
+ "decomposition": [],
+ "answer": "35",
+ "depends_on": [
+ "a6b01aac7a62522d"
+ ],
+ "evidence": {
+ "pageid": 38007707,
+ "revid": 1184365474,
+ "title": "Mikako Komatsu",
+ "url": "https://en.wikipedia.org/wiki/Mikako_Komatsu"
+ }
+ },
+ {
+ "id": "4d3faad48a5580d4",
+ "question": "How old is Koki Uchiyama?",
+ "decomposition": [],
+ "answer": "33",
+ "depends_on": [
+ "a6b01aac7a62522d"
+ ],
+ "evidence": {
+ "pageid": 4161341,
+ "revid": 1183354722,
+ "title": "Koki Uchiyama",
+ "url": "https://en.wikipedia.org/wiki/Koki_Uchiyama"
+ }
+ },
+ {
+ "id": "d8a03474677c6508",
+ "question": "How old is Tomokazu Seki?",
+ "decomposition": [],
+ "answer": "51",
+ "depends_on": [
+ "a6b01aac7a62522d"
+ ],
+ "evidence": {
+ "pageid": 515923,
+ "revid": 1184152128,
+ "title": "Tomokazu Seki",
+ "url": "https://en.wikipedia.org/wiki/Tomokazu_Seki"
+ }
+ },
+ {
+ "id": "0e39365f4c4c1216",
+ "question": "How old is Megumi Ogata?",
+ "decomposition": [],
+ "answer": "58",
+ "depends_on": [
+ "a6b01aac7a62522d"
+ ],
+ "evidence": {
+ "pageid": 773946,
+ "revid": 1175778664,
+ "title": "Megumi Ogata",
+ "url": "https://en.wikipedia.org/wiki/Megumi_Ogata"
+ }
+ }
+ ],
+ "answer": {
+ "Mikako Komatsu": "35",
+ "Koki Uchiyama": "33",
+ "Tomokazu Seki": "51",
+ "Megumi Ogata": "58"
+ },
+ "categories": [
+ "Japanese Culture"
+ ]
+ },
+ {
+ "id": "a46a16ef82d421f7",
+ "question": "What are the official languages of the five smallest countries in Europe by land area?",
+ "decomposition": [
+ {
+ "id": "e149c8c9cc956253",
+ "question": "What are the five smallest countries in Europe by land area?",
+ "decomposition": [],
+ "answer": [
+ "Vatican City",
+ "Monaco",
+ "San Marino",
+ "Liechtenstein",
+ "Malta"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7147041,
+ "revid": 1185928809,
+ "title": "List of European countries by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_European_countries_by_area"
+ }
+ },
+ {
+ "id": "1eb27aec694a85b7",
+ "question": "What is the official language of Vatican City?",
+ "decomposition": [],
+ "answer": "Latin, Italian",
+ "depends_on": [
+ "e149c8c9cc956253"
+ ],
+ "evidence": {
+ "pageid": 32408,
+ "revid": 1185856010,
+ "title": "Vatican City",
+ "url": "https://en.wikipedia.org/wiki/Vatican_City"
+ }
+ },
+ {
+ "id": "33d745cd4ef68c23",
+ "question": "What is the official language of Monaco?",
+ "decomposition": [],
+ "answer": "French",
+ "depends_on": [
+ "e149c8c9cc956253"
+ ],
+ "evidence": {
+ "pageid": 19261,
+ "revid": 1185166076,
+ "title": "Monaco",
+ "url": "https://en.wikipedia.org/wiki/Monaco"
+ }
+ },
+ {
+ "id": "59db65f6a8fdede1",
+ "question": "What is the official language of San Marino?",
+ "decomposition": [],
+ "answer": "Italian",
+ "depends_on": [
+ "e149c8c9cc956253"
+ ],
+ "evidence": {
+ "pageid": 27248,
+ "revid": 1185708137,
+ "title": "San Marino",
+ "url": "https://en.wikipedia.org/wiki/San_Marino"
+ }
+ },
+ {
+ "id": "ec9b1a3e94fe3cd1",
+ "question": "What is the official language of Liechtenstein?",
+ "decomposition": [],
+ "answer": "German",
+ "depends_on": [
+ "e149c8c9cc956253"
+ ],
+ "evidence": {
+ "pageid": 17810,
+ "revid": 1185735722,
+ "title": "Liechtenstein",
+ "url": "https://en.wikipedia.org/wiki/Liechtenstein"
+ }
+ },
+ {
+ "id": "0a610541dc4f7a58",
+ "question": "What is the official language of Malta?",
+ "decomposition": [],
+ "answer": "Maltese, English",
+ "depends_on": [
+ "e149c8c9cc956253"
+ ],
+ "evidence": {
+ "pageid": 19137,
+ "revid": 1185501415,
+ "title": "Malta",
+ "url": "https://en.wikipedia.org/wiki/Malta"
+ }
+ }
+ ],
+ "answer": {
+ "Vatican City": "Latin, Italian",
+ "Monaco": "French",
+ "San Marino": "Italian",
+ "Liechtenstein": "German",
+ "Malta": "Maltese, English"
+ },
+ "categories": [
+ "Linguistics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "07381c55a61df50a",
+ "question": "Who are the five cast members with the longest tenures on Saturday Night Live (SNL), and what are their respective birth years?",
+ "decomposition": [
+ {
+ "id": "6e9c5a850bc4b385",
+ "question": "Who are the longest cast members on Saturday Night Live (SNL)?",
+ "decomposition": [],
+ "answer": [
+ "Kenan Thompson",
+ "Darrell Hammond",
+ "Seth Meyers",
+ "Fred Armisen",
+ "Al Franken"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 658665,
+ "revid": 1185929663,
+ "title": "List of Saturday Night Live cast members",
+ "url": "https://en.wikipedia.org/wiki/List_of_Saturday_Night_Live_cast_members"
+ }
+ },
+ {
+ "id": "a2d5ff38e4086c02",
+ "question": "In what year was Kenan Thompson born?",
+ "decomposition": [],
+ "answer": 1978,
+ "depends_on": [
+ "6e9c5a850bc4b385"
+ ],
+ "evidence": {
+ "pageid": 663679,
+ "revid": 1185736181,
+ "title": "Kenan Thompson",
+ "url": "https://en.wikipedia.org/wiki/Kenan_Thompson"
+ }
+ },
+ {
+ "id": "b4e54b94a53c1301",
+ "question": "In what year was Darrell Hammond born?",
+ "decomposition": [],
+ "answer": 1955,
+ "depends_on": [
+ "6e9c5a850bc4b385"
+ ],
+ "evidence": {
+ "pageid": 495806,
+ "revid": 1185829534,
+ "title": "Darrell Hammond",
+ "url": "https://en.wikipedia.org/wiki/Darrell_Hammond"
+ }
+ },
+ {
+ "id": "0f60b3b499bd967d",
+ "question": "In what year was Seth Meyers born?",
+ "decomposition": [],
+ "answer": 1973,
+ "depends_on": [
+ "6e9c5a850bc4b385"
+ ],
+ "evidence": {
+ "pageid": 1588924,
+ "revid": 1185794487,
+ "title": "Seth Meyers",
+ "url": "https://en.wikipedia.org/wiki/Seth_Meyers"
+ }
+ },
+ {
+ "id": "ae2ccb94f6f50fdf",
+ "question": "In what year was Fred Armisen born?",
+ "decomposition": [],
+ "answer": 1966,
+ "depends_on": [
+ "6e9c5a850bc4b385"
+ ],
+ "evidence": {
+ "pageid": 1778172,
+ "revid": 1185118641,
+ "title": "Fred Armisen",
+ "url": "https://en.wikipedia.org/wiki/Fred_Armisen"
+ }
+ },
+ {
+ "id": "aa5ecd06fd2dfb26",
+ "question": "In what year was Al Franken born?",
+ "decomposition": [],
+ "answer": 1951,
+ "depends_on": [
+ "6e9c5a850bc4b385"
+ ],
+ "evidence": {
+ "pageid": 251879,
+ "revid": 1185495404,
+ "title": "Al Franken",
+ "url": "https://en.wikipedia.org/wiki/Al_Franken"
+ }
+ }
+ ],
+ "answer": {
+ "Kenan Thompson": 1978,
+ "Darrell Hammond": 1955,
+ "Seth Meyers": 1973,
+ "Fred Armisen": 1966,
+ "Al Franken": 1951
+ },
+ "categories": [
+ "History",
+ "Television",
+ "Entertainment"
+ ]
+ },
+ {
+ "id": "c70f85b1315be7ed",
+ "question": "Among the Ivy League universities, which four have the lowest endowments and how many Nobel laureates do each of them have?",
+ "decomposition": [
+ {
+ "id": "96623a4bae3fb7e1",
+ "question": "Which 4 Ivy League universities have the lowest endowment?",
+ "decomposition": [],
+ "answer": [
+ "Brown University",
+ "Dartmouth College",
+ "Cornell University",
+ "Columbia University"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14975,
+ "revid": 1185923896,
+ "title": "Ivy League",
+ "url": "https://en.wikipedia.org/wiki/Ivy_League"
+ }
+ },
+ {
+ "id": "f1b8f3048838ecb6",
+ "question": "How many Nobel laureates does Brown University have?",
+ "decomposition": [],
+ "answer": 11,
+ "depends_on": [
+ "96623a4bae3fb7e1"
+ ],
+ "evidence": {
+ "pageid": 4157,
+ "revid": 1185769999,
+ "title": "Brown University",
+ "url": "https://en.wikipedia.org/wiki/Brown_University"
+ }
+ },
+ {
+ "id": "6a1157654b7b4ac0",
+ "question": "How many Nobel laureates does Dartmouth College have?",
+ "decomposition": [],
+ "answer": 3,
+ "depends_on": [
+ "96623a4bae3fb7e1"
+ ],
+ "evidence": {
+ "pageid": 8418,
+ "revid": 1185637041,
+ "title": "Dartmouth College",
+ "url": "https://en.wikipedia.org/wiki/Dartmouth_College"
+ }
+ },
+ {
+ "id": "49474d2dc9e04bf5",
+ "question": "How many Nobel laureates does Cornell University have?",
+ "decomposition": [],
+ "answer": 62,
+ "depends_on": [
+ "96623a4bae3fb7e1"
+ ],
+ "evidence": {
+ "pageid": 7954422,
+ "revid": 1185934071,
+ "title": "Cornell University",
+ "url": "https://en.wikipedia.org/wiki/Cornell_University"
+ }
+ },
+ {
+ "id": "45ee14bd472be605",
+ "question": "How many Nobel laureates does Columbia University have?",
+ "decomposition": [],
+ "answer": 103,
+ "depends_on": [
+ "96623a4bae3fb7e1"
+ ],
+ "evidence": {
+ "pageid": 6310,
+ "revid": 1185631345,
+ "title": "Columbia University",
+ "url": "https://en.wikipedia.org/wiki/Columbia_University"
+ }
+ }
+ ],
+ "answer": {
+ "Brown University": 11,
+ "Dartmouth College": 3,
+ "Cornell University": 62,
+ "Columbia University": 103
+ },
+ "categories": [
+ "Education",
+ "Finance"
+ ]
+ },
+ {
+ "id": "0d90e4035372e84d",
+ "question": "Who won the most MVPs among the top 5 scorers in the NBA?",
+ "decomposition": [
+ {
+ "id": "0fd7af8989ee487d",
+ "question": "Who are the top-5 scorer in NBA",
+ "decomposition": [],
+ "answer": [
+ "LeBron James",
+ "Kareem Abdul-Jabbar",
+ "Karl Malone",
+ "Kobe Bryant",
+ "Michael Jordan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 8588996,
+ "revid": 1185862434,
+ "title": "List of National Basketball Association career scoring leaders",
+ "url": "https://en.wikipedia.org/wiki/List_of_National_Basketball_Association_career_scoring_leaders"
+ }
+ },
+ {
+ "id": "8550391a73c384d8",
+ "question": "How many MVP awards has LeBron James won?",
+ "decomposition": [],
+ "answer": 4,
+ "depends_on": [
+ "0fd7af8989ee487d"
+ ],
+ "evidence": {
+ "pageid": 240940,
+ "revid": 1185865019,
+ "title": "LeBron James",
+ "url": "https://en.wikipedia.org/wiki/LeBron_James"
+ }
+ },
+ {
+ "id": "9e5429b4c51ab714",
+ "question": "How many MVP awards has Kareem Abdul-Jabbar won?",
+ "decomposition": [],
+ "answer": 6,
+ "depends_on": [
+ "0fd7af8989ee487d"
+ ],
+ "evidence": {
+ "pageid": 16899,
+ "revid": 1184915231,
+ "title": "Kareem Abdul-Jabbar",
+ "url": "https://en.wikipedia.org/wiki/Kareem_Abdul-Jabbar"
+ }
+ },
+ {
+ "id": "eecd4182adebd9d4",
+ "question": "How many MVP awards has Karl Malone won?",
+ "decomposition": [],
+ "answer": 2,
+ "depends_on": [
+ "0fd7af8989ee487d"
+ ],
+ "evidence": {
+ "pageid": 459304,
+ "revid": 1185780810,
+ "title": "Karl Malone",
+ "url": "https://en.wikipedia.org/wiki/Karl_Malone"
+ }
+ },
+ {
+ "id": "56daba2facec0270",
+ "question": "How many MVP awards has Kobe Bryant won?",
+ "decomposition": [],
+ "answer": 1,
+ "depends_on": [
+ "0fd7af8989ee487d"
+ ],
+ "evidence": {
+ "pageid": 246185,
+ "revid": 1185935223,
+ "title": "Kobe Bryant",
+ "url": "https://en.wikipedia.org/wiki/Kobe_Bryant"
+ }
+ },
+ {
+ "id": "f0a194ad76abb9ea",
+ "question": "How many MVP awards has Michael Jordan won?",
+ "decomposition": [],
+ "answer": 5,
+ "depends_on": [
+ "0fd7af8989ee487d"
+ ],
+ "evidence": {
+ "pageid": 20455,
+ "revid": 1185780376,
+ "title": "Michael Jordan",
+ "url": "https://en.wikipedia.org/wiki/Michael_Jordan"
+ }
+ }
+ ],
+ "answer": "Kareem Abdul-Jabbar",
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "d098623a8b75ec0a",
+ "question": "Who are the lead vocalists for the five bands with the most album sales in rock history?",
+ "decomposition": [
+ {
+ "id": "afd7c2aeac11b7d4",
+ "question": "Which are the five bands with the most album sales in rock history?",
+ "decomposition": [],
+ "answer": [
+ "The Beatles",
+ "Led Zeppelin",
+ "Pink Floyd",
+ "Eagles",
+ "Queen"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1291598,
+ "revid": 1185710004,
+ "title": "List of best-selling music artists",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_music_artists"
+ }
+ },
+ {
+ "id": "272bbf2309c6cc9a",
+ "question": "Who is the lead vocalist of The Beatles?",
+ "decomposition": [],
+ "answer": "John Lennon and Paul McCartney",
+ "depends_on": [
+ "afd7c2aeac11b7d4"
+ ],
+ "evidence": {
+ "pageid": 29812,
+ "revid": 1185888175,
+ "title": "The Beatles",
+ "url": "https://en.wikipedia.org/wiki/The_Beatles"
+ }
+ },
+ {
+ "id": "05586522e421498f",
+ "question": "Who is the lead vocalist of Led Zeppelin?",
+ "decomposition": [],
+ "answer": "Robert Plant",
+ "depends_on": [
+ "afd7c2aeac11b7d4"
+ ],
+ "evidence": {
+ "pageid": 17909,
+ "revid": 1185378109,
+ "title": "Led Zeppelin",
+ "url": "https://en.wikipedia.org/wiki/Led_Zeppelin"
+ }
+ },
+ {
+ "id": "f1c26c5205f8bfd7",
+ "question": "Who is the lead vocalist of Pink Floyd?",
+ "decomposition": [],
+ "answer": "Syd Barrett, David Gilmour, and Roger Waters",
+ "depends_on": [
+ "afd7c2aeac11b7d4"
+ ],
+ "evidence": {
+ "pageid": 5079506,
+ "revid": 1185727274,
+ "title": "Pink Floyd",
+ "url": "https://en.wikipedia.org/wiki/Pink_Floyd"
+ }
+ },
+ {
+ "id": "865ae2836d56c582",
+ "question": "Who is the lead vocalist of Eagles?",
+ "decomposition": [],
+ "answer": "Don Henley and Glenn Frey",
+ "depends_on": [
+ "afd7c2aeac11b7d4"
+ ],
+ "evidence": {
+ "pageid": 90785,
+ "revid": 1185085718,
+ "title": "Eagles (band)",
+ "url": "https://en.wikipedia.org/wiki/Eagles_(band)"
+ }
+ },
+ {
+ "id": "f9b173263cf1e3c8",
+ "question": "Who is the lead vocalist of Queen?",
+ "decomposition": [],
+ "answer": "Freddie Mercury",
+ "depends_on": [
+ "afd7c2aeac11b7d4"
+ ],
+ "evidence": {
+ "pageid": 42010,
+ "revid": 1185439506,
+ "title": "Queen (band)",
+ "url": "https://en.wikipedia.org/wiki/Queen_(band)"
+ }
+ }
+ ],
+ "answer": {
+ "The Beatles": "John Lennon and Paul McCartney",
+ "Led Zeppelin": "Robert Plant",
+ "Pink Floyd": "Syd Barrett, David Gilmour, and Roger Waters",
+ "Eagles": "Don Henley and Glenn Frey",
+ "Queen": "Freddie Mercury"
+ },
+ "categories": [
+ "Music"
+ ]
+ },
+ {
+ "id": "9079b63f36e57692",
+ "question": "Identify the architects of five historical landmarks: the Eiffel Tower, the Sydney Opera House, the Taj Mahal, the Empire State Building, and the Parthenon.",
+ "decomposition": [
+ {
+ "id": "60f715ff00d680a7",
+ "question": "Who were the architects of the Eiffel Tower?",
+ "decomposition": [],
+ "answer": "Gustave Eiffel",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9232,
+ "revid": 1185927390,
+ "title": "Eiffel Tower",
+ "url": "https://en.wikipedia.org/wiki/Eiffel_Tower"
+ }
+ },
+ {
+ "id": "7df2b33c75cf89d7",
+ "question": "Who were the architects of the Sydney Opera House?",
+ "decomposition": [],
+ "answer": "J\u00f8rn Utzon",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 28222,
+ "revid": 1185715833,
+ "title": "Sydney Opera House",
+ "url": "https://en.wikipedia.org/wiki/Sydney_Opera_House"
+ }
+ },
+ {
+ "id": "4c317cc08772ab20",
+ "question": "Who were the architects of the Taj Mahal?",
+ "decomposition": [],
+ "answer": "Ustad Ahmad Lahouri",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 82976,
+ "revid": 1177816817,
+ "title": "Taj Mahal",
+ "url": "https://en.wikipedia.org/wiki/Taj_Mahal"
+ }
+ },
+ {
+ "id": "b82ab10f4a9b9f81",
+ "question": "Who were the architects of the Empire State Building?",
+ "decomposition": [],
+ "answer": "Shreve, Lamb and Harmon",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9736,
+ "revid": 1184452063,
+ "title": "Empire State Building",
+ "url": "https://en.wikipedia.org/wiki/Empire_State_Building"
+ }
+ },
+ {
+ "id": "d9ae160dace25146",
+ "question": "Who were the architects of the Parthenon?",
+ "decomposition": [],
+ "answer": "Ictinus and Callicrates",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 23672,
+ "revid": 1185819275,
+ "title": "Parthenon",
+ "url": "https://en.wikipedia.org/wiki/Parthenon"
+ }
+ }
+ ],
+ "answer": {
+ "Eiffel Tower": "Gustave Eiffel",
+ "Sydney Opera House": "J\u00f8rn Utzon",
+ "Taj Mahal": "Ustad Ahmad Lahouri",
+ "Empire State Building": "Shreve, Lamb and Harmon",
+ "Parthenon": "Ictinus and Callicrates"
+ },
+ "categories": [
+ "Architecture",
+ "History"
+ ]
+ },
+ {
+ "id": "60dfc43f12d6c0ae",
+ "question": "What record labels were the top 5 highest selling digital singles of all time released on?",
+ "decomposition": [
+ {
+ "id": "a75547f2e4aba61a",
+ "question": "What are the top 5 highest selling digital singles of all time?",
+ "decomposition": [],
+ "answer": [
+ "Spotlight",
+ "Shape of You",
+ "Despacito",
+ "Work",
+ "Something Just Like This"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7577577,
+ "revid": 1180808645,
+ "title": "List of best-selling singles",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_singles#15_million_digital_copies_or_more"
+ }
+ },
+ {
+ "id": "3c43389139534ffa",
+ "question": "What label was Spotlight released on?",
+ "decomposition": [],
+ "answer": "NSM Music",
+ "depends_on": [
+ "a75547f2e4aba61a"
+ ],
+ "evidence": {
+ "pageid": 71574895,
+ "revid": 1177813328,
+ "title": "Spotlight (Xiao Zhan song)",
+ "url": "https://en.wikipedia.org/wiki/Spotlight_(Xiao_Zhan_song)"
+ }
+ },
+ {
+ "id": "975146243d9c1ee4",
+ "question": "What label was Shape of You released on?",
+ "decomposition": [],
+ "answer": "Asylum",
+ "depends_on": [
+ "a75547f2e4aba61a"
+ ],
+ "evidence": {
+ "pageid": 52788441,
+ "revid": 1184525445,
+ "title": "Shape of You",
+ "url": "https://en.wikipedia.org/wiki/Shape_of_You"
+ }
+ },
+ {
+ "id": "5a8b82e48158a879",
+ "question": "What label was Despacito released on?",
+ "decomposition": [],
+ "answer": "Universal Latin",
+ "depends_on": [
+ "a75547f2e4aba61a"
+ ],
+ "evidence": {
+ "pageid": 53059831,
+ "revid": 1185595916,
+ "title": "Despacito",
+ "url": "https://en.wikipedia.org/wiki/Despacito"
+ }
+ },
+ {
+ "id": "e8e538bfd150a4b7",
+ "question": "What label was Work released on?",
+ "decomposition": [],
+ "answer": "Roc Nation",
+ "depends_on": [
+ "a75547f2e4aba61a"
+ ],
+ "evidence": {
+ "pageid": 49059922,
+ "revid": 1183617459,
+ "title": "Work (Rihanna song)",
+ "url": "https://en.wikipedia.org/wiki/Work_(Rihanna_song)"
+ }
+ },
+ {
+ "id": "a42fc8db7c4743e3",
+ "question": "What label was Something Just Like This released on?",
+ "decomposition": [],
+ "answer": "Disruptor",
+ "depends_on": [
+ "a75547f2e4aba61a"
+ ],
+ "evidence": {
+ "pageid": 53272306,
+ "revid": 1183182853,
+ "title": "Something Just Like This",
+ "url": "https://en.wikipedia.org/wiki/Something_Just_Like_This"
+ }
+ }
+ ],
+ "answer": {
+ "Spotlight": "NSM Music",
+ "Shape of You": "Asylum",
+ "Despacito": "Universal Latin",
+ "Work": "Roc Nation",
+ "Something Just Like This": "Disruptor"
+ },
+ "categories": [
+ "Music"
+ ]
+ },
+ {
+ "id": "325c089ef7ff9585",
+ "question": "Who are the top four female CEOs in the current Fortune 500 companies, ranked by the Fortune 500 list, and which colleges did they attend for their undergraduate studies?",
+ "decomposition": [
+ {
+ "id": "558d74657a3d98c8",
+ "question": "Who are the top four female CEOs in the current Fortune 500 companies, ranked by the Fortune 500 list?",
+ "decomposition": [],
+ "answer": [
+ "Karen S. Lynch",
+ "Roz Brewer",
+ "Gail K. Boudreaux",
+ "Mary T. Barra"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 23373935,
+ "revid": 1175994743,
+ "title": "List of women CEOs of Fortune 500 companies",
+ "url": "https://en.wikipedia.org/wiki/List_of_women_CEOs_of_Fortune_500_companies"
+ }
+ },
+ {
+ "id": "e42f7fafaf301929",
+ "question": "Which colleges did Karen S. Lynch attend for her undergraduate studies?",
+ "decomposition": [],
+ "answer": "Boston College",
+ "depends_on": [
+ "558d74657a3d98c8"
+ ],
+ "evidence": {
+ "pageid": 67162804,
+ "revid": 1173685103,
+ "title": "Karen S. Lynch",
+ "url": "https://en.wikipedia.org/wiki/Karen_S._Lynch"
+ }
+ },
+ {
+ "id": "2be7ad3f986fc68a",
+ "question": "Which colleges did Roz Brewer attend for her undergraduate studies?",
+ "decomposition": [],
+ "answer": "Spelman College",
+ "depends_on": [
+ "558d74657a3d98c8"
+ ],
+ "evidence": {
+ "pageid": 36811516,
+ "revid": 1177461335,
+ "title": "Rosalind Brewer",
+ "url": "https://en.wikipedia.org/wiki/Rosalind_Brewer"
+ }
+ },
+ {
+ "id": "92b167c0a6a0c2ab",
+ "question": "Which colleges did Gail K. Boudreaux attend for her undergraduate studies?",
+ "decomposition": [],
+ "answer": "Dartmouth College",
+ "depends_on": [
+ "558d74657a3d98c8"
+ ],
+ "evidence": {
+ "pageid": 18027335,
+ "revid": 1179097561,
+ "title": "Gail Koziara Boudreaux",
+ "url": "https://en.wikipedia.org/wiki/Gail_Koziara_Boudreaux"
+ }
+ },
+ {
+ "id": "2e7f0a33ff8f4ea8",
+ "question": "Which colleges did Mary T. Barra attend for her undergraduate studies?",
+ "decomposition": [],
+ "answer": "Kettering University",
+ "depends_on": [
+ "558d74657a3d98c8"
+ ],
+ "evidence": {
+ "pageid": 36811753,
+ "revid": 1182387949,
+ "title": "Mary Barra",
+ "url": "https://en.wikipedia.org/wiki/Mary_Barra"
+ }
+ }
+ ],
+ "answer": {
+ "Karen S. Lynch": "Boston College",
+ "Roz Brewer": "Spelman College",
+ "Gail K. Boudreaux": "Dartmouth College",
+ "Mary T. Barra": "Kettering University"
+ },
+ "categories": [
+ "Education",
+ "Women's Studies",
+ "Business"
+ ]
+ },
+ {
+ "id": "6434b8553746f174",
+ "question": "What are the native languages of the current prime ministers of the five smallest countries by land area?",
+ "decomposition": [
+ {
+ "id": "7a29a03ca89dc642",
+ "question": "What are the five smallest countries by land area?",
+ "decomposition": [],
+ "answer": [
+ "Vatican City",
+ "Monaco",
+ "Nauru",
+ "Tuvalu",
+ "San Marino"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3989609,
+ "revid": 1185612973,
+ "title": "List of countries and dependencies by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_and_dependencies_by_area"
+ }
+ },
+ {
+ "id": "5b7d3cbdf2da4c5e",
+ "question": "What is the native language of the current prime minister of Vatican City?",
+ "decomposition": [],
+ "answer": "Spanish",
+ "depends_on": [
+ "7a29a03ca89dc642"
+ ],
+ "evidence": {
+ "pageid": 1687680,
+ "revid": 1185691813,
+ "title": "Pope Francis",
+ "url": "https://en.wikipedia.org/wiki/Pope_Francis"
+ }
+ },
+ {
+ "id": "645112a0852455ee",
+ "question": "What is the native language of the current prime minister of Monaco?",
+ "decomposition": [],
+ "answer": "French",
+ "depends_on": [
+ "7a29a03ca89dc642"
+ ],
+ "evidence": {
+ "pageid": 19265,
+ "revid": 1184676476,
+ "title": "Politics of Monaco",
+ "url": "https://en.wikipedia.org/wiki/Politics_of_Monaco"
+ }
+ },
+ {
+ "id": "2b99e8c0e40b25d8",
+ "question": "What is the native language of the current prime minister of Nauru?",
+ "decomposition": [],
+ "answer": "Nauruan",
+ "depends_on": [
+ "7a29a03ca89dc642"
+ ],
+ "evidence": {
+ "pageid": 21306,
+ "revid": 1184329188,
+ "title": "Politics of Nauru",
+ "url": "https://en.wikipedia.org/wiki/Politics_of_Nauru"
+ }
+ },
+ {
+ "id": "60d493b92d1efeac",
+ "question": "What is the native language of the current prime minister of Tuvalu?",
+ "decomposition": [],
+ "answer": "Tuvaluan",
+ "depends_on": [
+ "7a29a03ca89dc642"
+ ],
+ "evidence": {
+ "pageid": 84018,
+ "revid": 1180885765,
+ "title": "Politics of Tuvalu",
+ "url": "https://en.wikipedia.org/wiki/Politics_of_Tuvalu"
+ }
+ },
+ {
+ "id": "6aa631d1ea5b0649",
+ "question": "What is the native language of the current prime minister of San Marino?",
+ "decomposition": [],
+ "answer": "Italian",
+ "depends_on": [
+ "7a29a03ca89dc642"
+ ],
+ "evidence": {
+ "pageid": 27252,
+ "revid": 1145005481,
+ "title": "Politics of San Marino",
+ "url": "https://en.wikipedia.org/wiki/Politics_of_San_Marino"
+ }
+ }
+ ],
+ "answer": {
+ "Vatican City": "Spanish",
+ "Monaco": "French",
+ "Nauru": "Nauruan",
+ "Tuvalu": "Tuvaluan",
+ "San Marino": "Italian"
+ },
+ "categories": [
+ "Linguistics",
+ "Political Science",
+ "Geography"
+ ]
+ },
+ {
+ "id": "dabeedf8fc8758ee",
+ "question": "What is the population of the top five countries with the most Nobel laureates?",
+ "decomposition": [
+ {
+ "id": "335789bc497447db",
+ "question": "What are the top five nations with the most Nobel laureates?",
+ "decomposition": [],
+ "answer": [
+ "United States",
+ "United Kingdom",
+ "Germany",
+ "France",
+ "Sweden"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1811842,
+ "revid": 1184551063,
+ "title": "List of Nobel laureates by country",
+ "url": "https://en.wikipedia.org/wiki/List_of_Nobel_laureates_by_country"
+ }
+ },
+ {
+ "id": "8d1835b38a670ead",
+ "question": "What is the population of United States?",
+ "decomposition": [],
+ "answer": "331,449,281",
+ "depends_on": [
+ "335789bc497447db"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States#Demographics"
+ }
+ },
+ {
+ "id": "094cd11f1436f498",
+ "question": "What is the population of United Kingdom?",
+ "decomposition": [],
+ "answer": "63,181,775",
+ "depends_on": [
+ "335789bc497447db"
+ ],
+ "evidence": {
+ "pageid": 31717,
+ "revid": 1185578678,
+ "title": "United Kingdom",
+ "url": "https://en.wikipedia.org/wiki/United_Kingdom#Demographics"
+ }
+ },
+ {
+ "id": "64edbdf492b43a5f",
+ "question": "What is the population of Germany?",
+ "decomposition": [],
+ "answer": "83.7 million",
+ "depends_on": [
+ "335789bc497447db"
+ ],
+ "evidence": {
+ "pageid": 11867,
+ "revid": 1185869364,
+ "title": "Germany",
+ "url": "https://en.wikipedia.org/wiki/Germany#Demographics"
+ }
+ },
+ {
+ "id": "09a2414ae1356b39",
+ "question": "What is the population of France?",
+ "decomposition": [],
+ "answer": "68,042,591",
+ "depends_on": [
+ "335789bc497447db"
+ ],
+ "evidence": {
+ "pageid": 5843419,
+ "revid": 1185856656,
+ "title": "France",
+ "url": "https://en.wikipedia.org/wiki/France#Demographics"
+ }
+ },
+ {
+ "id": "76c7aa67f3c7457a",
+ "question": "What is the population of Sweden?",
+ "decomposition": [],
+ "answer": "10,377,781",
+ "depends_on": [
+ "335789bc497447db"
+ ],
+ "evidence": {
+ "pageid": 5058739,
+ "revid": 1184591766,
+ "title": "Sweden",
+ "url": "https://en.wikipedia.org/wiki/Sweden#Demographics"
+ }
+ }
+ ],
+ "answer": {
+ "United States": "331,449,281",
+ "United Kingdom": "63,181,775",
+ "Germany": "83.7 million",
+ "France": "68,042,591",
+ "Sweden": "10,377,781"
+ },
+ "categories": [
+ "History",
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "870881b3ef7e2866",
+ "question": "Who were the directors of movies that grossed over $700 million in 2023, and when did they direct their first movie? (Sort the directors from the one who directed their first movie earliest to the most recent.)",
+ "decomposition": [
+ {
+ "id": "9a8925692384fa6c",
+ "question": "What films released in 2023 made more than $700 million?",
+ "decomposition": [],
+ "answer": [
+ "Barbie",
+ "The Super Mario Bros. Movie",
+ "Oppenheimer",
+ "Guardians of the Galaxy Vol. 3",
+ "Fast X"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 62436008,
+ "revid": 1185942695,
+ "title": "2023 in film",
+ "url": "https://en.wikipedia.org/wiki/2023_in_film"
+ }
+ },
+ {
+ "id": "2ed1778ac276b17d",
+ "question": "Who was the director of Barbie and when did they make their first movie?",
+ "decomposition": [
+ {
+ "id": "c4a12ebd52bd262f",
+ "question": "Who was the director of Barbie?",
+ "decomposition": [],
+ "answer": [
+ "Greta Gerwig"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69091250,
+ "revid": 1185737008,
+ "title": "Barbie (film)",
+ "url": "https://en.wikipedia.org/wiki/Barbie_(film)"
+ }
+ },
+ {
+ "id": "b45f16a5bcd7fd2a",
+ "question": "When did Greta Gerwig direct her first movie?",
+ "decomposition": [],
+ "answer": 2008,
+ "depends_on": [
+ "c4a12ebd52bd262f"
+ ],
+ "evidence": {
+ "pageid": 26572102,
+ "revid": 1185294036,
+ "title": "Greta Gerwig",
+ "url": "https://en.wikipedia.org/wiki/Greta_Gerwig"
+ }
+ }
+ ],
+ "answer": {
+ "Greta Gerwig": 2008
+ },
+ "depends_on": [
+ "9a8925692384fa6c"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "f2913560350ad9dc",
+ "question": "Who was the director of The Super Mario Bros. Movie and when did they make their first movie?",
+ "decomposition": [
+ {
+ "id": "d77f665477a428c6",
+ "question": "Who was the director of The Super Mario Bros. Movie?",
+ "decomposition": [],
+ "answer": [
+ "Aaron Horvath"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 68803319,
+ "revid": 1185889837,
+ "title": "The Super Mario Bros. Movie",
+ "url": "https://en.wikipedia.org/wiki/The_Super_Mario_Bros._Movie"
+ }
+ },
+ {
+ "id": "a91bde86cb98cb11",
+ "question": "When did Aaron Horvath direct his first movie?",
+ "decomposition": [],
+ "answer": 2018,
+ "depends_on": [
+ "d77f665477a428c6"
+ ],
+ "evidence": {
+ "pageid": 56336020,
+ "revid": 1185868522,
+ "title": "Aaron Horvath",
+ "url": "https://en.wikipedia.org/wiki/Aaron_Horvath"
+ }
+ }
+ ],
+ "answer": {
+ "Aaron Horvath": 2018
+ },
+ "depends_on": [
+ "9a8925692384fa6c"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "bd75541a9948009e",
+ "question": "Who was the director of Oppenheimer and when did they make their first movie?",
+ "decomposition": [
+ {
+ "id": "98d2a3f429e44761",
+ "question": "Who was the director of Oppenheimer?",
+ "decomposition": [],
+ "answer": [
+ "Christopher Nolan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 66850554,
+ "revid": 1185751351,
+ "title": "Oppenheimer (film)",
+ "url": "https://en.wikipedia.org/wiki/Oppenheimer_(film)"
+ }
+ },
+ {
+ "id": "fedccaf090409a5c",
+ "question": "When did Christopher Nolan direct his first movie?",
+ "decomposition": [],
+ "answer": 1998,
+ "depends_on": [
+ "98d2a3f429e44761"
+ ],
+ "evidence": {
+ "pageid": 56794284,
+ "revid": 1180953100,
+ "title": "Christopher Nolan filmography",
+ "url": "https://en.wikipedia.org/wiki/Christopher_Nolan_filmography"
+ }
+ }
+ ],
+ "answer": {
+ "Christopher Nolan": 1998
+ },
+ "depends_on": [
+ "9a8925692384fa6c"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "974e95a3ed8c1bf6",
+ "question": "Who was the director of Guardians of the Galaxy Vol. 3 and when did they make their first movie?",
+ "decomposition": [
+ {
+ "id": "9907a4a8c623f766",
+ "question": "Who was the director of Guardians of the Galaxy Vol. 3?",
+ "decomposition": [],
+ "answer": [
+ "James Gunn"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 51126744,
+ "revid": 1185722683,
+ "title": "Guardians of the Galaxy Vol. 3",
+ "url": "https://en.wikipedia.org/wiki/Guardians_of_the_Galaxy_Vol._3"
+ }
+ },
+ {
+ "id": "4cefb498669e9973",
+ "question": "When did James Gunn direct his first movie?",
+ "decomposition": [],
+ "answer": 2006,
+ "depends_on": [
+ "9907a4a8c623f766"
+ ],
+ "evidence": {
+ "pageid": 2144497,
+ "revid": 1185345882,
+ "title": "James Gunn",
+ "url": "https://en.wikipedia.org/wiki/James_Gunn"
+ }
+ }
+ ],
+ "answer": {
+ "James Gunn": 2006
+ },
+ "depends_on": [
+ "9a8925692384fa6c"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "12c8782868755be5",
+ "question": "Who was the director of Fast X and when did they make their first movie?",
+ "decomposition": [
+ {
+ "id": "d205064984fdf459",
+ "question": "Who was the director of Fast X?",
+ "decomposition": [],
+ "answer": [
+ "Louis Leterrier"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 61493667,
+ "revid": 1185053255,
+ "title": "Fast X",
+ "url": "https://en.wikipedia.org/wiki/Fast_X"
+ }
+ },
+ {
+ "id": "b8049f1f1f20952e",
+ "question": "When did Louis Leterrier direct her first movie?",
+ "decomposition": [],
+ "answer": 2005,
+ "depends_on": [
+ "d205064984fdf459"
+ ],
+ "evidence": {
+ "pageid": 1811731,
+ "revid": 1184210218,
+ "title": "Louis Leterrier",
+ "url": "https://en.wikipedia.org/wiki/Louis_Leterrier"
+ }
+ }
+ ],
+ "answer": {
+ "Louis Leterrier": 2005
+ },
+ "depends_on": [
+ "9a8925692384fa6c"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Christopher Nolan": 1998,
+ "Louis Leterrier": 2005,
+ "James Gunn": 2006,
+ "Greta Gerwig": 2008,
+ "Aaron Horvath": 2018
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "dd7d06982ab27248",
+ "question": "What are the countries of birth of the first five Nobel Laureates in Literature?",
+ "decomposition": [
+ {
+ "id": "30d56cf72a838c0c",
+ "question": "Who were the first five Literature Nobel Laureates?",
+ "decomposition": [],
+ "answer": [
+ "Sully Prudhomme",
+ "Theodor Mommsen",
+ "Bj\u00f8rnstjerne Bj\u00f8rnson",
+ "Fr\u00e9d\u00e9ric Mistral",
+ "Jos\u00e9 Echegaray"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1175987,
+ "revid": 1182266628,
+ "title": "List of Nobel laureates",
+ "url": "https://en.wikipedia.org/wiki/List_of_Nobel_laureates#Laureates"
+ }
+ },
+ {
+ "id": "be188e3861877c95",
+ "question": "What is the country of birth of Sully Prudhomme?",
+ "decomposition": [],
+ "answer": "France",
+ "depends_on": [
+ "30d56cf72a838c0c"
+ ],
+ "evidence": {
+ "pageid": 50722,
+ "revid": 1176446597,
+ "title": "Sully Prudhomme",
+ "url": "https://en.wikipedia.org/wiki/Sully_Prudhomme"
+ }
+ },
+ {
+ "id": "57f789f843d47139",
+ "question": "What is the country of birth of Theodor Mommsen?",
+ "decomposition": [],
+ "answer": "Denmark",
+ "depends_on": [
+ "30d56cf72a838c0c"
+ ],
+ "evidence": {
+ "pageid": 85762,
+ "revid": 1185819804,
+ "title": "Theodor Mommsen",
+ "url": "https://en.wikipedia.org/wiki/Theodor_Mommsen"
+ }
+ },
+ {
+ "id": "c147fad78cd332f7",
+ "question": "What is the country of birth of Bj\u00f8rnstjerne Bj\u00f8rnson?",
+ "decomposition": [],
+ "answer": "Norway",
+ "depends_on": [
+ "30d56cf72a838c0c"
+ ],
+ "evidence": {
+ "pageid": 182656,
+ "revid": 1176428384,
+ "title": "Bj\u00f8rnstjerne Bj\u00f8rnson",
+ "url": "https://en.wikipedia.org/wiki/Bj%C3%B8rnstjerne_Bj%C3%B8rnson"
+ }
+ },
+ {
+ "id": "0726a62733501c56",
+ "question": "What is the country of birth of Fr\u00e9d\u00e9ric Mistral?",
+ "decomposition": [],
+ "answer": "France",
+ "depends_on": [
+ "30d56cf72a838c0c"
+ ],
+ "evidence": {
+ "pageid": 7628795,
+ "revid": 1176449309,
+ "title": "Fr\u00e9d\u00e9ric Mistral",
+ "url": "https://en.wikipedia.org/wiki/Fr%C3%A9d%C3%A9ric_Mistral"
+ }
+ },
+ {
+ "id": "9b8fc47b52c7bb25",
+ "question": "What is the country of birth of Jos\u00e9 Echegaray?",
+ "decomposition": [],
+ "answer": "Spain",
+ "depends_on": [
+ "30d56cf72a838c0c"
+ ],
+ "evidence": {
+ "pageid": 236582,
+ "revid": 1176449856,
+ "title": "Jos\u00e9 Echegaray",
+ "url": "https://en.wikipedia.org/wiki/Jos%C3%A9_Echegaray"
+ }
+ }
+ ],
+ "answer": {
+ "Sully Prudhomme": "France",
+ "Theodor Mommsen": "Denmark",
+ "Bj\u00f8rnstjerne Bj\u00f8rnson": "Norway",
+ "Fr\u00e9d\u00e9ric Mistral": "France",
+ "Jos\u00e9 Echegaray": "Spain"
+ },
+ "categories": [
+ "Literature",
+ "History"
+ ]
+ },
+ {
+ "id": "a66e5065c8bfe6c0",
+ "question": "In the last decade, in which year did the fewest California wildfires occur?",
+ "decomposition": [
+ {
+ "id": "2c7784a9fbc29248",
+ "question": "What years are in a past decade?",
+ "decomposition": [],
+ "answer": [
+ "2010",
+ "2011",
+ "2012",
+ "2013",
+ "2014",
+ "2015",
+ "2016",
+ "2017",
+ "2018",
+ "2019"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 695530,
+ "revid": 1178499724,
+ "title": "Decade",
+ "url": "https://en.wikipedia.org/wiki/Decade#:~:text=4%20Notes-,Usage,years%20is%20a%20%22decade%22."
+ }
+ },
+ {
+ "id": "c56015181f89930e",
+ "question": "What is the number of California wildfires that exceeded 1,000 acres in 2010?",
+ "decomposition": [],
+ "answer": 17,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 28206247,
+ "revid": 1182985899,
+ "title": "2010 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2010_California_wildfires"
+ }
+ },
+ {
+ "id": "85494e4cc0438017",
+ "question": "What is the number of California wildfires that exceeded 1,000 acres in 2011?",
+ "decomposition": [],
+ "answer": 24,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 47634859,
+ "revid": 1182985914,
+ "title": "2011 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2011_California_wildfires"
+ }
+ },
+ {
+ "id": "bd5103e6c346477d",
+ "question": "What is the number of California wildfires that exceeded 1,000 acres in 2012?",
+ "decomposition": [],
+ "answer": 43,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 47623505,
+ "revid": 1151003311,
+ "title": "2012 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2012_California_wildfires"
+ }
+ },
+ {
+ "id": "629f06e92a281573",
+ "question": "What is the number of California wildfires that exceeded 1,000 acres in 2013?",
+ "decomposition": [],
+ "answer": 29,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 39321807,
+ "revid": 1182985970,
+ "title": "2013 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2013_California_wildfires"
+ }
+ },
+ {
+ "id": "579fc4bb7e12b87a",
+ "question": "What is the number of California wildfires that exceeded 1,000 acres in 2014?",
+ "decomposition": [],
+ "answer": 37,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 41665399,
+ "revid": 1182986195,
+ "title": "2014 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2014_California_wildfires"
+ }
+ },
+ {
+ "id": "55db380a2280f2e6",
+ "question": "What is the number of California wildfires that exceeded 1,000 acres in 2015?",
+ "decomposition": [],
+ "answer": 23,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 47450388,
+ "revid": 1168995198,
+ "title": "2015 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2015_California_wildfires"
+ }
+ },
+ {
+ "id": "159b61e9d353a74c",
+ "question": "What is the number of California wildfires that exceeded 1,000 acres in 2016?",
+ "decomposition": [],
+ "answer": 33,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 50882797,
+ "revid": 1182986400,
+ "title": "2016 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2016_California_wildfires"
+ }
+ },
+ {
+ "id": "2b4bff93beee1296",
+ "question": "What is the number of California wildfires that exceeded 1,000 acres in 2017?",
+ "decomposition": [],
+ "answer": 61,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 53931534,
+ "revid": 1182986714,
+ "title": "2017 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2017_California_wildfires"
+ }
+ },
+ {
+ "id": "e62c826d56d5e787",
+ "question": "What is the average number of California wildfires that exceeded 1,000 acres in 2018?",
+ "decomposition": [],
+ "answer": 58,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 57651272,
+ "revid": 1185345959,
+ "title": "2018 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2018_California_wildfires"
+ }
+ },
+ {
+ "id": "64d59804dd714e75",
+ "question": "What is the average number of California wildfires that exceeded 1,000 acres in 2019?",
+ "decomposition": [],
+ "answer": 36,
+ "depends_on": [
+ "2c7784a9fbc29248"
+ ],
+ "evidence": {
+ "pageid": 61001833,
+ "revid": 1169058705,
+ "title": "2019 California wildfires",
+ "url": "https://en.wikipedia.org/wiki/2019_California_wildfires"
+ }
+ }
+ ],
+ "answer": {
+ "California wildfires that exceeded 1,000 acres in 2010": 17,
+ "California wildfires that exceeded 1,000 acres in 2011": 24,
+ "California wildfires that exceeded 1,000 acres in 2012": 43,
+ "California wildfires that exceeded 1,000 acres in 2013": 29,
+ "California wildfires that exceeded 1,000 acres in 2014": 37,
+ "California wildfires that exceeded 1,000 acres in 2015": 23,
+ "California wildfires that exceeded 1,000 acres in 2016": 33,
+ "California wildfires that exceeded 1,000 acres in 2017": 61,
+ "California wildfires that exceeded 1,000 acres in 2018": 58,
+ "California wildfires that exceeded 1,000 acres in 2019": 36
+ },
+ "categories": [
+ "Statistics",
+ "Environmental Science"
+ ]
+ },
+ {
+ "id": "1fb9003757829127",
+ "question": "Find the tallest building in the 5 most populous cities in India?",
+ "decomposition": [
+ {
+ "id": "b0864b8bb901960c",
+ "question": "What are the 5 most populous cities in India",
+ "decomposition": [],
+ "answer": [
+ "Mumbai",
+ "Delhi",
+ "Bangalore",
+ "Hyderabad",
+ "Ahmedabad"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 4021386,
+ "revid": 1185450416,
+ "title": "List of cities in India by population",
+ "url": "https://en.wikipedia.org/wiki/List_of_cities_in_India_by_population"
+ }
+ },
+ {
+ "id": "88a3a3b377592e15",
+ "question": "What is the tallest building in Mumbai?",
+ "decomposition": [],
+ "answer": "Palais Royale",
+ "depends_on": [
+ "b0864b8bb901960c"
+ ],
+ "evidence": {
+ "pageid": 18671813,
+ "revid": 1185714953,
+ "title": "List of tallest buildings in Mumbai",
+ "url": "https://en.wikipedia.org/wiki/List_of_tallest_buildings_in_Mumbai"
+ }
+ },
+ {
+ "id": "c47e8adbaf3a3d3c",
+ "question": "What is the tallest building in Delhi?",
+ "decomposition": [],
+ "answer": "Supernova Spira",
+ "depends_on": [
+ "b0864b8bb901960c"
+ ],
+ "evidence": {
+ "pageid": 33345736,
+ "revid": 1185287374,
+ "title": "List of tallest buildings in Delhi NCR",
+ "url": "https://en.wikipedia.org/wiki/List_of_tallest_buildings_in_Delhi_NCR"
+ }
+ },
+ {
+ "id": "56489a0567195c5e",
+ "question": "What is the tallest building in Bangalore?",
+ "decomposition": [],
+ "answer": "CNTC Presidential Building",
+ "depends_on": [
+ "b0864b8bb901960c"
+ ],
+ "evidence": {
+ "pageid": 36235244,
+ "revid": 1183324786,
+ "title": "List of tallest buildings in Bangalore",
+ "url": "https://en.wikipedia.org/wiki/List_of_tallest_buildings_in_Bangalore"
+ }
+ },
+ {
+ "id": "44f7575558e8081d",
+ "question": "What is the tallest building in Hyderabad?",
+ "decomposition": [],
+ "answer": "Lodha Bellezza Tower 4",
+ "depends_on": [
+ "b0864b8bb901960c"
+ ],
+ "evidence": {
+ "pageid": 36491441,
+ "revid": 1184240238,
+ "title": "List of tallest buildings in Hyderabad",
+ "url": "https://en.wikipedia.org/wiki/List_of_tallest_buildings_in_Hyderabad"
+ }
+ },
+ {
+ "id": "8d35d1bbb77d6926",
+ "question": "What is the tallest building in Ahmedabad?",
+ "decomposition": [],
+ "answer": "The 31st",
+ "depends_on": [
+ "b0864b8bb901960c"
+ ],
+ "evidence": {
+ "pageid": 36254468,
+ "revid": 1179724097,
+ "title": "List of tallest buildings in Ahmedabad",
+ "url": "https://en.wikipedia.org/wiki/List_of_tallest_buildings_in_Ahmedabad"
+ }
+ }
+ ],
+ "answer": {
+ "Mumbai": "Palais Royale",
+ "Delhi": "Supernova Spira",
+ "Bangalore": "CNTC Presidential Building",
+ "Hyderabad": "Lodha Bellezza Tower 4",
+ "Ahmedabad": "The 31st"
+ },
+ "categories": [
+ "Architecture",
+ "Geography"
+ ]
+ },
+ {
+ "id": "d001e4f3d27fac66",
+ "question": "What are the official languages of the G7 countries that are not part of the European Union?",
+ "decomposition": [
+ {
+ "id": "ac511ff08c944cb6",
+ "question": "Which countries are G7 countries, except EU?",
+ "decomposition": [],
+ "answer": [
+ "Canada",
+ "France",
+ "Germany",
+ "Italy",
+ "Japan",
+ "United Kindom",
+ "United States"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1196634,
+ "revid": 1185575195,
+ "title": "G7",
+ "url": "https://en.wikipedia.org/wiki/G7"
+ }
+ },
+ {
+ "id": "2e9249a70496ab16",
+ "question": "What are the official languages of Canada?",
+ "decomposition": [],
+ "answer": [
+ "English",
+ "French"
+ ],
+ "depends_on": [
+ "ac511ff08c944cb6"
+ ],
+ "evidence": {
+ "pageid": 5042916,
+ "revid": 1185732441,
+ "title": "Canada",
+ "url": "https://en.wikipedia.org/wiki/Canada"
+ }
+ },
+ {
+ "id": "e16043c1a269e849",
+ "question": "What are the official languages of France?",
+ "decomposition": [],
+ "answer": [
+ "French"
+ ],
+ "depends_on": [
+ "ac511ff08c944cb6"
+ ],
+ "evidence": {
+ "pageid": 5843419,
+ "revid": 1185856656,
+ "title": "France",
+ "url": "https://en.wikipedia.org/wiki/France"
+ }
+ },
+ {
+ "id": "8da18435b20759ab",
+ "question": "What are the official languages of Germany?",
+ "decomposition": [],
+ "answer": [
+ "German"
+ ],
+ "depends_on": [
+ "ac511ff08c944cb6"
+ ],
+ "evidence": {
+ "pageid": 11867,
+ "revid": 1185869364,
+ "title": "Germany",
+ "url": "https://en.wikipedia.org/wiki/Germany"
+ }
+ },
+ {
+ "id": "2f453ca39069bb50",
+ "question": "What are the official languages of Italy?",
+ "decomposition": [],
+ "answer": [
+ "Italian"
+ ],
+ "depends_on": [
+ "ac511ff08c944cb6"
+ ],
+ "evidence": {
+ "pageid": 14532,
+ "revid": 1185928833,
+ "title": "Italy",
+ "url": "https://en.wikipedia.org/wiki/Italy"
+ }
+ },
+ {
+ "id": "fb04f681b164e5c3",
+ "question": "What are the official languages of Japan?",
+ "decomposition": [],
+ "answer": [
+ "Japanese"
+ ],
+ "depends_on": [
+ "ac511ff08c944cb6"
+ ],
+ "evidence": {
+ "pageid": 15573,
+ "revid": 1185720931,
+ "title": "Japan",
+ "url": "https://en.wikipedia.org/wiki/Japan"
+ }
+ },
+ {
+ "id": "14638f6d344fc203",
+ "question": "What are the official languages of United Kingdom?",
+ "decomposition": [],
+ "answer": [
+ "English"
+ ],
+ "depends_on": [
+ "ac511ff08c944cb6"
+ ],
+ "evidence": {
+ "pageid": 31717,
+ "revid": 1185578678,
+ "title": "United Kingdom",
+ "url": "https://en.wikipedia.org/wiki/United_Kingdom"
+ }
+ },
+ {
+ "id": "3b9b90ad67d403bd",
+ "question": "What are the official languages of United States?",
+ "decomposition": [],
+ "answer": [
+ "English"
+ ],
+ "depends_on": [
+ "ac511ff08c944cb6"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ }
+ ],
+ "answer": [
+ "English",
+ "French",
+ "German",
+ "Italian",
+ "Japanese"
+ ],
+ "categories": [
+ "Politics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "7c6edfe35e844a5d",
+ "question": "Which actors playing characters in the Fellowship of the Ring in the 'Lord of the Rings' film trilogy have been nominated for an academy award?",
+ "decomposition": [
+ {
+ "id": "22d8a9ad8204d440",
+ "question": "Which characters are a part of the Fellowship of the Ring?",
+ "decomposition": [],
+ "answer": [
+ "Frodo Baggins",
+ "Samwise Gamgee",
+ "Merry Brandybuck",
+ "Pippin Took",
+ "Gandalf",
+ "Aragorn",
+ "Boromir",
+ "Legolas",
+ "Gimli"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 27472888,
+ "revid": 1185932767,
+ "title": "The Fellowship of the Ring",
+ "url": "https://en.wikipedia.org/wiki/The_Fellowship_of_the_Ring"
+ }
+ },
+ {
+ "id": "804c721dcac9ddb3",
+ "question": "Which actors playing one of Frodo Baggins, Samwise Gamgee, Merry Brandybuck, Pippin Took, Gandalf, Aragorn, Boromir, Legolas, or Gimli have been nominated for an academy award?",
+ "decomposition": [
+ {
+ "id": "904bc1d013e99214",
+ "question": "Who are the actors playing one of these characters?",
+ "decomposition": [],
+ "answer": [
+ "Elijah Wood",
+ "Viggo Mortensen",
+ "Sean Bean",
+ "Dominic Monaghan",
+ "Sean Astin",
+ "Ian McKellen",
+ "John Rhys-Davies",
+ "Orlando Bloom",
+ "Billy Boyd"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 414113,
+ "revid": 1185614694,
+ "title": "The Lord of the Rings (film series)",
+ "url": "https://en.wikipedia.org/wiki/The_Lord_of_the_Rings_(film_series)"
+ }
+ },
+ {
+ "id": "fc7066614c3aad28",
+ "question": "Has Elijah Wood been nominated for an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 74480250,
+ "revid": 1169564786,
+ "title": "List of awards and nominations received by Elijah Wood",
+ "url": "https://en.wikipedia.org/wiki/List_of_awards_and_nominations_received_by_Elijah_Wood"
+ }
+ },
+ {
+ "id": "6398d4281672ac0f",
+ "question": "Has Viggo Mortensen been nominated for an academy award?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 55730242,
+ "revid": 1168331875,
+ "title": "List of awards and nominations received by Viggo Mortensen",
+ "url": "https://en.wikipedia.org/wiki/List_of_awards_and_nominations_received_by_Viggo_Mortensen"
+ }
+ },
+ {
+ "id": "7728c3d3959204e2",
+ "question": "Has Sean Bean been nominated for an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 491357,
+ "revid": 1185270017,
+ "title": "Sean Bean",
+ "url": "https://en.wikipedia.org/wiki/Sean_Bean"
+ }
+ },
+ {
+ "id": "3a318b30934de464",
+ "question": "Has Dominic Monaghan been nominated for an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 248095,
+ "revid": 1185305467,
+ "title": "Dominic Monaghan",
+ "url": "https://en.wikipedia.org/wiki/Dominic_Monaghan"
+ }
+ },
+ {
+ "id": "decbb80264a59dc4",
+ "question": "Has Sean Astin been nominated for an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 113063,
+ "revid": 1185696067,
+ "title": "Sean Astin",
+ "url": "https://en.wikipedia.org/wiki/Sean_Astin"
+ }
+ },
+ {
+ "id": "5b9db9b60cf69e8a",
+ "question": "Has Ian McKellen been nominated for an academy award?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 67557039,
+ "revid": 1178363063,
+ "title": "List of awards and nominations received by Ian McKellen",
+ "url": "https://en.wikipedia.org/wiki/List_of_awards_and_nominations_received_by_Ian_McKellen"
+ }
+ },
+ {
+ "id": "889e15bbdc2b6055",
+ "question": "Has John Rhys-Davies been nominated for an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 177801,
+ "revid": 1184179510,
+ "title": "John Rhys-Davies",
+ "url": "https://en.wikipedia.org/wiki/John_Rhys-Davies"
+ }
+ },
+ {
+ "id": "2ff97ac1414d9016",
+ "question": "Has Orlando Bloom been nominated for an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 9195868,
+ "revid": 1182676540,
+ "title": "Orlando Bloom",
+ "url": "https://en.wikipedia.org/wiki/Orlando_Bloom"
+ }
+ },
+ {
+ "id": "356f96ba0075b384",
+ "question": "Has Billy Boyd been nominated for an academy award?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "904bc1d013e99214"
+ ],
+ "evidence": {
+ "pageid": 159906,
+ "revid": 1184731292,
+ "title": "Billy Boyd (actor)",
+ "url": "https://en.wikipedia.org/wiki/Billy_Boyd_(actor)"
+ }
+ }
+ ],
+ "answer": {
+ "Elijah Wood": false,
+ "Viggo Mortensen": true,
+ "Sean Bean": false,
+ "Dominic Monaghan": false,
+ "Sean Astin": false,
+ "Ian McKellen": true,
+ "John Rhys-Davies": false,
+ "Orlando Bloom": false,
+ "Billy Boyd": false
+ },
+ "depends_on": [
+ "22d8a9ad8204d440"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": [
+ "Viggo Mortensen",
+ "Ian McKellen"
+ ],
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "8f0c326505148464",
+ "question": "What are the elevations (in meters) and names of the sources of the five longest rivers in the world?",
+ "decomposition": [
+ {
+ "id": "f81ca32572124425",
+ "question": "What are the five longest rivers in the world?",
+ "decomposition": [],
+ "answer": [
+ "Nile",
+ "Amazon",
+ "Yangtze",
+ "Mississippi",
+ "Yenisei"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 922586,
+ "revid": 1171726024,
+ "title": "List of river systems by length",
+ "url": "https://en.wikipedia.org/wiki/List_of_rivers_by_length"
+ }
+ },
+ {
+ "id": "31f19cc85afccd8a",
+ "question": "What is the elevation and name of the source of the Nile River?",
+ "decomposition": [],
+ "answer": "The Nile's source is at an elevation of about 2,400 meters above sea level and is named the White Nile.",
+ "depends_on": [
+ "f81ca32572124425"
+ ],
+ "evidence": {
+ "pageid": 21244,
+ "revid": 1185106947,
+ "title": "Nile",
+ "url": "https://en.wikipedia.org/wiki/Nile"
+ }
+ },
+ {
+ "id": "417bc84216239640",
+ "question": "What is the elevation and name of the source of the Amazon River?",
+ "decomposition": [],
+ "answer": "The Amazon's source is at an elevation of approximately 5,220 meters and is named the Apur\u00edmac River.",
+ "depends_on": [
+ "f81ca32572124425"
+ ],
+ "evidence": {
+ "pageid": 1701,
+ "revid": 1183942185,
+ "title": "Amazon River",
+ "url": "https://en.wikipedia.org/wiki/Amazon_River"
+ }
+ },
+ {
+ "id": "7e373d2913c8ed97",
+ "question": "What is the elevation and name of the source of the Yangtze River?",
+ "decomposition": [],
+ "answer": "The Yangtze's source is at an elevation of about 5,170 meters and is named Dam Qu.",
+ "depends_on": [
+ "f81ca32572124425"
+ ],
+ "evidence": {
+ "pageid": 6613,
+ "revid": 1185833630,
+ "title": "Yangtze",
+ "url": "https://en.wikipedia.org/wiki/Yangtze"
+ }
+ },
+ {
+ "id": "aa894efc7d8dace9",
+ "question": "What is the elevation and name of the source of the Mississippi River?",
+ "decomposition": [],
+ "answer": "The Mississippi's source is at an elevation of about 450 meters and is named Lake Itasca.",
+ "depends_on": [
+ "f81ca32572124425"
+ ],
+ "evidence": {
+ "pageid": 19579,
+ "revid": 1185466718,
+ "title": "Mississippi River",
+ "url": "https://en.wikipedia.org/wiki/Mississippi_River"
+ }
+ },
+ {
+ "id": "2df1f08dbdd7db94",
+ "question": "What is the elevation and name of the source of the Yenisei River?",
+ "decomposition": [],
+ "answer": "The Yenisei's source is at an elevation of around 3,351 meters and is named Mungaragiyn-Gol.",
+ "depends_on": [
+ "f81ca32572124425"
+ ],
+ "evidence": {
+ "pageid": 56870,
+ "revid": 1183679419,
+ "title": "Yenisey",
+ "url": "https://en.wikipedia.org/wiki/Yenisei_River"
+ }
+ }
+ ],
+ "answer": {
+ "Nile": "2,400 meters and is named the White Nile.",
+ "Amazon": "approximately 5,220 meters and is named the Apur\u00edmac River.",
+ "Yangtze": "About 5,170 meters and is named Dam Qu.",
+ "Mississippi": "About 450 meters and is named Lake Itasca.",
+ "Yenisei": "Around 3,351 meters and is named Mungaragiyn-Gol."
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "71f9599c4a3f383e",
+ "question": "What are the top 5 highest selling video games in history and what are their respective genres?",
+ "decomposition": [
+ {
+ "id": "0ccceed2ccba2267",
+ "question": "What are the top 5 best-selling video games in history?",
+ "decomposition": [],
+ "answer": [
+ "Minecraft",
+ "Grand Theft Auto V",
+ "Tetris",
+ "Wii Sports",
+ "PUBG: Battlegrounds"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1617333,
+ "revid": 1184708487,
+ "title": "List of best-selling video games",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_video_games"
+ }
+ },
+ {
+ "id": "491c9fd7a5d1ad40",
+ "question": "What is Minecraft's genre?",
+ "decomposition": [],
+ "answer": "Sandbox, survival",
+ "depends_on": [
+ "0ccceed2ccba2267"
+ ],
+ "evidence": {
+ "pageid": 27815578,
+ "revid": 1185868378,
+ "title": "Minecraft",
+ "url": "https://en.wikipedia.org/wiki/Minecraft"
+ }
+ },
+ {
+ "id": "26120501ff04195c",
+ "question": "What is Grand Theft Auto V's genre?",
+ "decomposition": [],
+ "answer": "Action-adventure",
+ "depends_on": [
+ "0ccceed2ccba2267"
+ ],
+ "evidence": {
+ "pageid": 31795249,
+ "revid": 1185205061,
+ "title": "Grand Theft Auto V",
+ "url": "https://en.wikipedia.org/wiki/Grand_Theft_Auto_V"
+ }
+ },
+ {
+ "id": "ecabcf0e670e0172",
+ "question": "What is Tetris' genre?",
+ "decomposition": [],
+ "answer": "Puzzle",
+ "depends_on": [
+ "0ccceed2ccba2267"
+ ],
+ "evidence": {
+ "pageid": 39055036,
+ "revid": 1183068327,
+ "title": "Tetris (Electronic Arts)",
+ "url": "https://en.wikipedia.org/wiki/Tetris_(Electronic_Arts)"
+ }
+ },
+ {
+ "id": "9626adbe8c7de0b9",
+ "question": "What is Wii Sports' genre?",
+ "decomposition": [],
+ "answer": "Sports",
+ "depends_on": [
+ "0ccceed2ccba2267"
+ ],
+ "evidence": {
+ "pageid": 5077457,
+ "revid": 1183053716,
+ "title": "Wii Sports",
+ "url": "https://en.wikipedia.org/wiki/Wii_Sports"
+ }
+ },
+ {
+ "id": "f35cf9b18f4e066c",
+ "question": "What is PUBG: Battlegrounds' genre?",
+ "decomposition": [],
+ "answer": "Battle royale",
+ "depends_on": [
+ "0ccceed2ccba2267"
+ ],
+ "evidence": {
+ "pageid": 53318656,
+ "revid": 1184542620,
+ "title": "PUBG: Battlegrounds",
+ "url": "https://en.wikipedia.org/wiki/PUBG:_Battlegrounds"
+ }
+ }
+ ],
+ "answer": {
+ "Minecraft": "Sandbox, survival",
+ "Grand Theft Auto V": "Action-adventure",
+ "Tetris": "Puzzle",
+ "Wii Sports": "Sports",
+ "PUBG: Battlegrounds": "Battle royale"
+ },
+ "categories": [
+ "Video Games",
+ "Sales",
+ "History"
+ ]
+ },
+ {
+ "id": "75b12eb559b14d61",
+ "question": "Who were the first five astronauts to land on the moon and what were their birth states?",
+ "decomposition": [
+ {
+ "id": "7f70b134b7a31c4d",
+ "question": "Who were the first 5 people to go to the moon?",
+ "decomposition": [],
+ "answer": [
+ "Neil Armstrong",
+ "Buzz Aldrin",
+ "Pete Conrad",
+ "Alan Bean",
+ "Alan Shepard"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 129540,
+ "revid": 1185793588,
+ "title": "List of Apollo astronauts",
+ "url": "https://en.wikipedia.org/wiki/List_of_Apollo_astronauts"
+ }
+ },
+ {
+ "id": "c69028eed11125c0",
+ "question": "What is the birth state of Neil Armstrong",
+ "decomposition": [],
+ "answer": "Ohio",
+ "depends_on": [
+ "7f70b134b7a31c4d"
+ ],
+ "evidence": {
+ "pageid": 21247,
+ "revid": 1184552197,
+ "title": "Neil Armstrong",
+ "url": "https://en.wikipedia.org/wiki/Neil_Armstrong"
+ }
+ },
+ {
+ "id": "cd7544b6bb31913f",
+ "question": "What is the birth state of Buzz Aldrin",
+ "decomposition": [],
+ "answer": "New Jersey",
+ "depends_on": [
+ "7f70b134b7a31c4d"
+ ],
+ "evidence": {
+ "pageid": 65777,
+ "revid": 1183146970,
+ "title": "Buzz Aldrin",
+ "url": "https://en.wikipedia.org/wiki/Buzz_Aldrin"
+ }
+ },
+ {
+ "id": "90f488cdb31586b2",
+ "question": "What is the birth state of Pete Conrad",
+ "decomposition": [],
+ "answer": "Pennsylvania",
+ "depends_on": [
+ "7f70b134b7a31c4d"
+ ],
+ "evidence": {
+ "pageid": 185062,
+ "revid": 1180463707,
+ "title": "Pete Conrad",
+ "url": "https://en.wikipedia.org/wiki/Pete_Conrad"
+ }
+ },
+ {
+ "id": "f27dce69db7ab556",
+ "question": "What is the birth state of Alan Bean",
+ "decomposition": [],
+ "answer": "Texas",
+ "depends_on": [
+ "7f70b134b7a31c4d"
+ ],
+ "evidence": {
+ "pageid": 102595,
+ "revid": 1184895259,
+ "title": "Alan Bean",
+ "url": "https://en.wikipedia.org/wiki/Alan_Bean"
+ }
+ },
+ {
+ "id": "d385adbc6e9953d5",
+ "question": "What is the birth state of Alan Shepard",
+ "decomposition": [],
+ "answer": "New Hampshire",
+ "depends_on": [
+ "7f70b134b7a31c4d"
+ ],
+ "evidence": {
+ "pageid": 63727,
+ "revid": 1185903350,
+ "title": "Alan Shepard",
+ "url": "https://en.wikipedia.org/wiki/Alan_Shepard"
+ }
+ }
+ ],
+ "answer": {
+ "Neil Armstrong": "Ohio",
+ "Buzz Aldrin": "New Jersey",
+ "Pete Conrads": "Pennsylvania",
+ "Alan Bean": "Texas",
+ "Alan Shepard": "New Hampshire"
+ },
+ "categories": [
+ "History",
+ "Space Exploration"
+ ]
+ },
+ {
+ "id": "c64872786e1a2ab6",
+ "question": "Identify the host cities of the Summer Olympic Games from 2000 to 2020 and name the main stadiums used in each of these Olympics.",
+ "decomposition": [
+ {
+ "id": "edf5e57f30f23cdd",
+ "question": "What are the host cities of the Summer Olympic Games from 2000 to 2020?",
+ "decomposition": [],
+ "answer": [
+ "Sydney",
+ "Athens",
+ "Beijing",
+ "London",
+ "Rio de Janeiro",
+ "Tokyo"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11015817,
+ "revid": 1182820494,
+ "title": "List of Olympic Games host cities",
+ "url": "https://en.wikipedia.org/wiki/List_of_Olympic_Games_host_cities"
+ }
+ },
+ {
+ "id": "7f9b2145f662c5df",
+ "question": "What was the main stadium used in the 2000 Sydney Olympics?",
+ "decomposition": [],
+ "answer": "Stadium Australia",
+ "depends_on": [
+ "edf5e57f30f23cdd"
+ ],
+ "evidence": {
+ "pageid": 71432,
+ "revid": 1184243340,
+ "title": "2000 Summer Olympics",
+ "url": "https://en.wikipedia.org/wiki/2000_Summer_Olympics"
+ }
+ },
+ {
+ "id": "0e2f317859da37a0",
+ "question": "What was the main stadium used in the 2004 Athens Olympics?",
+ "decomposition": [],
+ "answer": "Olympic Stadium",
+ "depends_on": [
+ "edf5e57f30f23cdd"
+ ],
+ "evidence": {
+ "pageid": 77741,
+ "revid": 1183858763,
+ "title": "2004 Summer Olympics",
+ "url": "https://en.wikipedia.org/wiki/2004_Summer_Olympics"
+ }
+ },
+ {
+ "id": "87987dd3a5dcac30",
+ "question": "What was the main stadium used in the 2008 Beijing Olympics?",
+ "decomposition": [],
+ "answer": "Beijing National Stadium",
+ "depends_on": [
+ "edf5e57f30f23cdd"
+ ],
+ "evidence": {
+ "pageid": 77745,
+ "revid": 1179552423,
+ "title": "2008 Summer Olympics",
+ "url": "https://en.wikipedia.org/wiki/2008_Summer_Olympics"
+ }
+ },
+ {
+ "id": "3aedab03e193d326",
+ "question": "What was the main stadium used in the 2012 London Olympics?",
+ "decomposition": [],
+ "answer": "London Olympic Stadium",
+ "depends_on": [
+ "edf5e57f30f23cdd"
+ ],
+ "evidence": {
+ "pageid": 2176142,
+ "revid": 1184780498,
+ "title": "2012 Summer Olympics",
+ "url": "https://en.wikipedia.org/wiki/2012_Summer_Olympics"
+ }
+ },
+ {
+ "id": "93c211b08e3885de",
+ "question": "What was the main stadium used in the 2016 Rio de Janeiro Olympics?",
+ "decomposition": [],
+ "answer": "Maracan\u00e3 Stadium",
+ "depends_on": [
+ "edf5e57f30f23cdd"
+ ],
+ "evidence": {
+ "pageid": 961522,
+ "revid": 1185196636,
+ "title": "2016 Summer Olympics",
+ "url": "https://en.wikipedia.org/wiki/2016_Summer_Olympics"
+ }
+ },
+ {
+ "id": "5ba2a1824f60d62c",
+ "question": "What was the main stadium used in the 2020 Tokyo Olympics?",
+ "decomposition": [],
+ "answer": "Japan National Stadium",
+ "depends_on": [
+ "edf5e57f30f23cdd"
+ ],
+ "evidence": {
+ "pageid": 1610886,
+ "revid": 1184167814,
+ "title": "2020 Summer Olympics",
+ "url": "https://en.wikipedia.org/wiki/2020_Summer_Olympics"
+ }
+ }
+ ],
+ "answer": {
+ "Sydney": "Stadium Australia",
+ "Athens": "Olympic Stadium",
+ "Beijing": "Beijing National Stadium",
+ "London": "London Olympic Stadium",
+ "Rio de Janeiro": "Maracan\u00e3 Stadium",
+ "Tokyo": "Japan National Stadium"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "cbbb1450f8d4f36b",
+ "question": "List the 5 largest automotive manufacturers by production volume in 2010 and provide the year each company was founded.",
+ "decomposition": [
+ {
+ "id": "ec59612191789fed",
+ "question": "What are the 5 largest automotive manufacturers by production volume in 2010?",
+ "decomposition": [],
+ "answer": [
+ "Toyota",
+ "General Motors",
+ "Volkswagen Group",
+ "Hyundai Motor Group",
+ "Ford"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 6033807,
+ "revid": 1184150780,
+ "title": "List of manufacturers by motor vehicle production",
+ "url": "https://en.wikipedia.org/wiki/List_of_manufacturers_by_motor_vehicle_production#2010"
+ }
+ },
+ {
+ "id": "392b8e4e7d524fdc",
+ "question": "What year was Toyota founded?",
+ "decomposition": [],
+ "answer": "1937",
+ "depends_on": [
+ "ec59612191789fed"
+ ],
+ "evidence": {
+ "pageid": 30984,
+ "revid": 1185366057,
+ "title": "Toyota",
+ "url": "https://en.wikipedia.org/wiki/Toyota"
+ }
+ },
+ {
+ "id": "4d049ecf90ba8788",
+ "question": "What year was General Motors founded?",
+ "decomposition": [],
+ "answer": "1908",
+ "depends_on": [
+ "ec59612191789fed"
+ ],
+ "evidence": {
+ "pageid": 12102,
+ "revid": 1185880445,
+ "title": "General Motors",
+ "url": "https://en.wikipedia.org/wiki/General_Motors"
+ }
+ },
+ {
+ "id": "17e87e4261459ee0",
+ "question": "What year was Volkswagen Group founded?",
+ "decomposition": [],
+ "answer": "1937",
+ "depends_on": [
+ "ec59612191789fed"
+ ],
+ "evidence": {
+ "pageid": 32652,
+ "revid": 1185538340,
+ "title": "Volkswagen Group",
+ "url": "https://en.wikipedia.org/wiki/Volkswagen_Group"
+ }
+ },
+ {
+ "id": "566330686158f852",
+ "question": "What year was Hyundai Motor Group founded?",
+ "decomposition": [],
+ "answer": "1998",
+ "depends_on": [
+ "ec59612191789fed"
+ ],
+ "evidence": {
+ "pageid": 453463,
+ "revid": 1185046711,
+ "title": "Hyundai Motor Group",
+ "url": "https://en.wikipedia.org/wiki/Hyundai_Motor_Group"
+ }
+ },
+ {
+ "id": "58ae72afce6764e1",
+ "question": "What year was Ford founded?",
+ "decomposition": [],
+ "answer": "1903",
+ "depends_on": [
+ "ec59612191789fed"
+ ],
+ "evidence": {
+ "pageid": 30433662,
+ "revid": 1185057689,
+ "title": "Ford Motor Company",
+ "url": "https://en.wikipedia.org/wiki/Ford_Motor_Company"
+ }
+ }
+ ],
+ "answer": {
+ "Toyota": "1937",
+ "General Motors": "1908",
+ "Volkswagen Group": "1937",
+ "Hyundai Motor Group": "1998",
+ "Ford": "1903"
+ },
+ "categories": [
+ "History",
+ "Business"
+ ]
+ },
+ {
+ "id": "486e7defa1fa1ca0",
+ "question": "What are the five most popular dog breeds according to the American Kennel Club, and where did each of these breeds originate?",
+ "decomposition": [
+ {
+ "id": "0973846fa57a8753",
+ "question": "What are the five most populer dog breeds (according to the American Kennel Club)?",
+ "decomposition": [],
+ "answer": [
+ "Labrador Retriever",
+ "Yorkshire Terrier",
+ "German Shepherd",
+ "Golden Retriever",
+ "Beagle"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9387389,
+ "revid": 1155468347,
+ "title": "List of most popular dog breeds",
+ "url": "https://en.wikipedia.org/wiki/List_of_most_popular_dog_breeds"
+ }
+ },
+ {
+ "id": "36ee1e4ff9982b87",
+ "question": "Where did Labrador Retrievers originate?",
+ "decomposition": [],
+ "answer": "United Kingdom",
+ "depends_on": [
+ "0973846fa57a8753"
+ ],
+ "evidence": {
+ "pageid": 79280,
+ "revid": 1185677733,
+ "title": "Labrador Retriever",
+ "url": "https://en.wikipedia.org/wiki/Labrador_Retriever"
+ }
+ },
+ {
+ "id": "7a8e95a991564470",
+ "question": "Where did Yorkshire Terriers originate?",
+ "decomposition": [],
+ "answer": "Yorkshire, England",
+ "depends_on": [
+ "0973846fa57a8753"
+ ],
+ "evidence": {
+ "pageid": 361299,
+ "revid": 1185262208,
+ "title": "Yorkshire Terrier",
+ "url": "https://en.wikipedia.org/wiki/Yorkshire_Terrier"
+ }
+ },
+ {
+ "id": "4a331cbabe56e454",
+ "question": "Where did German Shepherds originate?",
+ "decomposition": [],
+ "answer": "Germany",
+ "depends_on": [
+ "0973846fa57a8753"
+ ],
+ "evidence": {
+ "pageid": 79289,
+ "revid": 1185371418,
+ "title": "German Shepherd",
+ "url": "https://en.wikipedia.org/wiki/German_Shepherd"
+ }
+ },
+ {
+ "id": "ba587ae7e622b7cd",
+ "question": "Where did Golden Retrievers originate?",
+ "decomposition": [],
+ "answer": "Scotland",
+ "depends_on": [
+ "0973846fa57a8753"
+ ],
+ "evidence": {
+ "pageid": 21022536,
+ "revid": 1184207415,
+ "title": "Golden Retriever",
+ "url": "https://en.wikipedia.org/wiki/Golden_Retriever"
+ }
+ },
+ {
+ "id": "0e1c9c0839d58569",
+ "question": "Where did Beagles originate?",
+ "decomposition": [],
+ "answer": "England",
+ "depends_on": [
+ "0973846fa57a8753"
+ ],
+ "evidence": {
+ "pageid": 4368,
+ "revid": 1184279894,
+ "title": "Beagle",
+ "url": "https://en.wikipedia.org/wiki/Beagle"
+ }
+ }
+ ],
+ "answer": {
+ "Labrador Retriever": "United Kingdom",
+ "Yorkshire Terrier": "Yorkshire, England",
+ "German Shepherd": "Germany",
+ "Golden Retriever": "Scotland",
+ "Beagle": "England"
+ },
+ "categories": [
+ "History",
+ "Zoology"
+ ]
+ },
+ {
+ "id": "673d82368b23a8f4",
+ "question": "When were each of the specialized high schools in New York City founded?",
+ "decomposition": [
+ {
+ "id": "a2d15d62779a4ba6",
+ "question": "What are the specialized high schools of New York City?",
+ "decomposition": [],
+ "answer": [
+ "The Bronx High School of Science",
+ "Brooklyn Latin School",
+ "Brooklyn Technical High School",
+ "Fiorello H. LaGuardia High School of Music & Art and Performing Arts",
+ "High School for Math, Science and Engineering at City College",
+ "High School of American Studies at Lehman College",
+ "Queens High School for the Sciences at York College",
+ "Staten Island Technical High School",
+ "Stuyvesant High School"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 5080963,
+ "revid": 1181368909,
+ "title": "Specialized high schools in New York City",
+ "url": "https://en.wikipedia.org/wiki/Specialized_high_schools_in_New_York_City"
+ }
+ },
+ {
+ "id": "bf50ce4de225db71",
+ "question": "When was The Bronx High School of Science founded?",
+ "decomposition": [],
+ "answer": "1938",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 367637,
+ "revid": 1184196441,
+ "title": "Bronx High School of Science",
+ "url": "https://en.wikipedia.org/wiki/Bronx_High_School_of_Science"
+ }
+ },
+ {
+ "id": "dff10c92ce1bab50",
+ "question": "When was Brooklyn Latin School founded?",
+ "decomposition": [],
+ "answer": "2006",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 5342277,
+ "revid": 1171754853,
+ "title": "Brooklyn Latin School",
+ "url": "https://en.wikipedia.org/wiki/Brooklyn_Latin_School"
+ }
+ },
+ {
+ "id": "ba4b3cdc6d5e4807",
+ "question": "When was Brooklyn Technical High School founded?",
+ "decomposition": [],
+ "answer": "1922",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 378883,
+ "revid": 1185156643,
+ "title": "Brooklyn Technical High School",
+ "url": "https://en.wikipedia.org/wiki/Brooklyn_Technical_High_School"
+ }
+ },
+ {
+ "id": "5617f4c0d6b15ed5",
+ "question": "When was The Fiorello H. LaGuardia High School of Music & Art and Performing Arts founded?",
+ "decomposition": [],
+ "answer": "1961",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 205098,
+ "revid": 1185924544,
+ "title": "Fiorello H. LaGuardia High School",
+ "url": "https://en.wikipedia.org/wiki/Fiorello_H._LaGuardia_High_School"
+ }
+ },
+ {
+ "id": "6ecd8d3cd53b8641",
+ "question": "When was High School for Math, Science and Engineering at City College founded?",
+ "decomposition": [],
+ "answer": "2002",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 3642679,
+ "revid": 1185840335,
+ "title": "High School for Math, Science and Engineering at City College",
+ "url": "https://en.wikipedia.org/wiki/High_School_for_Math,_Science_and_Engineering_at_City_College"
+ }
+ },
+ {
+ "id": "c82a8f0632574eed",
+ "question": "When was High School of American Studies at Lehman College founded?",
+ "decomposition": [],
+ "answer": "2002",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 2966359,
+ "revid": 1185256691,
+ "title": "High School of American Studies",
+ "url": "https://en.wikipedia.org/wiki/High_School_of_American_Studies"
+ }
+ },
+ {
+ "id": "6932957663b4dc89",
+ "question": "When was Queens High School for the Sciences at York College founded?",
+ "decomposition": [],
+ "answer": "2002",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 3287996,
+ "revid": 1136899527,
+ "title": "Queens High School for the Sciences",
+ "url": "https://en.wikipedia.org/wiki/Queens_High_School_for_the_Sciences"
+ }
+ },
+ {
+ "id": "f1551834889ad992",
+ "question": "When was Staten Island Technical High School founded?",
+ "decomposition": [],
+ "answer": "1988",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 15644923,
+ "revid": 1185159963,
+ "title": "Staten Island Technical High School",
+ "url": "https://en.wikipedia.org/wiki/Staten_Island_Technical_High_School"
+ }
+ },
+ {
+ "id": "a67a35e1d01169b5",
+ "question": "When was Stuyvesant High School founded?",
+ "decomposition": [],
+ "answer": "1904",
+ "depends_on": [
+ "a2d15d62779a4ba6"
+ ],
+ "evidence": {
+ "pageid": 418065,
+ "revid": 1184161602,
+ "title": "Stuyvesant High School",
+ "url": "https://en.wikipedia.org/wiki/Stuyvesant_High_School"
+ }
+ }
+ ],
+ "answer": {
+ "The Bronx High School of Science": "1938",
+ "Brooklyn Latin School": "2006",
+ "Brooklyn Technical High School": "1922",
+ "Fiorello H. LaGuardia High School of Music & Art and Performing Arts": "1961",
+ "High School for Math, Science and Engineering at City College": "2002",
+ "High School of American Studies at Lehman College": "2002",
+ "Queens High School for the Sciences at York College": "2002",
+ "Staten Island Technical High School": "1988",
+ "Stuyvesant High School": "1904"
+ },
+ "categories": [
+ "Education",
+ "History"
+ ]
+ },
+ {
+ "id": "5005d1fd42728241",
+ "question": "Where were the top 5 artists on Spotify in 2019 born?",
+ "decomposition": [
+ {
+ "id": "b224d79e8a2543d8",
+ "question": "Who are the top 5 artists on Spotify in 2019?",
+ "decomposition": [],
+ "answer": [
+ "Post Malone",
+ "Billie Eilish",
+ "Ariana Grande",
+ "Ed Sheeran",
+ "Bad Bunny"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 55470454,
+ "revid": 1185333734,
+ "title": "List of most-streamed artists on Spotify",
+ "url": "https://en.wikipedia.org/wiki/List_of_most-streamed_artists_on_Spotify"
+ }
+ },
+ {
+ "id": "2e77f30dd9f7e274",
+ "question": "Where is Post Malone born?",
+ "decomposition": [],
+ "answer": "Syracuse, New York, USA",
+ "depends_on": [
+ "b224d79e8a2543d8"
+ ],
+ "evidence": {
+ "pageid": 48035216,
+ "revid": 1185941802,
+ "title": "Post Malone",
+ "url": "https://en.wikipedia.org/wiki/Post_Malone"
+ }
+ },
+ {
+ "id": "75bf3d733744b212",
+ "question": "Where is Billie Eilish born in?",
+ "decomposition": [],
+ "answer": "Los Angeles, California, USA",
+ "depends_on": [
+ "b224d79e8a2543d8"
+ ],
+ "evidence": {
+ "pageid": 53785363,
+ "revid": 1185663944,
+ "title": "Billie Eilish",
+ "url": "https://en.wikipedia.org/wiki/Billie_Eilish"
+ }
+ },
+ {
+ "id": "89404ddd0d47a333",
+ "question": "Where is Ariana Grande born?",
+ "decomposition": [],
+ "answer": "Boca Raton, Florida, USA",
+ "depends_on": [
+ "b224d79e8a2543d8"
+ ],
+ "evidence": {
+ "pageid": 25276055,
+ "revid": 1185512255,
+ "title": "Ariana Grande",
+ "url": "https://en.wikipedia.org/wiki/Ariana_Grande"
+ }
+ },
+ {
+ "id": "ce66d000dc8bee30",
+ "question": "Where is Ed Sheeran born?",
+ "decomposition": [],
+ "answer": "Halifax, West Yorkshire, England",
+ "depends_on": [
+ "b224d79e8a2543d8"
+ ],
+ "evidence": {
+ "pageid": 30528002,
+ "revid": 1185266511,
+ "title": "Ed Sheeran",
+ "url": "https://en.wikipedia.org/wiki/Ed_Sheeran"
+ }
+ },
+ {
+ "id": "217e796108800abc",
+ "question": "Where is Bad Bunny born?",
+ "decomposition": [],
+ "answer": "Vega Baja, Puerto Rico",
+ "depends_on": [
+ "b224d79e8a2543d8"
+ ],
+ "evidence": {
+ "pageid": 55943877,
+ "revid": 1185887023,
+ "title": "Bad Bunny",
+ "url": "https://en.wikipedia.org/wiki/Bad_Bunny"
+ }
+ }
+ ],
+ "answer": {
+ "Post Malone": "Syracuse, New York, USA",
+ "Billie Eilish": "Los Angeles, California, USA",
+ "Ariana Grande": "Boca Raton, Florida, USA",
+ "Ed Sheeran": "Halifax, West Yorkshire, England",
+ "Bad Bunny": "Vega Baja, Puerto Rico"
+ },
+ "categories": [
+ "Music",
+ "Geography"
+ ]
+ },
+ {
+ "id": "a5f884779738c0c2",
+ "question": "What are the largest moons of Mercury, Venus, Earth, Mars, and Jupiter?",
+ "decomposition": [
+ {
+ "id": "89dc68e0c580a705",
+ "question": "What is the largest moon of Mercury?",
+ "decomposition": [],
+ "answer": "No moons",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19694,
+ "revid": 1183949157,
+ "title": "Mercury (planet)",
+ "url": "https://en.wikipedia.org/wiki/Mercury_(planet)"
+ }
+ },
+ {
+ "id": "8fdba47d2c09bfab",
+ "question": "What is the largest moon of Venus?",
+ "decomposition": [],
+ "answer": "No moons",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 32745,
+ "revid": 1185890721,
+ "title": "Venus",
+ "url": "https://en.wikipedia.org/wiki/Venus"
+ }
+ },
+ {
+ "id": "eb0e6fb40aaff708",
+ "question": "What is the largest moon of Earth?",
+ "decomposition": [],
+ "answer": "The Moon",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 19331,
+ "revid": 1185631254,
+ "title": "Moon",
+ "url": "https://en.wikipedia.org/wiki/Moon"
+ }
+ },
+ {
+ "id": "389df8cdcec9f09e",
+ "question": "What is the largest moon of Mars?",
+ "decomposition": [],
+ "answer": "Phobos",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1655082,
+ "revid": 1177484782,
+ "title": "Moons of Mars",
+ "url": "https://en.wikipedia.org/wiki/Moons_of_Mars"
+ }
+ },
+ {
+ "id": "b80e0997a42224c3",
+ "question": "What is the largest moon of Jupiter?",
+ "decomposition": [],
+ "answer": "Ganymede",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 575613,
+ "revid": 1184426082,
+ "title": "Moons of Jupiter",
+ "url": "https://en.wikipedia.org/wiki/Moons_of_Jupiter"
+ }
+ }
+ ],
+ "answer": {
+ "Mercury": "No moons",
+ "Venus": "No moons",
+ "Earth": "The Moon",
+ "Mars": "Phobos",
+ "Jupiter": "Ganymede"
+ },
+ "categories": [
+ "Astronomy"
+ ]
+ },
+ {
+ "id": "e85e1087f14cfc49",
+ "question": "List the five women who have won the Nobel Prize in Chemistry since 1970 and the university where they received their highest academic degree.",
+ "decomposition": [
+ {
+ "id": "5573d57ec2a7f5ce",
+ "question": "List the five women who have won the Nobel Prize in Chemistry since 1970",
+ "decomposition": [],
+ "answer": [
+ "Carolyn Bertozzi",
+ "Jennifer Doudna",
+ "Emmanuelle Charpentier",
+ "Frances Arnold",
+ "Ada Yonath"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2041164,
+ "revid": 1182410428,
+ "title": "List of female Nobel laureates",
+ "url": "https://en.wikipedia.org/wiki/List_of_female_Nobel_laureates#Chemistry"
+ }
+ },
+ {
+ "id": "dbb91d2004173486",
+ "question": "From which university did Carolyn Bertozzi receive her highest degree?",
+ "decomposition": [],
+ "answer": "University of California, Berkeley",
+ "depends_on": [
+ "5573d57ec2a7f5ce"
+ ],
+ "evidence": {
+ "pageid": 8150975,
+ "revid": 1185573405,
+ "title": "Carolyn Bertozzi",
+ "url": "https://en.wikipedia.org/wiki/Carolyn_R._Bertozzi"
+ }
+ },
+ {
+ "id": "de2b967d98ab4fd3",
+ "question": "From which university did Jennifer Doudna receive her highest degree?",
+ "decomposition": [],
+ "answer": "Harvard University",
+ "depends_on": [
+ "5573d57ec2a7f5ce"
+ ],
+ "evidence": {
+ "pageid": 36836014,
+ "revid": 1184968645,
+ "title": "Jennifer Doudna",
+ "url": "https://en.wikipedia.org/wiki/Jennifer_Doudna"
+ }
+ },
+ {
+ "id": "71b00f809cff9f05",
+ "question": "From which university did Emmanuelle Charpentier receive her highest degree?",
+ "decomposition": [],
+ "answer": "Pierre and Marie Curie University",
+ "depends_on": [
+ "5573d57ec2a7f5ce"
+ ],
+ "evidence": {
+ "pageid": 47056521,
+ "revid": 1178160840,
+ "title": "Emmanuelle Charpentier",
+ "url": "https://en.wikipedia.org/wiki/Emmanuelle_Charpentier"
+ }
+ },
+ {
+ "id": "59d0b6481d9373e6",
+ "question": "From which university did Frances Arnold receive her highest degree?",
+ "decomposition": [],
+ "answer": "University of California, Berkeley",
+ "depends_on": [
+ "5573d57ec2a7f5ce"
+ ],
+ "evidence": {
+ "pageid": 19812169,
+ "revid": 1179801473,
+ "title": "Frances Arnold",
+ "url": "https://en.wikipedia.org/wiki/Frances_Arnold"
+ }
+ },
+ {
+ "id": "54875339ff48be0e",
+ "question": "From which university did Ada Yonath receive her highest degree?",
+ "decomposition": [],
+ "answer": "Weizmann Institute of Science",
+ "depends_on": [
+ "5573d57ec2a7f5ce"
+ ],
+ "evidence": {
+ "pageid": 38502761,
+ "revid": 1181951694,
+ "title": "Ada Yonath",
+ "url": "https://en.wikipedia.org/wiki/Ada_Yonath"
+ }
+ }
+ ],
+ "answer": {
+ "Carolyn Bertozzi": "University of California, Berkeley",
+ "Jennifer Doudna": "Harvard University",
+ "Emmanuelle Charpentier": "Pierre and Marie Curie University",
+ "Frances Arnold": "University of California, Berkeley",
+ "Ada Yonath": "Weizmann Institute of Science"
+ },
+ "categories": [
+ "Chemistry",
+ "Women's Studies",
+ "Education"
+ ]
+ },
+ {
+ "id": "28c4715bc3cf75aa",
+ "question": "What are the ages in years of the top 5 most-listened to artists on Spotify in a month?",
+ "decomposition": [
+ {
+ "id": "2e8a09822de02230",
+ "question": "Who are the top 5 monthly most-listened to artists of all time on spotify?",
+ "decomposition": [],
+ "answer": [
+ "Taylor Swift",
+ "The Weeknd",
+ "Ariana Grande",
+ "Justin Bieber",
+ "Mariah Carey"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 55470454,
+ "revid": 1185333734,
+ "title": "List of most-streamed artists on Spotify",
+ "url": "https://en.wikipedia.org/wiki/List_of_most-streamed_artists_on_Spotify#Most_monthly_listeners"
+ }
+ },
+ {
+ "id": "22a7bd78f9d59b80",
+ "question": "How old is Taylor Swift?",
+ "decomposition": [],
+ "answer": 34,
+ "depends_on": [
+ "2e8a09822de02230"
+ ],
+ "evidence": {
+ "pageid": 5422144,
+ "revid": 1185910868,
+ "title": "Taylor Swift",
+ "url": "https://en.wikipedia.org/wiki/Taylor_Swift"
+ }
+ },
+ {
+ "id": "baec3d8f149f7452",
+ "question": "How old is The Weeknd?",
+ "decomposition": [],
+ "answer": 33,
+ "depends_on": [
+ "2e8a09822de02230"
+ ],
+ "evidence": {
+ "pageid": 31329803,
+ "revid": 1185361806,
+ "title": "The Weeknd",
+ "url": "https://en.wikipedia.org/wiki/The_Weeknd"
+ }
+ },
+ {
+ "id": "5d6c1ea9ef7befb3",
+ "question": "How old is Ariana Grande?",
+ "decomposition": [],
+ "answer": 30,
+ "depends_on": [
+ "2e8a09822de02230"
+ ],
+ "evidence": {
+ "pageid": 25276055,
+ "revid": 1185512255,
+ "title": "Ariana Grande",
+ "url": "https://en.wikipedia.org/wiki/Ariana_Grande"
+ }
+ },
+ {
+ "id": "2c6048dffb0e1dcd",
+ "question": "How old is Justin Bieber?",
+ "decomposition": [],
+ "answer": 29,
+ "depends_on": [
+ "2e8a09822de02230"
+ ],
+ "evidence": {
+ "pageid": 23680998,
+ "revid": 1185638245,
+ "title": "Justin Bieber",
+ "url": "https://en.wikipedia.org/wiki/Justin_Bieber"
+ }
+ },
+ {
+ "id": "5e4bef81f28871d5",
+ "question": "How old is Mariah Carey?",
+ "decomposition": [],
+ "answer": 54,
+ "depends_on": [
+ "2e8a09822de02230"
+ ],
+ "evidence": {
+ "pageid": 19499,
+ "revid": 1184957549,
+ "title": "Mariah Carey",
+ "url": "https://en.wikipedia.org/wiki/Mariah_Carey"
+ }
+ }
+ ],
+ "answer": {
+ "Taylor Swift": 34,
+ "The Weeknd": 33,
+ "Ariana Grande": 30,
+ "Justin Bieber": 29,
+ "Mariah Carey": 54
+ },
+ "categories": [
+ "Music",
+ "Computer Science"
+ ]
+ },
+ {
+ "id": "f895057b6c83748e",
+ "question": "What was the population in the 2010s of the five most populous cities in the world?",
+ "decomposition": [
+ {
+ "id": "4a692aa79a60e682",
+ "question": "What are the 5 most populous cities in the world in the 2010s?",
+ "decomposition": [],
+ "answer": [
+ "Tokyo",
+ "Delhi",
+ "Shanghai",
+ "Sao Paulo",
+ "Meixco City"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14649921,
+ "revid": 1184671739,
+ "title": "List of largest cities",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_cities"
+ }
+ },
+ {
+ "id": "7b2fddfb92a590f3",
+ "question": "What was the population of Tokyo in the 2010s?",
+ "decomposition": [],
+ "answer": 13159388,
+ "depends_on": [
+ "4a692aa79a60e682"
+ ],
+ "evidence": {
+ "pageid": 30057,
+ "revid": 1185512854,
+ "title": "Tokyo",
+ "url": "https://en.wikipedia.org/wiki/Tokyo#Demographics"
+ }
+ },
+ {
+ "id": "69f6b0acf8b852b5",
+ "question": "What was the population of Delhi in the 2010s?",
+ "decomposition": [],
+ "answer": 16753235,
+ "depends_on": [
+ "4a692aa79a60e682"
+ ],
+ "evidence": {
+ "pageid": 37756,
+ "revid": 1185858759,
+ "title": "Delhi",
+ "url": "https://en.wikipedia.org/wiki/Delhi#Demographics"
+ }
+ },
+ {
+ "id": "2622787974352763",
+ "question": "What was the population of Shanghai in the 2010s?",
+ "decomposition": [],
+ "answer": 23019200,
+ "depends_on": [
+ "4a692aa79a60e682"
+ ],
+ "evidence": {
+ "pageid": 27643,
+ "revid": 1185922962,
+ "title": "Shanghai",
+ "url": "https://en.wikipedia.org/wiki/Shanghai#Demographics"
+ }
+ },
+ {
+ "id": "c4bde875f67f625d",
+ "question": "What was the population of Sao Paulo in the 2010s?",
+ "decomposition": [],
+ "answer": 11253503,
+ "depends_on": [
+ "4a692aa79a60e682"
+ ],
+ "evidence": {
+ "pageid": 390875,
+ "revid": 1185771387,
+ "title": "S\u00e3o Paulo",
+ "url": "https://en.wikipedia.org/wiki/S%C3%A3o_Paulo#Demographics"
+ }
+ },
+ {
+ "id": "4e8891e4cc21a747",
+ "question": "What was the population of Mexico City in the 2010s?",
+ "decomposition": [],
+ "answer": 20136908,
+ "depends_on": [
+ "4a692aa79a60e682"
+ ],
+ "evidence": {
+ "pageid": 18987,
+ "revid": 1185243080,
+ "title": "Mexico City",
+ "url": "https://en.wikipedia.org/wiki/Mexico_City#Demographics"
+ }
+ }
+ ],
+ "answer": {
+ "Tokyo": 13159388,
+ "Delhi": 16753235,
+ "Shanghai": 23019200,
+ "Sao Paulo": 11253503,
+ "Mexico City": 20136908
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "4c66f78757f3863f",
+ "question": "Who were the Nobel Laureates in Literature from 2010 to 2015, and what are the titles of their most famous works?",
+ "decomposition": [
+ {
+ "id": "4176566b9e944c1e",
+ "question": "Who were the Nobel Laureates in Literature from 2010 to 2015?",
+ "decomposition": [],
+ "answer": [
+ "Mario Vargas Llosa",
+ "Tomas Transtr\u00f6mer",
+ "Mo Yan",
+ "Alice Munro",
+ "Patrick Modiano",
+ "Svetlana Alexievich"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11636805,
+ "revid": 1184417377,
+ "title": "List of Nobel laureates in Literature",
+ "url": "https://en.wikipedia.org/wiki/List_of_Nobel_laureates_in_Literature"
+ }
+ },
+ {
+ "id": "7cd0297c4e71cf3a",
+ "question": "What is the title of the latest work of Mario Vargas Llosa?",
+ "decomposition": [],
+ "answer": "Tiempos recios",
+ "depends_on": [
+ "4176566b9e944c1e"
+ ],
+ "evidence": {
+ "pageid": 163278,
+ "revid": 1184818971,
+ "title": "Mario Vargas Llosa",
+ "url": "https://en.wikipedia.org/wiki/Mario_Vargas_Llosa"
+ }
+ },
+ {
+ "id": "140d9ae6cd435d28",
+ "question": "What is the title of the latest work of Tomas Transtr\u00f6mer?",
+ "decomposition": [],
+ "answer": "Bright Scythe: Selected Poems by Tomas Transtr\u00f6mer",
+ "depends_on": [
+ "4176566b9e944c1e"
+ ],
+ "evidence": {
+ "pageid": 1091130,
+ "revid": 1166089031,
+ "title": "Tomas Transtr\u00f6mer",
+ "url": "https://en.wikipedia.org/wiki/Tomas_Transtr%C3%B6mer"
+ }
+ },
+ {
+ "id": "6b5dd4bd3500ee09",
+ "question": "What is the title of the most famous work of Mo Yan?",
+ "decomposition": [],
+ "answer": "A Late Bloomer",
+ "depends_on": [
+ "4176566b9e944c1e"
+ ],
+ "evidence": {
+ "pageid": 1052811,
+ "revid": 1181065315,
+ "title": "Mo Yan",
+ "url": "https://en.wikipedia.org/wiki/Mo_Yan"
+ }
+ },
+ {
+ "id": "b8b42b44e7eacb66",
+ "question": "What is the title of the most famous work of Alice Munro?",
+ "decomposition": [],
+ "answer": "Family Furnishings: Selected Stories",
+ "depends_on": [
+ "4176566b9e944c1e"
+ ],
+ "evidence": {
+ "pageid": 290474,
+ "revid": 1185034226,
+ "title": "Alice Munro",
+ "url": "https://en.wikipedia.org/wiki/Alice_Munro"
+ }
+ },
+ {
+ "id": "8d84d533fad14608",
+ "question": "What is the title of the most famous work of Patrick Modiano?",
+ "decomposition": [],
+ "answer": "La Danseuse",
+ "depends_on": [
+ "4176566b9e944c1e"
+ ],
+ "evidence": {
+ "pageid": 6731930,
+ "revid": 1176898041,
+ "title": "Patrick Modiano",
+ "url": "https://en.wikipedia.org/wiki/Patrick_Modiano"
+ }
+ },
+ {
+ "id": "37d4b2759f09ae72",
+ "question": "What is the title of the most famous work of Svetlana Alexievich?",
+ "decomposition": [],
+ "answer": "\u0412\u0440\u0435\u043c\u044f \u0441\u0435\u043a\u043e\u043d\u0434 \u0445\u044d\u043d\u0434",
+ "depends_on": [
+ "4176566b9e944c1e"
+ ],
+ "evidence": {
+ "pageid": 8207719,
+ "revid": 1169834918,
+ "title": "Svetlana Alexievich",
+ "url": "https://en.wikipedia.org/wiki/Svetlana_Alexievich"
+ }
+ }
+ ],
+ "answer": {
+ "Mario Vargas Llosa": "Tiempos recios",
+ "Tomas Transtr\u00f6mer": "Bright Scythe: Selected Poems by Tomas Transtr\u00f6mer",
+ "Mo Yan": "A Late Bloomer",
+ "Alice Munro": "Family Furnishings: Selected Stories",
+ "Patrick Modiano": "La Danseuse",
+ "Svetlana Alexievich": "\u0412\u0440\u0435\u043c\u044f \u0441\u0435\u043a\u043e\u043d\u0434 \u0445\u044d\u043d\u0434"
+ },
+ "categories": [
+ "Literature",
+ "History"
+ ]
+ },
+ {
+ "id": "e99050b7d48c7145",
+ "question": "What is the size in square kilometers of the territories of the top 5 richest countries with the highest GDP per capita?",
+ "decomposition": [
+ {
+ "id": "05983a6249a07aae",
+ "question": "What are the top 5 richest countries?",
+ "decomposition": [],
+ "answer": [
+ "Luxembourg",
+ "Ireland",
+ "Singapore",
+ "Liechtensteins",
+ "Qatar"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 695403,
+ "revid": 1184371248,
+ "title": "List of countries by GDP (PPP) per capita",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_GDP_(PPP)_per_capita"
+ }
+ },
+ {
+ "id": "3abfcb7d1cd99941",
+ "question": "How large is the territory of Luxembourg?",
+ "decomposition": [],
+ "answer": "2,586 square kilometers",
+ "depends_on": [
+ "05983a6249a07aae"
+ ],
+ "evidence": {
+ "pageid": 17515,
+ "revid": 1185517682,
+ "title": "Luxembourg",
+ "url": "https://en.wikipedia.org/wiki/Luxembourg"
+ }
+ },
+ {
+ "id": "3c0b6580ee214ce0",
+ "question": "How large is the territory of Ireland?",
+ "decomposition": [],
+ "answer": "81,638 square kilometers",
+ "depends_on": [
+ "05983a6249a07aae"
+ ],
+ "evidence": {
+ "pageid": 147575,
+ "revid": 1185018527,
+ "title": "Ireland",
+ "url": "https://en.wikipedia.org/wiki/Ireland"
+ }
+ },
+ {
+ "id": "a79da45ee7353336",
+ "question": "How large is the territory of Singapore?",
+ "decomposition": [],
+ "answer": "734 square kilometers",
+ "depends_on": [
+ "05983a6249a07aae"
+ ],
+ "evidence": {
+ "pageid": 1015816,
+ "revid": 1181232554,
+ "title": "Geography of Singapore",
+ "url": "https://en.wikipedia.org/wiki/Geography_of_Singapore"
+ }
+ },
+ {
+ "id": "7ca1e251e82373f1",
+ "question": "How large is the territory of Liechtensteins?",
+ "decomposition": [],
+ "answer": "160 square kilometers",
+ "depends_on": [
+ "05983a6249a07aae"
+ ],
+ "evidence": {
+ "pageid": 17810,
+ "revid": 1185735722,
+ "title": "Liechtenstein",
+ "url": "https://en.wikipedia.org/wiki/Liechtenstein"
+ }
+ },
+ {
+ "id": "81101c43df1bd447",
+ "question": "How large is the territory of Qatar?",
+ "decomposition": [],
+ "answer": "11,571 square kilometers",
+ "depends_on": [
+ "05983a6249a07aae"
+ ],
+ "evidence": {
+ "pageid": 25188,
+ "revid": 1184150309,
+ "title": "Geography of Qatar",
+ "url": "https://en.wikipedia.org/wiki/Geography_of_Qatar"
+ }
+ }
+ ],
+ "answer": {
+ "Luxembourg": "2,586 square kilometers",
+ "Ireland": "81,638 square kilometers",
+ "Singapore": "734 square kilometers",
+ "Liechtensteins": "160 square kilometers",
+ "Qatar": "11,571 square kilometers"
+ },
+ "categories": [
+ "Economics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "2858e20191f6bda4",
+ "question": "What are the names and heights in meters of the top 5 tallest mountains in the world?",
+ "decomposition": [
+ {
+ "id": "9387c2698404080f",
+ "question": "What are the name of the top 5 tallest mountains?",
+ "decomposition": [],
+ "answer": [
+ "Mount Everest",
+ "K2",
+ "Kangchenjunga",
+ "Lhotse",
+ "Makalu"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1821694,
+ "revid": 1183163225,
+ "title": "List of highest mountains on Earth",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest_mountains_on_Earth"
+ }
+ },
+ {
+ "id": "c5713ed35768e9a4",
+ "question": "What is the height of Mount Everest?",
+ "decomposition": [],
+ "answer": 8848.86,
+ "depends_on": [
+ "9387c2698404080f"
+ ],
+ "evidence": {
+ "pageid": 42179,
+ "revid": 1184999603,
+ "title": "Mount Everest",
+ "url": "https://en.wikipedia.org/wiki/Mount_Everest"
+ }
+ },
+ {
+ "id": "da23fc381bfd374a",
+ "question": "What is the height of K2?",
+ "decomposition": [],
+ "answer": 8611,
+ "depends_on": [
+ "9387c2698404080f"
+ ],
+ "evidence": {
+ "pageid": 17359,
+ "revid": 1178193327,
+ "title": "K2",
+ "url": "https://en.wikipedia.org/wiki/K2"
+ }
+ },
+ {
+ "id": "89d011d33fa8bcfc",
+ "question": "What is the height of Kangchenjunga?",
+ "decomposition": [],
+ "answer": 8586,
+ "depends_on": [
+ "9387c2698404080f"
+ ],
+ "evidence": {
+ "pageid": 17073,
+ "revid": 1184860365,
+ "title": "Kangchenjunga",
+ "url": "https://en.wikipedia.org/wiki/Kangchenjunga"
+ }
+ },
+ {
+ "id": "698179cd0c1e1072",
+ "question": "What is the height of Lhotse?",
+ "decomposition": [],
+ "answer": 8516,
+ "depends_on": [
+ "9387c2698404080f"
+ ],
+ "evidence": {
+ "pageid": 234548,
+ "revid": 1185539994,
+ "title": "Lhotse",
+ "url": "https://en.wikipedia.org/wiki/Lhotse"
+ }
+ },
+ {
+ "id": "f5152abe4e12747a",
+ "question": "What is the height of Makalu?",
+ "decomposition": [],
+ "answer": 8481,
+ "depends_on": [
+ "9387c2698404080f"
+ ],
+ "evidence": {
+ "pageid": 295084,
+ "revid": 1174766353,
+ "title": "Makalu",
+ "url": "https://en.wikipedia.org/wiki/Makalu"
+ }
+ }
+ ],
+ "answer": {
+ "Mount Everest": 8848.86,
+ "K2": 8611,
+ "Kangchenjunga": 8586,
+ "Lhotse": 8516,
+ "Makalu": 8481
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "ff866ee3e2bf4820",
+ "question": "What are the campus sizes, in acres, of the Ivy League colleges?",
+ "decomposition": [
+ {
+ "id": "0abf1cd477c7a560",
+ "question": "What colleges are in the Ivy League?",
+ "decomposition": [],
+ "answer": [
+ "Brown University",
+ "Columbia University",
+ "Cornell University",
+ "Dartmouth College",
+ "Harvard University",
+ "University of Pennsylvania",
+ "Princeton University",
+ "Yale University"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14975,
+ "revid": 1185923896,
+ "title": "Ivy League",
+ "url": "https://en.wikipedia.org/wiki/Ivy_League"
+ }
+ },
+ {
+ "id": "742a9b2e46c5cd52",
+ "question": "What is the campus size of Brown University?",
+ "decomposition": [],
+ "answer": "143 acres",
+ "depends_on": [
+ "0abf1cd477c7a560"
+ ],
+ "evidence": {
+ "pageid": 4157,
+ "revid": 1185769999,
+ "title": "Brown University",
+ "url": "https://en.wikipedia.org/wiki/Brown_University"
+ }
+ },
+ {
+ "id": "1620fa925e780346",
+ "question": "What is the campus size of Columbia University?",
+ "decomposition": [],
+ "answer": "299 acres",
+ "depends_on": [
+ "0abf1cd477c7a560"
+ ],
+ "evidence": {
+ "pageid": 6310,
+ "revid": 1185631345,
+ "title": "Columbia University",
+ "url": "https://en.wikipedia.org/wiki/Columbia_University"
+ }
+ },
+ {
+ "id": "23559d60f8c4894c",
+ "question": "What is the campus size of Cornell University?",
+ "decomposition": [],
+ "answer": "745 acres",
+ "depends_on": [
+ "0abf1cd477c7a560"
+ ],
+ "evidence": {
+ "pageid": 7954422,
+ "revid": 1185934071,
+ "title": "Cornell University",
+ "url": "https://en.wikipedia.org/wiki/Cornell_University"
+ }
+ },
+ {
+ "id": "dc3864a7ba9c530b",
+ "question": "What is the campus size of Darmouth College?",
+ "decomposition": [],
+ "answer": "31869 acres",
+ "depends_on": [
+ "0abf1cd477c7a560"
+ ],
+ "evidence": {
+ "pageid": 8418,
+ "revid": 1185637041,
+ "title": "Dartmouth College",
+ "url": "https://en.wikipedia.org/wiki/Dartmouth_College"
+ }
+ },
+ {
+ "id": "16ee58322f5987e6",
+ "question": "What is the campus size of Harvard University?",
+ "decomposition": [],
+ "answer": "209 acres",
+ "depends_on": [
+ "0abf1cd477c7a560"
+ ],
+ "evidence": {
+ "pageid": 18426501,
+ "revid": 1185051550,
+ "title": "Harvard University",
+ "url": "https://en.wikipedia.org/wiki/Harvard_University"
+ }
+ },
+ {
+ "id": "0303339b25e5bf40",
+ "question": "What is the campus size of University of Pennsylvnia?",
+ "decomposition": [],
+ "answer": "1085 acres",
+ "depends_on": [
+ "0abf1cd477c7a560"
+ ],
+ "evidence": {
+ "pageid": 31793,
+ "revid": 1185817557,
+ "title": "University of Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/University_of_Pennsylvania"
+ }
+ },
+ {
+ "id": "4faa292fd5a0fcdb",
+ "question": "What is the campus size of Princeton University?",
+ "decomposition": [],
+ "answer": "600 acres",
+ "depends_on": [
+ "0abf1cd477c7a560"
+ ],
+ "evidence": {
+ "pageid": 23922,
+ "revid": 1185831342,
+ "title": "Princeton University",
+ "url": "https://en.wikipedia.org/wiki/Princeton_University"
+ }
+ },
+ {
+ "id": "e3f111cabbf0568f",
+ "question": "What is the campus size of Yale University?",
+ "decomposition": [],
+ "answer": "1015 acres",
+ "depends_on": [
+ "0abf1cd477c7a560"
+ ],
+ "evidence": {
+ "pageid": 34273,
+ "revid": 1185621306,
+ "title": "Yale University",
+ "url": "https://en.wikipedia.org/wiki/Yale_University"
+ }
+ }
+ ],
+ "answer": {
+ "Dartmouth College": "31869 acres",
+ "University of Pennsylvania": "1085 acres",
+ "Yale University": "1015 acres",
+ "Cornell University": "745 acres",
+ "Princeton University": "600 acres",
+ "Columbia University": "299 acres",
+ "Harvard University": "209 acres",
+ "Brown University": "143 acres"
+ },
+ "categories": [
+ "Education"
+ ]
+ },
+ {
+ "id": "4dd70c56d2a46e18",
+ "question": "What are the names of popular violinists whose last names start with N or Z, and what are their websites?",
+ "decomposition": [
+ {
+ "id": "5742e874e871bdbb",
+ "question": "What are the names of popular violinists who's last names start with N or Z?",
+ "decomposition": [],
+ "answer": [
+ "M\u00e1ir\u00e9ad Nesbitt",
+ "Nash the Slash",
+ "Sarah Neufeld",
+ "Joel Zifkin"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17687245,
+ "revid": 1150009970,
+ "title": "List of popular music violinists",
+ "url": "https://en.wikipedia.org/wiki/List_of_popular_music_violinists"
+ }
+ },
+ {
+ "id": "e62d4b478896e46a",
+ "question": "What is M\u00e1ir\u00e9ad Nesbitt's website?",
+ "decomposition": [],
+ "answer": "www.maireadnesbittviolin.com",
+ "depends_on": [
+ "5742e874e871bdbb"
+ ],
+ "evidence": {
+ "pageid": 8243935,
+ "revid": 1169590801,
+ "title": "M\u00e1ir\u00e9ad Nesbitt",
+ "url": "https://en.wikipedia.org/wiki/M%C3%A1ir%C3%A9ad_Nesbitt"
+ }
+ },
+ {
+ "id": "00ee8c8b8eb177f2",
+ "question": "What is Nash the Slash's website?",
+ "decomposition": [],
+ "answer": "www.nashtheslash.com",
+ "depends_on": [
+ "5742e874e871bdbb"
+ ],
+ "evidence": {
+ "pageid": 1254515,
+ "revid": 1184029970,
+ "title": "Nash the Slash",
+ "url": "https://en.wikipedia.org/wiki/Nash_the_Slash"
+ }
+ },
+ {
+ "id": "42b592d629d8c1c2",
+ "question": "What is Sarah Neufeld's website?",
+ "decomposition": [],
+ "answer": "sarahneufeldmusic.com",
+ "depends_on": [
+ "5742e874e871bdbb"
+ ],
+ "evidence": {
+ "pageid": 3115175,
+ "revid": 1164714701,
+ "title": "Sarah Neufeld",
+ "url": "https://en.wikipedia.org/wiki/Sarah_Neufeld"
+ }
+ },
+ {
+ "id": "2b02ad463ead8ce2",
+ "question": "What is Joel Zifkin's website?",
+ "decomposition": [],
+ "answer": "https://www.facebook.com/pages/Joel-Zifkin/236365336470?ref=ts",
+ "depends_on": [
+ "5742e874e871bdbb"
+ ],
+ "evidence": {
+ "pageid": 2222779,
+ "revid": 1175128849,
+ "title": "Joel Zifkin",
+ "url": "https://en.wikipedia.org/wiki/Joel_Zifkin"
+ }
+ }
+ ],
+ "answer": {
+ "M\u00e1ir\u00e9ad Nesbitt": "www.maireadnesbittviolin.com",
+ "Nash the Slash": "https://en.wikipedia.org/wiki/Nash_the_Slash",
+ "Sarah Neufeld": "https://en.wikipedia.org/wiki/Sarah_Neufeld",
+ "Joel Zifkin": "https://www.facebook.com/pages/Joel-Zifkin/236365336470?ref=ts"
+ },
+ "categories": [
+ "Music",
+ "Internet"
+ ]
+ },
+ {
+ "id": "f2295d27820f8ac2",
+ "question": "What are the 5 most popular dog breeds in America and their place of origin, ordered from most to least popular?",
+ "decomposition": [
+ {
+ "id": "84bf8feb21aee239",
+ "question": "Find the 5 most popular dog breeds in America.",
+ "decomposition": [],
+ "answer": [
+ "Labrador Retriever",
+ "Yorkshire Terrier",
+ "German Shepherd",
+ "Golden Retriever",
+ "Beagle"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9387389,
+ "revid": 1155468347,
+ "title": "List of most popular dog breeds",
+ "url": "https://en.wikipedia.org/wiki/List_of_most_popular_dog_breeds"
+ }
+ },
+ {
+ "id": "126bbc4e079fc9c0",
+ "question": "Where did the Labrador Retriever originate?",
+ "decomposition": [],
+ "answer": "United Kingdom",
+ "depends_on": [
+ "84bf8feb21aee239"
+ ],
+ "evidence": {
+ "pageid": 79280,
+ "revid": 1185677733,
+ "title": "Labrador Retriever",
+ "url": "https://en.wikipedia.org/wiki/Labrador_Retriever"
+ }
+ },
+ {
+ "id": "8e7f316ff9fc0f57",
+ "question": "Where did the Yorkshire Terrier originate?",
+ "decomposition": [],
+ "answer": "Yorkshire, England",
+ "depends_on": [
+ "84bf8feb21aee239"
+ ],
+ "evidence": {
+ "pageid": 361299,
+ "revid": 1185262208,
+ "title": "Yorkshire Terrier",
+ "url": "https://en.wikipedia.org/wiki/Yorkshire_Terrier"
+ }
+ },
+ {
+ "id": "2f5f6ab3a1f55556",
+ "question": "Where did the German Shepherd originate?",
+ "decomposition": [],
+ "answer": "Germany",
+ "depends_on": [
+ "84bf8feb21aee239"
+ ],
+ "evidence": {
+ "pageid": 79289,
+ "revid": 1185371418,
+ "title": "German Shepherd",
+ "url": "https://en.wikipedia.org/wiki/German_Shepherd"
+ }
+ },
+ {
+ "id": "b8fa772e460a1550",
+ "question": "Where did the Golden Retriever originate?",
+ "decomposition": [],
+ "answer": "Scotland",
+ "depends_on": [
+ "84bf8feb21aee239"
+ ],
+ "evidence": {
+ "pageid": 21022536,
+ "revid": 1184207415,
+ "title": "Golden Retriever",
+ "url": "https://en.wikipedia.org/wiki/Golden_Retriever"
+ }
+ },
+ {
+ "id": "ddfa99955cf5054e",
+ "question": "Where did the Beagle originate?",
+ "decomposition": [],
+ "answer": "England",
+ "depends_on": [
+ "84bf8feb21aee239"
+ ],
+ "evidence": {
+ "pageid": 4368,
+ "revid": 1184279894,
+ "title": "Beagle",
+ "url": "https://en.wikipedia.org/wiki/Beagle"
+ }
+ }
+ ],
+ "answer": {
+ "Labrador Retriever": "United Kingdom",
+ "Yorkshire Terrier": "Yorkshire, England",
+ "German Shepherd": "Germany",
+ "Golden Retriever": "Scotland",
+ "Beagle": "England"
+ },
+ "categories": [
+ "Zoology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "085aa1592424a7be",
+ "question": "What are the five largest states in the United States by area, and what are their populations?",
+ "decomposition": [
+ {
+ "id": "5f798da8a6a97669",
+ "question": "What are the 5 largest states in the United States?",
+ "decomposition": [],
+ "answer": [
+ "Alaska",
+ "Texas",
+ "California",
+ "Montana",
+ "New Mexico"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 87513,
+ "revid": 1173100807,
+ "title": "List of U.S. states and territories by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_U.S._states_and_territories_by_area"
+ }
+ },
+ {
+ "id": "19593a5e8f7b18a1",
+ "question": "What is the population of Alaska?",
+ "decomposition": [],
+ "answer": 736081,
+ "depends_on": [
+ "5f798da8a6a97669"
+ ],
+ "evidence": {
+ "pageid": 624,
+ "revid": 1185663816,
+ "title": "Alaska",
+ "url": "https://en.wikipedia.org/wiki/Alaska"
+ }
+ },
+ {
+ "id": "6f05c03598282ee6",
+ "question": "What is the population of Texas?",
+ "decomposition": [],
+ "answer": 29145505,
+ "depends_on": [
+ "5f798da8a6a97669"
+ ],
+ "evidence": {
+ "pageid": 29810,
+ "revid": 1184801241,
+ "title": "Texas",
+ "url": "https://en.wikipedia.org/wiki/Texas"
+ }
+ },
+ {
+ "id": "dba5ecc74746b158",
+ "question": "What is the population of California?",
+ "decomposition": [],
+ "answer": 38940231,
+ "depends_on": [
+ "5f798da8a6a97669"
+ ],
+ "evidence": {
+ "pageid": 5407,
+ "revid": 1185824790,
+ "title": "California",
+ "url": "https://en.wikipedia.org/wiki/California"
+ }
+ },
+ {
+ "id": "6efccddf9a47f2ad",
+ "question": "What is the population of Montana?",
+ "decomposition": [],
+ "answer": 1122867,
+ "depends_on": [
+ "5f798da8a6a97669"
+ ],
+ "evidence": {
+ "pageid": 19978,
+ "revid": 1180753026,
+ "title": "Montana",
+ "url": "https://en.wikipedia.org/wiki/Montana"
+ }
+ },
+ {
+ "id": "6e3acb1dca48e6c2",
+ "question": "What is the population of New Mexico?",
+ "decomposition": [],
+ "answer": 2117522,
+ "depends_on": [
+ "5f798da8a6a97669"
+ ],
+ "evidence": {
+ "pageid": 21649,
+ "revid": 1185671361,
+ "title": "New Mexico",
+ "url": "https://en.wikipedia.org/wiki/New_Mexico"
+ }
+ }
+ ],
+ "answer": {
+ "Alaska": 736081,
+ "Texas": 29145505,
+ "California": 38940231,
+ "Montana": 1122867,
+ "New Mexico": 2117522
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "eac47a26c6ec1699",
+ "question": "Who are the current presidents of the nine Colonial Colleges in the United States?",
+ "decomposition": [
+ {
+ "id": "2fb2f7bf7a638df7",
+ "question": "What are the nine Colonial Colleges?",
+ "decomposition": [],
+ "answer": [
+ "New College (Harvard University)",
+ "College of William & Mary",
+ "Collegiate School (Yale University)",
+ "College of New Jersey (Princeton University)",
+ "King's College (Columbia University)",
+ "College of Philadelphia (University of Pennsylvania)",
+ "College of Rhode Island (Brown University)",
+ "Queen's College (Rutgers University)",
+ "Dartmouth College"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 759342,
+ "revid": 1173079238,
+ "title": "Colonial colleges",
+ "url": "https://en.wikipedia.org/wiki/Colonial_colleges"
+ }
+ },
+ {
+ "id": "e74c94046052d8c8",
+ "question": "Who is the current president of New College (Harvard University)?",
+ "decomposition": [],
+ "answer": "Claudine Gay",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 18426501,
+ "revid": 1185051550,
+ "title": "Harvard University",
+ "url": "https://en.wikipedia.org/wiki/Harvard_University"
+ }
+ },
+ {
+ "id": "5f4de75d0f2d6796",
+ "question": "Who is the current president of College of William & Mary?",
+ "decomposition": [],
+ "answer": "Robert Gates",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 175966,
+ "revid": 1185655900,
+ "title": "College of William & Mary",
+ "url": "https://en.wikipedia.org/wiki/College_of_William_%26_Mary"
+ }
+ },
+ {
+ "id": "164bc3c943852909",
+ "question": "Who is the current president of Collegiate School (Yale University)?",
+ "decomposition": [],
+ "answer": "Peter Salovey",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 34273,
+ "revid": 1185621306,
+ "title": "Yale University",
+ "url": "https://en.wikipedia.org/wiki/Yale_University"
+ }
+ },
+ {
+ "id": "b40b03a38567fe43",
+ "question": "Who is the current president of College of New Jersey (Princeton University)?",
+ "decomposition": [],
+ "answer": "Christopher L. Eisgruber",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 23922,
+ "revid": 1185831342,
+ "title": "Princeton University",
+ "url": "https://en.wikipedia.org/wiki/Princeton_University"
+ }
+ },
+ {
+ "id": "e262d849c42adabb",
+ "question": "Who is the current president of King's College (Columbia University)?",
+ "decomposition": [],
+ "answer": "Minouche Shafik",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 6310,
+ "revid": 1185631345,
+ "title": "Columbia University",
+ "url": "https://en.wikipedia.org/wiki/Columbia_University"
+ }
+ },
+ {
+ "id": "9c1127e875e8e8ff",
+ "question": "Who is the current president of College of Philadelphia (University of Pennsylvania)?",
+ "decomposition": [],
+ "answer": "M. Elizabeth Magill",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 31793,
+ "revid": 1185817557,
+ "title": "University of Pennsylvania",
+ "url": "https://en.wikipedia.org/wiki/University_of_Pennsylvania"
+ }
+ },
+ {
+ "id": "5406d21f9f44c41e",
+ "question": "Who is the current president of College of Rhode Island (Brown University)?",
+ "decomposition": [],
+ "answer": "Christina Paxson",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 4157,
+ "revid": 1185769999,
+ "title": "Brown University",
+ "url": "https://en.wikipedia.org/wiki/Brown_University"
+ }
+ },
+ {
+ "id": "a0bfe54eda5f6523",
+ "question": "Who is the current president of Queen's College (Rutgers University)?",
+ "decomposition": [],
+ "answer": "Jonathan Holloway",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 80135,
+ "revid": 1185734258,
+ "title": "Rutgers University",
+ "url": "https://en.wikipedia.org/wiki/Rutgers_University"
+ }
+ },
+ {
+ "id": "5414c45e1dd2c08c",
+ "question": "Who is the current president of Dartmouth College?",
+ "decomposition": [],
+ "answer": "Sian Beilock",
+ "depends_on": [
+ "2fb2f7bf7a638df7"
+ ],
+ "evidence": {
+ "pageid": 8418,
+ "revid": 1185637041,
+ "title": "Dartmouth College",
+ "url": "https://en.wikipedia.org/wiki/Dartmouth_College"
+ }
+ }
+ ],
+ "answer": {
+ "New College (Harvard University)": "Claudine Gay",
+ "College of William & Mary": "Robert Gates",
+ "Collegiate School (Yale University)": "Peter Salovey",
+ "College of New Jersey (Princeton University)": "Christopher L. Eisgruber",
+ "King's College (Columbia University)": "Minouche Shafik",
+ "College of Philadelphia (University of Pennsylvania)": "M. Elizabeth Magill",
+ "College of Rhode Island (Brown University)": "Christina Paxson",
+ "Queen's College (Rutgers University)": "Jonathan Holloway",
+ "Dartmouth College": "Sian Beilock"
+ },
+ "categories": [
+ "Education",
+ "History"
+ ]
+ },
+ {
+ "id": "d37ba10545924859",
+ "question": "When did the Philadelphia teams in MLB, NBA, NFL, and NHL win their first championships?",
+ "decomposition": [
+ {
+ "id": "42ffe8d98500e735",
+ "question": "What MLB sport team is in Philadelphia?",
+ "decomposition": [],
+ "answer": "Philadelphia Phillies",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 38776,
+ "revid": 1185470496,
+ "title": "Major League Baseball",
+ "url": "https://en.wikipedia.org/wiki/Major_League_Baseball"
+ }
+ },
+ {
+ "id": "b7a546cff07c1a40",
+ "question": "What NBA sport team is in Philadelphia?",
+ "decomposition": [],
+ "answer": "Philadelphia 76ers",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 22093,
+ "revid": 1185179929,
+ "title": "National Basketball Association",
+ "url": "https://en.wikipedia.org/wiki/National_Basketball_Association"
+ }
+ },
+ {
+ "id": "671be5e2b3e3c7d9",
+ "question": "What NFL sport team is in Philadelphia?",
+ "decomposition": [],
+ "answer": "Philadelphia Eagles",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21211,
+ "revid": 1185428333,
+ "title": "National Football League",
+ "url": "https://en.wikipedia.org/wiki/National_Football_League"
+ }
+ },
+ {
+ "id": "ba53fba11d920ae0",
+ "question": "What NHL sport team is in Philadelphia?",
+ "decomposition": [],
+ "answer": "Philadelphia Flyers",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21809,
+ "revid": 1185934559,
+ "title": "National Hockey League",
+ "url": "https://en.wikipedia.org/wiki/National_Hockey_League"
+ }
+ },
+ {
+ "id": "22e8d818fe925836",
+ "question": "When did the Philadelphia Phillies win their first championship?",
+ "decomposition": [],
+ "answer": "1980",
+ "depends_on": [
+ "42ffe8d98500e735",
+ "b7a546cff07c1a40",
+ "671be5e2b3e3c7d9",
+ "ba53fba11d920ae0"
+ ],
+ "evidence": {
+ "pageid": 23741,
+ "revid": 1184969831,
+ "title": "Philadelphia Phillies",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia_Phillies"
+ }
+ },
+ {
+ "id": "16d94364aeb393ac",
+ "question": "When did the Philadelphia 76ers win their first championship?",
+ "decomposition": [],
+ "answer": "1955",
+ "depends_on": [
+ "42ffe8d98500e735",
+ "b7a546cff07c1a40",
+ "671be5e2b3e3c7d9",
+ "ba53fba11d920ae0"
+ ],
+ "evidence": {
+ "pageid": 72857,
+ "revid": 1184682710,
+ "title": "Philadelphia 76ers",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia_76ers"
+ }
+ },
+ {
+ "id": "c241792778cd638a",
+ "question": "When did the Philadelphia Eagles win their first championship?",
+ "decomposition": [],
+ "answer": "1948",
+ "depends_on": [
+ "42ffe8d98500e735",
+ "b7a546cff07c1a40",
+ "671be5e2b3e3c7d9",
+ "ba53fba11d920ae0"
+ ],
+ "evidence": {
+ "pageid": 23339,
+ "revid": 1185873905,
+ "title": "Philadelphia Eagles",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia_Eagles"
+ }
+ },
+ {
+ "id": "b7950185424c56bf",
+ "question": "When did the Philadelphia Flyers win their first championship?",
+ "decomposition": [],
+ "answer": "1974",
+ "depends_on": [
+ "42ffe8d98500e735",
+ "b7a546cff07c1a40",
+ "671be5e2b3e3c7d9",
+ "ba53fba11d920ae0"
+ ],
+ "evidence": {
+ "pageid": 66941,
+ "revid": 1184745609,
+ "title": "Philadelphia Flyers",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia_Flyers"
+ }
+ }
+ ],
+ "answer": {
+ "Philadelphia Phillies": "1980",
+ "Philadelphia 76ers": "1955",
+ "Philadelphia Eagles": "1948",
+ "Philadelphia Flyers": "1974"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "cfe8f23b3e45113c",
+ "question": "Did Sedol Lee win the Go game against Alpha Go?",
+ "decomposition": [
+ {
+ "id": "1ee715f96fcd2404",
+ "question": "What is AlphaGo?",
+ "decomposition": [],
+ "answer": "AlphaGo is a computer program that plays the board game Go.",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 49242352,
+ "revid": 1184183772,
+ "title": "AlphaGo",
+ "url": "https://en.wikipedia.org/wiki/AlphaGo"
+ }
+ },
+ {
+ "id": "de82ca53996bf975",
+ "question": "Who is Sedol Lee?",
+ "decomposition": [],
+ "answer": "Lee Sedol, or Lee Se-dol, is a former South Korean professional Go player of 9 dan rank.",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2158460,
+ "revid": 1178145542,
+ "title": "Lee Sedol",
+ "url": "https://en.wikipedia.org/wiki/Lee_Sedol"
+ }
+ },
+ {
+ "id": "9984ec9414eecc39",
+ "question": "What is game Go?",
+ "decomposition": [],
+ "answer": "Go is an abstract strategy board game for two players in which the aim is to surround more territory than the opponent.",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 64971,
+ "revid": 1185679297,
+ "title": "Go (game)",
+ "url": "https://en.wikipedia.org/wiki/Go_(game)"
+ }
+ },
+ {
+ "id": "2e7a1c812ad9b090",
+ "question": "When was the match between Sedol Lee and AlphaGo?",
+ "decomposition": [],
+ "answer": "AlphaGo versus Lee Sedol, also known as the DeepMind Challenge Match, was a five-game Go match between top Go player Lee Sedol and AlphaGo, a computer Go program developed by DeepMind, played in Seoul, South Korea between 9 and 15 March 2016.",
+ "depends_on": [
+ "1ee715f96fcd2404",
+ "de82ca53996bf975",
+ "9984ec9414eecc39"
+ ],
+ "evidence": {
+ "pageid": 49693402,
+ "revid": 1181264408,
+ "title": "AlphaGo versus Lee Sedol",
+ "url": "https://en.wikipedia.org/wiki/AlphaGo_versus_Lee_Sedol"
+ }
+ },
+ {
+ "id": "fc3e9ad90bc0c67d",
+ "question": "Was there any other games between Sedol Lee and AlphaGo?",
+ "decomposition": [],
+ "answer": false,
+ "depends_on": [
+ "1ee715f96fcd2404",
+ "de82ca53996bf975",
+ "9984ec9414eecc39"
+ ],
+ "evidence": {
+ "pageid": 53738976,
+ "revid": 1161893226,
+ "title": "Future of Go Summit",
+ "url": "https://en.wikipedia.org/wiki/Future_of_Go_Summit"
+ }
+ }
+ ],
+ "answer": false,
+ "categories": [
+ "Video Games",
+ "Technology"
+ ]
+ },
+ {
+ "id": "440957e02d1c61da",
+ "question": "Which member of the G7 has the smallest area?",
+ "decomposition": [
+ {
+ "id": "af594b2d4b69776b",
+ "question": "What are the countries in G7?",
+ "decomposition": [],
+ "answer": [
+ "Canada",
+ "France",
+ "Germany",
+ "Italy",
+ "Japan",
+ "United Kingdom",
+ "United States",
+ "European Union"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1196634,
+ "revid": 1185575195,
+ "title": "G7",
+ "url": "https://en.wikipedia.org/wiki/G7#Member_country_data"
+ }
+ },
+ {
+ "id": "81977bde5aeb378c",
+ "question": "What are the area in squared km of Canada?",
+ "decomposition": [],
+ "answer": 9984670,
+ "depends_on": [
+ "af594b2d4b69776b"
+ ],
+ "evidence": {
+ "pageid": 5042916,
+ "revid": 1185732441,
+ "title": "Canada",
+ "url": "https://en.wikipedia.org/wiki/Canada"
+ }
+ },
+ {
+ "id": "e47ab2c09a2076a0",
+ "question": "What are the area in squared km of France?",
+ "decomposition": [],
+ "answer": 643801,
+ "depends_on": [
+ "af594b2d4b69776b"
+ ],
+ "evidence": {
+ "pageid": 5843419,
+ "revid": 1185856656,
+ "title": "France",
+ "url": "https://en.wikipedia.org/wiki/France"
+ }
+ },
+ {
+ "id": "5987ea6bf0df9989",
+ "question": "What are the area in squared km of Italy?",
+ "decomposition": [],
+ "answer": 301340,
+ "depends_on": [
+ "af594b2d4b69776b"
+ ],
+ "evidence": {
+ "pageid": 14532,
+ "revid": 1185928833,
+ "title": "Italy",
+ "url": "https://en.wikipedia.org/wiki/Italy"
+ }
+ },
+ {
+ "id": "085da2e7f1bf48c0",
+ "question": "What are the area in squared km of Japan?",
+ "decomposition": [],
+ "answer": 377975,
+ "depends_on": [
+ "af594b2d4b69776b"
+ ],
+ "evidence": {
+ "pageid": 15573,
+ "revid": 1185720931,
+ "title": "Japan",
+ "url": "https://en.wikipedia.org/wiki/Japan"
+ }
+ },
+ {
+ "id": "b053b79ebfb44b16",
+ "question": "What are the area in squared km of United Kingdom?",
+ "decomposition": [],
+ "answer": 242495,
+ "depends_on": [
+ "af594b2d4b69776b"
+ ],
+ "evidence": {
+ "pageid": 31717,
+ "revid": 1185578678,
+ "title": "United Kingdom",
+ "url": "https://en.wikipedia.org/wiki/United_Kingdom"
+ }
+ },
+ {
+ "id": "29c4ac8a6979cb82",
+ "question": "What are the area in squared km of United States?",
+ "decomposition": [],
+ "answer": 3796742,
+ "depends_on": [
+ "af594b2d4b69776b"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "da11a7b8b0bfbc97",
+ "question": "What are the area in squared km of European Union?",
+ "decomposition": [],
+ "answer": 4233262,
+ "depends_on": [
+ "af594b2d4b69776b"
+ ],
+ "evidence": {
+ "pageid": 9317,
+ "revid": 1185848851,
+ "title": "European Union",
+ "url": "https://en.wikipedia.org/wiki/European_Union"
+ }
+ }
+ ],
+ "answer": "United Kingdom",
+ "categories": [
+ "Politics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "06d8809127b9e72d",
+ "question": "What is the conservation status of the five tallest tree species in the world?",
+ "decomposition": [
+ {
+ "id": "14c9803c4deb5fba",
+ "question": "What are the 5 tallest trees in the world?",
+ "decomposition": [],
+ "answer": [
+ "Coast redwood",
+ "Himalayan cypress",
+ "Yellow meranti",
+ "Mountain ash",
+ "Sitka spruce"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 62802048,
+ "revid": 1175717245,
+ "title": "List of tallest trees",
+ "url": "https://en.wikipedia.org/wiki/List_of_tallest_trees"
+ }
+ },
+ {
+ "id": "8f4b962cb299663c",
+ "question": "What is the conservation status of Coast redwood?",
+ "decomposition": [],
+ "answer": "Endangered",
+ "depends_on": [
+ "14c9803c4deb5fba"
+ ],
+ "evidence": {
+ "pageid": 23536889,
+ "revid": 1185245607,
+ "title": "Sequoia sempervirens",
+ "url": "https://en.wikipedia.org/wiki/Sequoia_sempervirens"
+ }
+ },
+ {
+ "id": "621305600a6f014a",
+ "question": "What is the conservation status of Himalayan cypress?",
+ "decomposition": [],
+ "answer": "Least Concern",
+ "depends_on": [
+ "14c9803c4deb5fba"
+ ],
+ "evidence": {
+ "pageid": 9114980,
+ "revid": 1174008059,
+ "title": "Cupressus torulosa",
+ "url": "https://en.wikipedia.org/wiki/Cupressus_torulosa"
+ }
+ },
+ {
+ "id": "79a6fc75acad453b",
+ "question": "What is the conservation status of Yellow meranti?",
+ "decomposition": [],
+ "answer": "Endangered",
+ "depends_on": [
+ "14c9803c4deb5fba"
+ ],
+ "evidence": {
+ "pageid": 12916535,
+ "revid": 1185796291,
+ "title": "Shorea faguetiana",
+ "url": "https://en.wikipedia.org/wiki/Shorea_faguetiana"
+ }
+ },
+ {
+ "id": "a52d3b95030332cc",
+ "question": "What is the conservation status of Mountain ash?",
+ "decomposition": [],
+ "answer": "Least Concern",
+ "depends_on": [
+ "14c9803c4deb5fba"
+ ],
+ "evidence": {
+ "pageid": 158181,
+ "revid": 1184522337,
+ "title": "Eucalyptus regnans",
+ "url": "https://en.wikipedia.org/wiki/Eucalyptus_regnans"
+ }
+ },
+ {
+ "id": "541229fa6772fe1e",
+ "question": "What is the conservation status of Sitka spruce?",
+ "decomposition": [],
+ "answer": "Least Concern",
+ "depends_on": [
+ "14c9803c4deb5fba"
+ ],
+ "evidence": {
+ "pageid": 715446,
+ "revid": 1177984409,
+ "title": "Picea sitchensis",
+ "url": "https://en.wikipedia.org/wiki/Picea_sitchensis"
+ }
+ }
+ ],
+ "answer": {
+ "Coast redwood": "Endangered",
+ "Himalayan cypress": "Least Concern",
+ "Yellow meranti": "Endangered",
+ "Mountain ash": "Least Concern",
+ "Sitka spruce": "Least Concern"
+ },
+ "categories": [
+ "Botany",
+ "Environmental Science"
+ ]
+ },
+ {
+ "id": "a6e1ce35a1434766",
+ "question": "In what year was each member of Blackpink born?",
+ "decomposition": [
+ {
+ "id": "475f5c4735ff8bb9",
+ "question": "Who are the members of Blackpink?",
+ "decomposition": [],
+ "answer": [
+ "Jisoo",
+ "Jennie",
+ "Ros\u00e9",
+ "Lisa"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 50949525,
+ "revid": 1185945194,
+ "title": "Blackpink",
+ "url": "https://en.wikipedia.org/wiki/Blackpink"
+ }
+ },
+ {
+ "id": "6490207ffb584492",
+ "question": "In what year was Jisoo born?",
+ "decomposition": [],
+ "answer": 1995,
+ "depends_on": [
+ "475f5c4735ff8bb9"
+ ],
+ "evidence": {
+ "pageid": 60551819,
+ "revid": 1185568019,
+ "title": "Jisoo",
+ "url": "https://en.wikipedia.org/wiki/Jisoo"
+ }
+ },
+ {
+ "id": "d910f85adeb74793",
+ "question": "In what year was Jennie born?",
+ "decomposition": [],
+ "answer": 1996,
+ "depends_on": [
+ "475f5c4735ff8bb9"
+ ],
+ "evidence": {
+ "pageid": 57227688,
+ "revid": 1185589826,
+ "title": "Jennie (singer)",
+ "url": "https://en.wikipedia.org/wiki/Jennie_(singer)"
+ }
+ },
+ {
+ "id": "a9f11664a88c2ef0",
+ "question": "In what year was Ros\u00e9 born?",
+ "decomposition": [],
+ "answer": 1997,
+ "depends_on": [
+ "475f5c4735ff8bb9"
+ ],
+ "evidence": {
+ "pageid": 58509537,
+ "revid": 1185590837,
+ "title": "Ros\u00e9 (singer)",
+ "url": "https://en.wikipedia.org/wiki/Ros%C3%A9_(singer)"
+ }
+ },
+ {
+ "id": "1bc76261debaa171",
+ "question": "In what year was Lisa born?",
+ "decomposition": [],
+ "answer": 1997,
+ "depends_on": [
+ "475f5c4735ff8bb9"
+ ],
+ "evidence": {
+ "pageid": 59226766,
+ "revid": 1185631909,
+ "title": "Lisa (rapper)",
+ "url": "https://en.wikipedia.org/wiki/Lisa_(rapper)"
+ }
+ }
+ ],
+ "answer": {
+ "Jisoo": 1995,
+ "Jennie": 1996,
+ "Ros\u00e9": 1997,
+ "Lisa": 1997
+ },
+ "categories": [
+ "Music",
+ "Culture"
+ ]
+ },
+ {
+ "id": "aa2bb6b28944a416",
+ "question": "What is the endowment amount in billions of dollars of the top 5 US universities in 2023?",
+ "decomposition": [
+ {
+ "id": "bb7e51ab1dac443c",
+ "question": "What are the top 5 US universities in 2023?",
+ "decomposition": [],
+ "answer": [
+ "Princeton University",
+ "Yale University",
+ "Stanford University",
+ "Massachusetts Institute of Technology",
+ "University of California, Berkeley"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 26522980,
+ "revid": 1181575608,
+ "title": "America's Top Colleges",
+ "url": "https://en.wikipedia.org/wiki/America%27s_Top_Colleges"
+ }
+ },
+ {
+ "id": "f8c128c47e46be07",
+ "question": "How much endowment does Princeton University have?",
+ "decomposition": [],
+ "answer": "$35.8 billions",
+ "depends_on": [
+ "bb7e51ab1dac443c"
+ ],
+ "evidence": {
+ "pageid": 23922,
+ "revid": 1185831342,
+ "title": "Princeton University",
+ "url": "https://en.wikipedia.org/wiki/Princeton_University"
+ }
+ },
+ {
+ "id": "275fc571ab00bb5e",
+ "question": "How much endowment does Yale University have?",
+ "decomposition": [],
+ "answer": "$40.7 billions",
+ "depends_on": [
+ "bb7e51ab1dac443c"
+ ],
+ "evidence": {
+ "pageid": 34273,
+ "revid": 1185621306,
+ "title": "Yale University",
+ "url": "https://en.wikipedia.org/wiki/Yale_University"
+ }
+ },
+ {
+ "id": "e7dd3d86e5df59a6",
+ "question": "How much endowment does Stanford University have?",
+ "decomposition": [],
+ "answer": "$36.5 billions",
+ "depends_on": [
+ "bb7e51ab1dac443c"
+ ],
+ "evidence": {
+ "pageid": 26977,
+ "revid": 1185772313,
+ "title": "Stanford University",
+ "url": "https://en.wikipedia.org/wiki/Stanford_University"
+ }
+ },
+ {
+ "id": "cb94477283aa9221",
+ "question": "How much endowment does Massachusetts Institute of Technology have?",
+ "decomposition": [],
+ "answer": "$23.5 billions",
+ "depends_on": [
+ "bb7e51ab1dac443c"
+ ],
+ "evidence": {
+ "pageid": 18879,
+ "revid": 1185703170,
+ "title": "Massachusetts Institute of Technology",
+ "url": "https://en.wikipedia.org/wiki/Massachusetts_Institute_of_Technology"
+ }
+ },
+ {
+ "id": "a450dff45001f876",
+ "question": "How much endowment does University of California, Berkeley have?",
+ "decomposition": [],
+ "answer": "$6.9 billions",
+ "depends_on": [
+ "bb7e51ab1dac443c"
+ ],
+ "evidence": {
+ "pageid": 31922,
+ "revid": 1185042671,
+ "title": "University of California, Berkeley",
+ "url": "https://en.wikipedia.org/wiki/University_of_California,_Berkeley"
+ }
+ }
+ ],
+ "answer": {
+ "Princeton University": "$35.8 billions",
+ "Yale University": "$40.7 billions",
+ "Stanford University": "$36.5 billions",
+ "Massachusetts Institute of Technology": "$23.5 billions",
+ "University of California, Berkeley": "$6.9 billions"
+ },
+ "categories": [
+ "Education",
+ "Finance"
+ ]
+ },
+ {
+ "id": "a6545687ea8228bc",
+ "question": "What are the current home stadiums of the teams that won the last 10 UEFA European Championships (EURO)?",
+ "decomposition": [
+ {
+ "id": "550e50875eeebfcd",
+ "question": "Who were the last 10 UEFA European Championship (EURO) winners?",
+ "decomposition": [],
+ "answer": [
+ "Italy (2021)",
+ "Portugal (2016)",
+ "Spain (2012)",
+ "Spain (2008)",
+ "Greece (2004)",
+ "France (2000)",
+ "Germany (1996)",
+ "Denmark (1992)",
+ "Netherlands (1988)",
+ "France (1984)"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 249510,
+ "revid": 1183937300,
+ "title": "UEFA European Championship",
+ "url": "https://en.wikipedia.org/wiki/UEFA_European_Championship"
+ }
+ },
+ {
+ "id": "b3439ce21d144f73",
+ "question": "What are the current home stadiums of these teams?",
+ "decomposition": [
+ {
+ "id": "3293b991ec813349",
+ "question": "What is the current home stadium of the Italy national football team?",
+ "decomposition": [],
+ "answer": "Various",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 362466,
+ "revid": 1185934785,
+ "title": "Italy national football team",
+ "url": "https://en.wikipedia.org/wiki/Italy_national_football_team"
+ }
+ },
+ {
+ "id": "8180cca93c1f36d2",
+ "question": "What is the current home stadium of the Portugal national football team?",
+ "decomposition": [],
+ "answer": "Various",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 576328,
+ "revid": 1185932300,
+ "title": "Portugal national football team",
+ "url": "https://en.wikipedia.org/wiki/Portugal_national_football_team"
+ }
+ },
+ {
+ "id": "696a7ba0a495f9f6",
+ "question": "What is the current home stadium of the Spain national football team?",
+ "decomposition": [],
+ "answer": "Various",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 609825,
+ "revid": 1185938049,
+ "title": "Spain national football team",
+ "url": "https://en.wikipedia.org/wiki/Spain_national_football_team"
+ }
+ },
+ {
+ "id": "65cbd2a29d9cafc3",
+ "question": "What is the current home stadium of the Greece national football team?",
+ "decomposition": [],
+ "answer": "Agia Sophia Stadium",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 722668,
+ "revid": 1185946800,
+ "title": "Greece national football team",
+ "url": "https://en.wikipedia.org/wiki/Greece_national_football_team"
+ }
+ },
+ {
+ "id": "b3fe278bcc52dc1b",
+ "question": "What is the current home stadium of the France national football team?",
+ "decomposition": [],
+ "answer": "Stade de France",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 250197,
+ "revid": 1185921134,
+ "title": "France national football team",
+ "url": "https://en.wikipedia.org/wiki/France_national_football_team"
+ }
+ },
+ {
+ "id": "162b1b315e9d70d2",
+ "question": "What is the current home stadium of the Germany national football team?",
+ "decomposition": [],
+ "answer": "Various",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 250204,
+ "revid": 1185872473,
+ "title": "Germany national football team",
+ "url": "https://en.wikipedia.org/wiki/Germany_national_football_team"
+ }
+ },
+ {
+ "id": "12de08357f46ae34",
+ "question": "What is the current home stadium of the Denmark national football team?",
+ "decomposition": [],
+ "answer": "Parken Stadium",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 580173,
+ "revid": 1185906423,
+ "title": "Denmark national football team",
+ "url": "https://en.wikipedia.org/wiki/Denmark_national_football_team"
+ }
+ },
+ {
+ "id": "7b2073f79d2c7e13",
+ "question": "What is the current home stadium of the Netherlands national football team?",
+ "decomposition": [],
+ "answer": "Johan Cruyff Arena",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9647657,
+ "revid": 1185798166,
+ "title": "Netherlands national football team",
+ "url": "https://en.wikipedia.org/wiki/Netherlands_national_football_team"
+ }
+ }
+ ],
+ "answer": {
+ "Italy (2021)": "Various",
+ "Portugal (2016)": "Various",
+ "Spain (2012)": "Various",
+ "Spain (2008)": "Various",
+ "Greece (2004)": "Agia Sophia Stadium",
+ "France (2000)": "Stade de France",
+ "Germany (1996)": "Various",
+ "Denmark (1992)": "Parken Stadium",
+ "Netherlands (1988)": "Johan Cruyff Arena",
+ "France (1984)": "Stade de France"
+ },
+ "depends_on": [],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Italy (2021)": "Various",
+ "Portugal (2016)": "Various",
+ "Spain (2012)": "Various",
+ "Spain (2008)": "Various",
+ "Greece (2004)": "Agia Sophia Stadium",
+ "France (2000)": "Stade de France",
+ "Germany (1996)": "Various",
+ "Denmark (1992)": "Parken Stadium",
+ "Netherlands (1988)": "Johan Cruyff Arena",
+ "France (1984)": "Stade de France"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "9b47e929c4b982f4",
+ "question": "Who are the current Vice Premiers of the Chinese State Council and what are their birth months?",
+ "decomposition": [
+ {
+ "id": "39de0ca74b8ac3f6",
+ "question": "Who are the Vice Premiers of the current Chinese State Council?",
+ "decomposition": [],
+ "answer": [
+ "Ding Xuexiang",
+ "He Lifeng",
+ "Zhang Guoqing",
+ "Liu Guozhong"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 4586189,
+ "revid": 1185325671,
+ "title": "Vice Premier of the People's Republic of China",
+ "url": "https://en.wikipedia.org/wiki/Vice_Premier_of_the_People%27s_Republic_of_China"
+ }
+ },
+ {
+ "id": "87f756e90213fba5",
+ "question": "What month was Ding Xuexiang born?",
+ "decomposition": [],
+ "answer": "September",
+ "depends_on": [
+ "39de0ca74b8ac3f6"
+ ],
+ "evidence": {
+ "pageid": 51298715,
+ "revid": 1185325680,
+ "title": "Ding Xuexiang",
+ "url": "https://en.wikipedia.org/wiki/Ding_Xuexiang"
+ }
+ },
+ {
+ "id": "0419691d9b62e03b",
+ "question": "What month was He Lifeng born'?",
+ "decomposition": [],
+ "answer": "February",
+ "depends_on": [
+ "39de0ca74b8ac3f6"
+ ],
+ "evidence": {
+ "pageid": 47353873,
+ "revid": 1183780390,
+ "title": "He Lifeng",
+ "url": "https://en.wikipedia.org/wiki/He_Lifeng"
+ }
+ },
+ {
+ "id": "266d14e21598aa45",
+ "question": "What month was Zhang Guoqing born?",
+ "decomposition": [],
+ "answer": "August",
+ "depends_on": [
+ "39de0ca74b8ac3f6"
+ ],
+ "evidence": {
+ "pageid": 47119487,
+ "revid": 1185325661,
+ "title": "Zhang Guoqing",
+ "url": "https://en.wikipedia.org/wiki/Zhang_Guoqing"
+ }
+ },
+ {
+ "id": "48bddee8379d5b1a",
+ "question": "What month was Liu Guozhong born?",
+ "decomposition": [],
+ "answer": "July",
+ "depends_on": [
+ "39de0ca74b8ac3f6"
+ ],
+ "evidence": {
+ "pageid": 50089584,
+ "revid": 1177081996,
+ "title": "Liu Guozhong",
+ "url": "https://en.wikipedia.org/wiki/Liu_Guozhong"
+ }
+ }
+ ],
+ "answer": {
+ "Ding Xuexiang": "September",
+ "He Lifeng": "February",
+ "Zhang Guoqing": "August",
+ "Liu Guozhong": "July"
+ },
+ "categories": [
+ "East Asian Studies",
+ "Politics"
+ ]
+ },
+ {
+ "id": "3cde441dc7f18bf4",
+ "question": "What was the population in the year 2000 of the top four countries with the most FIFA World Cup wins?",
+ "decomposition": [
+ {
+ "id": "4e10233c2caf1109",
+ "question": "What are the top four countries that have won the most FIFA World Cup?",
+ "decomposition": [],
+ "answer": [
+ "Brazil",
+ "Germany",
+ "Italy",
+ "Argentina"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 11370,
+ "revid": 1185360837,
+ "title": "FIFA World Cup",
+ "url": "https://en.wikipedia.org/wiki/FIFA_World_Cup"
+ }
+ },
+ {
+ "id": "005d865c28fa3b9e",
+ "question": "What was the population of Brazil in 2000?",
+ "decomposition": [],
+ "answer": 169799170,
+ "depends_on": [
+ "4e10233c2caf1109"
+ ],
+ "evidence": {
+ "pageid": 70197,
+ "revid": 1184146182,
+ "title": "Demographics of the United States",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_the_United_States"
+ }
+ },
+ {
+ "id": "fae6e9e387e85680",
+ "question": "What was the population of Germany in 2000?",
+ "decomposition": [],
+ "answer": 82259540,
+ "depends_on": [
+ "4e10233c2caf1109"
+ ],
+ "evidence": {
+ "pageid": 25703,
+ "revid": 1184467382,
+ "title": "Demographics of Russia",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Russia"
+ }
+ },
+ {
+ "id": "925cc30ef073eb78",
+ "question": "What was the population of Italy in 2000?",
+ "decomposition": [],
+ "answer": 56942000,
+ "depends_on": [
+ "4e10233c2caf1109"
+ ],
+ "evidence": {
+ "pageid": 23238,
+ "revid": 1185025967,
+ "title": "Demographics of China",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_China"
+ }
+ },
+ {
+ "id": "57d143a985b71893",
+ "question": "What was the population of Argentina in 2000?",
+ "decomposition": [],
+ "answer": 36931000,
+ "depends_on": [
+ "4e10233c2caf1109"
+ ],
+ "evidence": {
+ "pageid": 14598,
+ "revid": 1182684231,
+ "title": "Demographics of India",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_India"
+ }
+ }
+ ],
+ "answer": {
+ "Brazil": 169799170,
+ "Germany": 82259540,
+ "Italy": 56942000,
+ "Argentina": 36931000
+ },
+ "categories": [
+ "Sports",
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "aedaf67f40b712c7",
+ "question": "List the premier league 2023/24 season football teams based in London and their home stadiums?",
+ "decomposition": [
+ {
+ "id": "0491125dcb0c4a40",
+ "question": "How many of the premier league 2023/24 season football teams are based in London?",
+ "decomposition": [],
+ "answer": "7",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9332281,
+ "revid": 1180707908,
+ "title": "Football in London",
+ "url": "https://en.wikipedia.org/wiki/Football_in_London"
+ }
+ },
+ {
+ "id": "9bcff11f8cf85792",
+ "question": "Who are the London based premier league football teams and where are their home stadiums?",
+ "decomposition": [
+ {
+ "id": "e65d4afb726c878b",
+ "question": "List the premier league 2023/24 season football teams based in London?",
+ "decomposition": [],
+ "answer": [
+ "Arsenal",
+ "Chelsea",
+ "Crystal Palace",
+ "Fulham",
+ "Tottenham Hotspur",
+ "West Ham United",
+ "Brentford"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 9332281,
+ "revid": 1180707908,
+ "title": "Football in London",
+ "url": "https://en.wikipedia.org/wiki/Football_in_London"
+ }
+ },
+ {
+ "id": "b330b95aa8ba322d",
+ "question": "Name Arsenal FC's home stadium?",
+ "decomposition": [],
+ "answer": "Emirates Stadium",
+ "depends_on": [
+ "e65d4afb726c878b"
+ ],
+ "evidence": {
+ "pageid": 2174,
+ "revid": 1184693991,
+ "title": "Arsenal F.C.",
+ "url": "https://en.wikipedia.org/wiki/Arsenal_F.C."
+ }
+ },
+ {
+ "id": "2e75fc93e8e7945e",
+ "question": "Name Brentford FCs home statium?",
+ "decomposition": [],
+ "answer": "Gtech Community Stadium",
+ "depends_on": [
+ "e65d4afb726c878b"
+ ],
+ "evidence": {
+ "pageid": 451122,
+ "revid": 1185932495,
+ "title": "Brentford F.C.",
+ "url": "https://en.wikipedia.org/wiki/Brentford_F.C."
+ }
+ },
+ {
+ "id": "8595522d42ca906a",
+ "question": "Name Chelsea FCs home statium?",
+ "decomposition": [],
+ "answer": "Stamford Bridge",
+ "depends_on": [
+ "e65d4afb726c878b"
+ ],
+ "evidence": {
+ "pageid": 7473,
+ "revid": 1184767711,
+ "title": "Chelsea F.C.",
+ "url": "https://en.wikipedia.org/wiki/Chelsea_F.C."
+ }
+ },
+ {
+ "id": "cc6a89fd1e004d7c",
+ "question": "Name Crystal Palace FCs home statium?",
+ "decomposition": [],
+ "answer": "Selhurst Park",
+ "depends_on": [
+ "e65d4afb726c878b"
+ ],
+ "evidence": {
+ "pageid": 385313,
+ "revid": 1185889692,
+ "title": "Crystal Palace F.C.",
+ "url": "https://en.wikipedia.org/wiki/Crystal_Palace_F.C."
+ }
+ },
+ {
+ "id": "b37a355bd3d586a6",
+ "question": "Name Fulham FCs home statium?",
+ "decomposition": [],
+ "answer": "Craven Cottage",
+ "depends_on": [
+ "e65d4afb726c878b"
+ ],
+ "evidence": {
+ "pageid": 11228,
+ "revid": 1185835118,
+ "title": "Fulham F.C.",
+ "url": "https://en.wikipedia.org/wiki/Fulham_F.C."
+ }
+ },
+ {
+ "id": "d093b1594b248cb8",
+ "question": "Name Tottenham Hotspur FCs home statium?",
+ "decomposition": [],
+ "answer": "Tottenham Hotspur Stadium",
+ "depends_on": [
+ "e65d4afb726c878b"
+ ],
+ "evidence": {
+ "pageid": 68198,
+ "revid": 1184883196,
+ "title": "Tottenham Hotspur F.C.",
+ "url": "https://en.wikipedia.org/wiki/Tottenham_Hotspur_F.C."
+ }
+ },
+ {
+ "id": "4081a35d0c3320cc",
+ "question": "Name West Ham United FCs home statium?",
+ "decomposition": [],
+ "answer": "London Stadium",
+ "depends_on": [
+ "e65d4afb726c878b"
+ ],
+ "evidence": {
+ "pageid": 46417,
+ "revid": 1185929746,
+ "title": "West Ham United F.C.",
+ "url": "https://en.wikipedia.org/wiki/West_Ham_United_F.C."
+ }
+ }
+ ],
+ "answer": {
+ "Arsenal": "Emirates Stadium",
+ "Chelsea": "Stamford Bridge",
+ "Crystal Palace": "Selhurst Park",
+ "Fulham": "Craven Cottage",
+ "Tottenham Hotspur": "Tottenham Hotspur Stadium",
+ "West Ham United": "London Stadium",
+ "Brentford": "Gtech Community Stadium"
+ },
+ "depends_on": [
+ "0491125dcb0c4a40"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Arsenal": "Emirates Stadium",
+ "Chelsea": "Stamford Bridge",
+ "Crystal Palace": "Selhurst Park",
+ "Fulham": "Craven Cottage",
+ "Tottenham Hotspur": "Tottenham Hotspur Stadium",
+ "West Ham United": "London Stadium",
+ "Brentford": "Gtech Community Stadium"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "6a5a3377491de713",
+ "question": "Who were the directors of the films that won the Best Picture Oscar in the years 2000, 2005, 2010, 2015, and 2020?",
+ "decomposition": [
+ {
+ "id": "ce59398a401bac2a",
+ "question": "Who won the Best Picture Oscar in the years 2000, 2005, 2010, 2015, and 2020?",
+ "decomposition": [],
+ "answer": [
+ "Gladiator",
+ "Crash",
+ "The King's Speech",
+ "Spotlight",
+ "Nomadland"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 61702,
+ "revid": 1185251887,
+ "title": "Academy Award for Best Picture",
+ "url": "https://en.wikipedia.org/wiki/Academy_Award_for_Best_Picture"
+ }
+ },
+ {
+ "id": "901ac7ff4b8071d8",
+ "question": "Who directed the film Gladiator?",
+ "decomposition": [],
+ "answer": "Ridley Scott",
+ "depends_on": [
+ "ce59398a401bac2a"
+ ],
+ "evidence": {
+ "pageid": 3616797,
+ "revid": 1185778308,
+ "title": "Gladiator (2000 film)",
+ "url": "https://en.wikipedia.org/wiki/Gladiator_(2000_film)"
+ }
+ },
+ {
+ "id": "97e37cba76d840ec",
+ "question": "Who directed the film Crash?",
+ "decomposition": [],
+ "answer": "Paul Haggis",
+ "depends_on": [
+ "ce59398a401bac2a"
+ ],
+ "evidence": {
+ "pageid": 1749535,
+ "revid": 1183416964,
+ "title": "Crash (2004 film)",
+ "url": "https://en.wikipedia.org/wiki/Crash_(2004_film)"
+ }
+ },
+ {
+ "id": "8ef15c745e3c048f",
+ "question": "Who directed the film The King's Speech?",
+ "decomposition": [],
+ "answer": "Tom Hooper",
+ "depends_on": [
+ "ce59398a401bac2a"
+ ],
+ "evidence": {
+ "pageid": 25080984,
+ "revid": 1184278630,
+ "title": "The King's Speech",
+ "url": "https://en.wikipedia.org/wiki/The_King%27s_Speech"
+ }
+ },
+ {
+ "id": "9c6b140f63823b6d",
+ "question": "Who directed the film Spotlight?",
+ "decomposition": [],
+ "answer": "Tom McCarthy",
+ "depends_on": [
+ "ce59398a401bac2a"
+ ],
+ "evidence": {
+ "pageid": 43842546,
+ "revid": 1184641710,
+ "title": "Spotlight (film)",
+ "url": "https://en.wikipedia.org/wiki/Spotlight_(film)"
+ }
+ },
+ {
+ "id": "40c5170ae84f753e",
+ "question": "Who directed the film Nomadland?",
+ "decomposition": [],
+ "answer": "Chlo\u00e9 Zhao",
+ "depends_on": [
+ "ce59398a401bac2a"
+ ],
+ "evidence": {
+ "pageid": 59935792,
+ "revid": 1185382653,
+ "title": "Nomadland",
+ "url": "https://en.wikipedia.org/wiki/Nomadland_(film)"
+ }
+ }
+ ],
+ "answer": {
+ "Gladiator": "Ridley Scott",
+ "Crash": "Paul Haggis",
+ "The King's Speech": "Tom Hooper",
+ "Spotlight": "Tom McCarthy",
+ "Nomadland": "Chlo\u00e9 Zhao"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "5891f2d4ec445987",
+ "question": "What are the birthdays of the 5 top scorers of all time in the UEFA Champions League?",
+ "decomposition": [
+ {
+ "id": "037bae47d5fb373e",
+ "question": "Who are the five top scorers of all time in the UEFA Champions League?",
+ "decomposition": [],
+ "answer": [
+ "Cristiano Ronaldo",
+ "Lionel Messi",
+ "Robert Lewandowski",
+ "Karim Benzema",
+ "Ra\u00fal"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 27519699,
+ "revid": 1185549791,
+ "title": "List of UEFA Champions League top scorers",
+ "url": "https://en.wikipedia.org/wiki/List_of_UEFA_Champions_League_top_scorers"
+ }
+ },
+ {
+ "id": "0c6906929dc614c4",
+ "question": "What is Cristiano Ronaldo's birthday?",
+ "decomposition": [],
+ "answer": "02/05/1985",
+ "depends_on": [
+ "037bae47d5fb373e"
+ ],
+ "evidence": {
+ "pageid": 623737,
+ "revid": 1185931325,
+ "title": "Cristiano Ronaldo",
+ "url": "https://en.wikipedia.org/wiki/Cristiano_Ronaldo"
+ }
+ },
+ {
+ "id": "2f891a3875644123",
+ "question": "What is Lionel Messi's birthday?",
+ "decomposition": [],
+ "answer": "06/24/1987",
+ "depends_on": [
+ "037bae47d5fb373e"
+ ],
+ "evidence": {
+ "pageid": 2150841,
+ "revid": 1185609783,
+ "title": "Lionel Messi",
+ "url": "https://en.wikipedia.org/wiki/Lionel_Messi"
+ }
+ },
+ {
+ "id": "69f0d72b04506119",
+ "question": "What is Robert Lewandowski's birthday?",
+ "decomposition": [],
+ "answer": "08/21/1988",
+ "depends_on": [
+ "037bae47d5fb373e"
+ ],
+ "evidence": {
+ "pageid": 13362678,
+ "revid": 1185608901,
+ "title": "Robert Lewandowski",
+ "url": "https://en.wikipedia.org/wiki/Robert_Lewandowski"
+ }
+ },
+ {
+ "id": "808f55880373e39d",
+ "question": "What is Karim Benzema's birthday?",
+ "decomposition": [],
+ "answer": "12/19/1987",
+ "depends_on": [
+ "037bae47d5fb373e"
+ ],
+ "evidence": {
+ "pageid": 4629012,
+ "revid": 1185142701,
+ "title": "Karim Benzema",
+ "url": "https://en.wikipedia.org/wiki/Karim_Benzema"
+ }
+ },
+ {
+ "id": "caf29c1df43d1a23",
+ "question": "What is Ra\u00fal's birthday?",
+ "decomposition": [],
+ "answer": "06/27/1977",
+ "depends_on": [
+ "037bae47d5fb373e"
+ ],
+ "evidence": {
+ "pageid": 347480,
+ "revid": 1185263057,
+ "title": "Ra\u00fal (footballer)",
+ "url": "https://en.wikipedia.org/wiki/Ra%C3%BAl_(footballer)"
+ }
+ }
+ ],
+ "answer": {
+ "Cristiano Ronaldo": "02/05/1985",
+ "Lionel Messi": "06/24/1987",
+ "Robert Lewandowski": "08/21/1988",
+ "Karim Benzema": "12/19/1987",
+ "Ra\u00fal": "06/27/1977"
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "3e4646288bdb81ab",
+ "question": "What percent of earthquakes with at least 9.0 magnitude were associated with tsunamis?",
+ "decomposition": [
+ {
+ "id": "73d1a44ae97cebe5",
+ "question": "What were the earthquakes with at least 9.0 magnitude?",
+ "decomposition": [],
+ "answer": [
+ "1964 Alaska earthquake",
+ "2004 Indian Ocean earthquake",
+ "2011 T\u014dhoku earthquake",
+ "1952 Severo-Kurilsk earthquake"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 140461,
+ "revid": 1185748964,
+ "title": "Lists of earthquakes",
+ "url": "https://en.wikipedia.org/wiki/Lists_of_earthquakes"
+ }
+ },
+ {
+ "id": "834dab83beea7097",
+ "question": "Was the 1964 Alaska earthquake associated with a tsunami?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "73d1a44ae97cebe5"
+ ],
+ "evidence": {
+ "pageid": 240447,
+ "revid": 1184058818,
+ "title": "1964 Alaska earthquake",
+ "url": "https://en.wikipedia.org/wiki/1964_Alaska_earthquake"
+ }
+ },
+ {
+ "id": "7f5b9827b5769bae",
+ "question": "Was the 2004 Indian Ocean earthquake associated with a tsunami?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "73d1a44ae97cebe5"
+ ],
+ "evidence": {
+ "pageid": 1328236,
+ "revid": 1185394305,
+ "title": "2004 Indian Ocean earthquake and tsunami",
+ "url": "https://en.wikipedia.org/wiki/2004_Indian_Ocean_earthquake_and_tsunami"
+ }
+ },
+ {
+ "id": "2779773fb73fc6bf",
+ "question": "Was the 2011 T\u014dhoku earthquake associated with a tsunami?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "73d1a44ae97cebe5"
+ ],
+ "evidence": {
+ "pageid": 31150160,
+ "revid": 1184172472,
+ "title": "2011 T\u014dhoku earthquake and tsunami",
+ "url": "https://en.wikipedia.org/wiki/2011_T%C5%8Dhoku_earthquake_and_tsunami"
+ }
+ },
+ {
+ "id": "794bddcb03975ea5",
+ "question": "Was the 1952 Severo-Kurilsk earthquake associated with a tsunami?",
+ "decomposition": [],
+ "answer": true,
+ "depends_on": [
+ "73d1a44ae97cebe5"
+ ],
+ "evidence": {
+ "pageid": 18795404,
+ "revid": 1185506502,
+ "title": "1952 Severo-Kurilsk earthquake",
+ "url": "https://en.wikipedia.org/wiki/1952_Severo-Kurilsk_earthquake"
+ }
+ }
+ ],
+ "answer": 100,
+ "categories": [
+ "Geology",
+ "Oceanography"
+ ]
+ },
+ {
+ "id": "7af8d2c46234eac4",
+ "question": "What are the birthdates of the chancellors or presidents of the top 5 US public universities by endowment size?",
+ "decomposition": [
+ {
+ "id": "d8089a9521b8b3af",
+ "question": "List of the top 5 US public schools by endowment size",
+ "decomposition": [],
+ "answer": [
+ "University of Texas System",
+ "University of California",
+ "University of Michigan",
+ "Texas A&M University System",
+ "University of Virginia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2874231,
+ "revid": 1185247750,
+ "title": "List of colleges and universities in the United States by endowment",
+ "url": "https://en.wikipedia.org/wiki/List_of_colleges_and_universities_in_the_United_States_by_endowment"
+ }
+ },
+ {
+ "id": "4781e3523c408d0b",
+ "question": "Who are the chancellors / presidents of these universities?",
+ "decomposition": [
+ {
+ "id": "a88409822ed7cfd7",
+ "question": "Chancellor / President of the University of Texas System",
+ "decomposition": [],
+ "answer": "James Milliken",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 242746,
+ "revid": 1183874767,
+ "title": "University of Texas System",
+ "url": "https://en.wikipedia.org/wiki/University_of_Texas_System"
+ }
+ },
+ {
+ "id": "f3b496e90417217b",
+ "question": "President of the University of California",
+ "decomposition": [],
+ "answer": "Michael V. Drake",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31921,
+ "revid": 1184620743,
+ "title": "University of California",
+ "url": "https://en.wikipedia.org/wiki/University_of_California"
+ }
+ },
+ {
+ "id": "d7707eedd470d0fa",
+ "question": "President of the University of Michigan",
+ "decomposition": [],
+ "answer": "Santa Ono",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31740,
+ "revid": 1185652573,
+ "title": "University of Michigan",
+ "url": "https://en.wikipedia.org/wiki/University_of_Michigan"
+ }
+ },
+ {
+ "id": "0b84431975e1c081",
+ "question": "Chancellor of the Texas A&M University System",
+ "decomposition": [],
+ "answer": "John Sharp",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 429929,
+ "revid": 1185303473,
+ "title": "Texas A&M University System",
+ "url": "https://en.wikipedia.org/wiki/Texas_A%26M_University_System"
+ }
+ },
+ {
+ "id": "9647950f28f82a36",
+ "question": "President of the University of Virginia",
+ "decomposition": [],
+ "answer": "James E. Ryan",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59801,
+ "revid": 1182000447,
+ "title": "University of Virginia",
+ "url": "https://en.wikipedia.org/wiki/University_of_Virginia"
+ }
+ },
+ {
+ "id": "35a5f971dbe0ecfb",
+ "question": "What is the birthdate of James Milliken?",
+ "decomposition": [],
+ "answer": "1957",
+ "depends_on": [
+ "a88409822ed7cfd7",
+ "f3b496e90417217b",
+ "d7707eedd470d0fa",
+ "0b84431975e1c081",
+ "9647950f28f82a36"
+ ],
+ "evidence": {
+ "pageid": 1637847,
+ "revid": 1177325893,
+ "title": "James Milliken (academic administrator)",
+ "url": "https://en.wikipedia.org/wiki/James_Milliken_(academic_administrator)"
+ }
+ },
+ {
+ "id": "807ff59c59b8e6fb",
+ "question": "What is the birthdate of Michael V. Drake?",
+ "decomposition": [],
+ "answer": "9 July 1950",
+ "depends_on": [
+ "a88409822ed7cfd7",
+ "f3b496e90417217b",
+ "d7707eedd470d0fa",
+ "0b84431975e1c081",
+ "9647950f28f82a36"
+ ],
+ "evidence": {
+ "pageid": 7851408,
+ "revid": 1174427854,
+ "title": "Michael V. Drake",
+ "url": "https://en.wikipedia.org/wiki/Michael_V._Drake"
+ }
+ },
+ {
+ "id": "196c6a41d90d022d",
+ "question": "What is the birthdate of Santa Ono?",
+ "decomposition": [],
+ "answer": "23 November 1962",
+ "depends_on": [
+ "a88409822ed7cfd7",
+ "f3b496e90417217b",
+ "d7707eedd470d0fa",
+ "0b84431975e1c081",
+ "9647950f28f82a36"
+ ],
+ "evidence": {
+ "pageid": 19226737,
+ "revid": 1185878087,
+ "title": "Santa Ono",
+ "url": "https://en.wikipedia.org/wiki/Santa_Ono"
+ }
+ },
+ {
+ "id": "c69ee92068bf1a1e",
+ "question": "What is the birthdate of John Sharp?",
+ "decomposition": [],
+ "answer": "28 July 1950",
+ "depends_on": [
+ "a88409822ed7cfd7",
+ "f3b496e90417217b",
+ "d7707eedd470d0fa",
+ "0b84431975e1c081",
+ "9647950f28f82a36"
+ ],
+ "evidence": {
+ "pageid": 13128541,
+ "revid": 1181695093,
+ "title": "John Sharp (Texas politician)",
+ "url": "https://en.wikipedia.org/wiki/John_Sharp_(Texas_politician)"
+ }
+ },
+ {
+ "id": "6fe544d8ee54893f",
+ "question": "What is the birthdate of James E. Ryan?",
+ "decomposition": [],
+ "answer": "21 September 1966",
+ "depends_on": [
+ "a88409822ed7cfd7",
+ "f3b496e90417217b",
+ "d7707eedd470d0fa",
+ "0b84431975e1c081",
+ "9647950f28f82a36"
+ ],
+ "evidence": {
+ "pageid": 53970698,
+ "revid": 1180730352,
+ "title": "James E. Ryan (educator)",
+ "url": "https://en.wikipedia.org/wiki/James_E._Ryan_(educator)"
+ }
+ }
+ ],
+ "answer": {
+ "University of Texas System (James Milliken)": "1957",
+ "University of California (Michael V. Drake)": "9 July 1950",
+ "University of Michigan (Santa Ono)": "23 November 1962",
+ "Texas A&M University System (John Sharp)": "28 July 1950",
+ "University of Virginia (James E. Ryan)": "21 September 1966"
+ },
+ "depends_on": [
+ "d8089a9521b8b3af"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "University of Texas System (James Milliken)": "1957",
+ "University of California (Michael V. Drake)": "9 July 1950",
+ "University of Michigan (Santa Ono)": "23 November 1962",
+ "Texas A&M University System (John Sharp)": "28 July 1950",
+ "University of Virginia (James E. Ryan)": "21 September 1966"
+ },
+ "categories": [
+ "Education",
+ "Politics"
+ ]
+ },
+ {
+ "id": "1f3cccb1f9811d12",
+ "question": "What are the names and average high temperatures (in \u00b0F) of the 7 most visited National Parks in the US?",
+ "decomposition": [
+ {
+ "id": "f3fe29136e6d18f4",
+ "question": "What are the 7 most visited National Parks in the US?",
+ "decomposition": [],
+ "answer": [
+ "Great Smoky Mountains",
+ "Grand Canyon",
+ "Zion",
+ "Rocky Mountain",
+ "Acadia",
+ "Yosemite",
+ "Yellowstone"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 21355232,
+ "revid": 1180886410,
+ "title": "List of national parks of the United States",
+ "url": "https://en.wikipedia.org/wiki/List_of_national_parks_of_the_United_States"
+ }
+ },
+ {
+ "id": "9ed6b79bf96ce33a",
+ "question": "What is the climate of Great Smoky Mountains in terms of average high \u00b0F?",
+ "decomposition": [],
+ "answer": 60.1,
+ "depends_on": [
+ "f3fe29136e6d18f4"
+ ],
+ "evidence": {
+ "pageid": 365553,
+ "revid": 1185405698,
+ "title": "Great Smoky Mountains National Park",
+ "url": "https://en.wikipedia.org/wiki/Great_Smoky_Mountains_National_Park"
+ }
+ },
+ {
+ "id": "619e857545bbbfce",
+ "question": "What is the climate of Grand Canyon in terms of average high \u00b0F?",
+ "decomposition": [],
+ "answer": 63.4,
+ "depends_on": [
+ "f3fe29136e6d18f4"
+ ],
+ "evidence": {
+ "pageid": 46986,
+ "revid": 1185374907,
+ "title": "Grand Canyon National Park",
+ "url": "https://en.wikipedia.org/wiki/Grand_Canyon_National_Park"
+ }
+ },
+ {
+ "id": "7d78e4cb23aaad0f",
+ "question": "What is the climate of Zion in terms of average high \u00b0F?",
+ "decomposition": [],
+ "answer": 76.1,
+ "depends_on": [
+ "f3fe29136e6d18f4"
+ ],
+ "evidence": {
+ "pageid": 18952631,
+ "revid": 1182409748,
+ "title": "Zion National Park",
+ "url": "https://en.wikipedia.org/wiki/Zion_National_Park"
+ }
+ },
+ {
+ "id": "6b50a40f2e7b5081",
+ "question": "What is the climate of Rocky Mountain in terms of average high \u00b0F?",
+ "decomposition": [],
+ "answer": 55.0,
+ "depends_on": [
+ "f3fe29136e6d18f4"
+ ],
+ "evidence": {
+ "pageid": 285954,
+ "revid": 1183570329,
+ "title": "Rocky Mountain National Park",
+ "url": "https://en.wikipedia.org/wiki/Rocky_Mountain_National_Park"
+ }
+ },
+ {
+ "id": "3e5461640015d810",
+ "question": "What is the climate of Acadia in terms of average high \u00b0F?",
+ "decomposition": [],
+ "answer": 56.1,
+ "depends_on": [
+ "f3fe29136e6d18f4"
+ ],
+ "evidence": {
+ "pageid": 62671,
+ "revid": 1183443035,
+ "title": "Acadia National Park",
+ "url": "https://en.wikipedia.org/wiki/Acadia_National_Park"
+ }
+ },
+ {
+ "id": "833e3540a454780e",
+ "question": "What is the climate of Yosemite in terms of average high \u00b0F?",
+ "decomposition": [],
+ "answer": 67.0,
+ "depends_on": [
+ "f3fe29136e6d18f4"
+ ],
+ "evidence": {
+ "pageid": 48664,
+ "revid": 1183846637,
+ "title": "Yosemite National Park",
+ "url": "https://en.wikipedia.org/wiki/Yosemite_National_Park"
+ }
+ },
+ {
+ "id": "54f1f581c09e00f8",
+ "question": "What is the climate of Yellowstone in terms of average high \u00b0F?",
+ "decomposition": [],
+ "answer": 53.3,
+ "depends_on": [
+ "f3fe29136e6d18f4"
+ ],
+ "evidence": {
+ "pageid": 34340,
+ "revid": 1184861657,
+ "title": "Yellowstone National Park",
+ "url": "https://en.wikipedia.org/wiki/Yellowstone_National_Park"
+ }
+ }
+ ],
+ "answer": {
+ "Great Smoky Mountains": 60.1,
+ "Grand Canyon": 63.4,
+ "Zion": 76.1,
+ "Rocky Mountain": 55.0,
+ "Acadia": 56.1,
+ "Yosemite": 67.0,
+ "Yellowstone": 53.3
+ },
+ "categories": [
+ "Meteorology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "14b7db2b18bf897c",
+ "question": "Which of the world's five highest mountains were first successfully climbed by British mountaineers?",
+ "decomposition": [
+ {
+ "id": "5a8b5cd44d65e1ac",
+ "question": "What are the world's five highest mountains?",
+ "decomposition": [],
+ "answer": [
+ "Mount Everest",
+ "K2",
+ "Kangchenjunga",
+ "Lhotse",
+ "Makalu"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1821694,
+ "revid": 1183163225,
+ "title": "List of highest mountains on Earth",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest_mountains_on_Earth"
+ }
+ },
+ {
+ "id": "43c9362a957771a4",
+ "question": "What were the nationalities of the first mountaineers to climb Mount Everest?",
+ "decomposition": [],
+ "answer": [
+ "New Zeleand",
+ "Nepal"
+ ],
+ "depends_on": [
+ "5a8b5cd44d65e1ac"
+ ],
+ "evidence": {
+ "pageid": 42179,
+ "revid": 1184999603,
+ "title": "Mount Everest",
+ "url": "https://en.wikipedia.org/wiki/Mount_Everest"
+ }
+ },
+ {
+ "id": "6f5c7b6bc3237103",
+ "question": "What were the nationalities of the first mountaineers to climb K2?",
+ "decomposition": [],
+ "answer": [
+ "Italy"
+ ],
+ "depends_on": [
+ "5a8b5cd44d65e1ac"
+ ],
+ "evidence": {
+ "pageid": 17359,
+ "revid": 1178193327,
+ "title": "K2",
+ "url": "https://en.wikipedia.org/wiki/K2"
+ }
+ },
+ {
+ "id": "cf3f4a18f8ada177",
+ "question": "What were the nationalities of the first mountaineers to climb Kangchenjunga?",
+ "decomposition": [],
+ "answer": [
+ "United Kingdom"
+ ],
+ "depends_on": [
+ "5a8b5cd44d65e1ac"
+ ],
+ "evidence": {
+ "pageid": 17073,
+ "revid": 1184860365,
+ "title": "Kangchenjunga",
+ "url": "https://en.wikipedia.org/wiki/Kangchenjunga"
+ }
+ },
+ {
+ "id": "b12f5abe39310f60",
+ "question": "What were the nationalities of the first mountaineers to climb Lhotse?",
+ "decomposition": [],
+ "answer": [
+ "Switzerland"
+ ],
+ "depends_on": [
+ "5a8b5cd44d65e1ac"
+ ],
+ "evidence": {
+ "pageid": 234548,
+ "revid": 1185539994,
+ "title": "Lhotse",
+ "url": "https://en.wikipedia.org/wiki/Lhotse"
+ }
+ },
+ {
+ "id": "a32b5306b94dacad",
+ "question": "What were the nationalities of the first mountaineers to climb Makalu?",
+ "decomposition": [],
+ "answer": [
+ "France"
+ ],
+ "depends_on": [
+ "5a8b5cd44d65e1ac"
+ ],
+ "evidence": {
+ "pageid": 295084,
+ "revid": 1174766353,
+ "title": "Makalu",
+ "url": "https://en.wikipedia.org/wiki/Makalu"
+ }
+ }
+ ],
+ "answer": "Kangchenjunga",
+ "categories": [
+ "History",
+ "Geography"
+ ]
+ },
+ {
+ "id": "a450e1060c5bab69",
+ "question": "Find the name of the Founder of 5 major laptop manufacturing brands by market share",
+ "decomposition": [
+ {
+ "id": "538066018b359c98",
+ "question": "What are the top 5 major laptop manufacturing brands by market share?",
+ "decomposition": [],
+ "answer": [
+ "Lenovo",
+ "HP",
+ "Dell",
+ "Apple",
+ "Asus"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 20433252,
+ "revid": 1185758420,
+ "title": "List of laptop brands and manufacturers",
+ "url": "https://en.wikipedia.org/wiki/List_of_laptop_brands_and_manufacturers"
+ }
+ },
+ {
+ "id": "dbc1fcad32ea0958",
+ "question": "What is the name of Founder at Lenovo?",
+ "decomposition": [],
+ "answer": [
+ "Liu Chuanzhi",
+ "Danny Lui"
+ ],
+ "depends_on": [
+ "538066018b359c98"
+ ],
+ "evidence": {
+ "pageid": 997189,
+ "revid": 1185644074,
+ "title": "Lenovo",
+ "url": "https://en.wikipedia.org/wiki/Lenovo"
+ }
+ },
+ {
+ "id": "a62c7c048ce9a5f6",
+ "question": "What is the name of Founder at HP?",
+ "decomposition": [],
+ "answer": [
+ "Bill Hewlett",
+ "David Packard"
+ ],
+ "depends_on": [
+ "538066018b359c98"
+ ],
+ "evidence": {
+ "pageid": 47034703,
+ "revid": 1184713039,
+ "title": "HP Inc.",
+ "url": "https://en.wikipedia.org/wiki/HP_Inc."
+ }
+ },
+ {
+ "id": "a6f77f5933df583f",
+ "question": "What is the name of Founder at Dell?",
+ "decomposition": [],
+ "answer": "Michael Dell",
+ "depends_on": [
+ "538066018b359c98"
+ ],
+ "evidence": {
+ "pageid": 102490,
+ "revid": 1185239243,
+ "title": "Dell",
+ "url": "https://en.wikipedia.org/wiki/Dell"
+ }
+ },
+ {
+ "id": "66e741fcbb7fa20f",
+ "question": "What is the name of Founder at Apple?",
+ "decomposition": [],
+ "answer": [
+ "Steve Jobs",
+ "Steve Wozniak",
+ "Ronald Wayne"
+ ],
+ "depends_on": [
+ "538066018b359c98"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "a9963f6e31654cd3",
+ "question": "What is the name of Founder at Asus?",
+ "decomposition": [],
+ "answer": [
+ "Ted Hsu",
+ "M. T. Liao",
+ "Wayne Tsiah",
+ "T. H. Tung",
+ "Luca D. M."
+ ],
+ "depends_on": [
+ "538066018b359c98"
+ ],
+ "evidence": {
+ "pageid": 43591321,
+ "revid": 1184715021,
+ "title": "Asus",
+ "url": "https://en.wikipedia.org/wiki/Asus"
+ }
+ }
+ ],
+ "answer": {
+ "Lenovo": "Liu Chuanzhi, Danny Lui",
+ "HP": "Bill Hewlett, David Packard",
+ "Dell": "Michael Dell",
+ "Apple": "Steve Jobs, Steve Wozniak, Ronald Wayne",
+ "Asus": "Ted Hsu, M. T. Liao, Wayne Tsiah, T. H. Tung, Luca D. M."
+ },
+ "categories": [
+ "Business",
+ "Technology"
+ ]
+ },
+ {
+ "id": "aaec49e1177a5afb",
+ "question": "What are the names and capital cities of the four most populous countries in the world?",
+ "decomposition": [
+ {
+ "id": "f4fd5f3228ced2cc",
+ "question": "Which countries are the three most populous in the world?",
+ "decomposition": [],
+ "answer": [
+ "India",
+ "China",
+ "United States",
+ "Indonesia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39707994,
+ "revid": 1183557170,
+ "title": "List of countries by population (United Nations)",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_population_(United_Nations)"
+ }
+ },
+ {
+ "id": "9b3ddbb301795a71",
+ "question": "What is the capital of India?",
+ "decomposition": [],
+ "answer": "New Delhi",
+ "depends_on": [
+ "f4fd5f3228ced2cc"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ },
+ {
+ "id": "4d2790acd29aecf9",
+ "question": "What is the capital of China?",
+ "decomposition": [],
+ "answer": "Beijing",
+ "depends_on": [
+ "f4fd5f3228ced2cc"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "df8bebdf286f2a96",
+ "question": "What is the capital of United States?",
+ "decomposition": [],
+ "answer": "Washington, D.C.",
+ "depends_on": [
+ "f4fd5f3228ced2cc"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "059831b8c800f205",
+ "question": "What is the capital of Indonesia?",
+ "decomposition": [],
+ "answer": "Jakarta",
+ "depends_on": [
+ "f4fd5f3228ced2cc"
+ ],
+ "evidence": {
+ "pageid": 14579,
+ "revid": 1185389327,
+ "title": "Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Indonesia"
+ }
+ }
+ ],
+ "answer": {
+ "India": "New Delhi",
+ "China?": "Beijing",
+ "United States": "Washington, D.C.",
+ "Indonesia": "Jakarta"
+ },
+ "categories": [
+ "Geography"
+ ]
+ },
+ {
+ "id": "f384f0d0b3af54e4",
+ "question": "What are the largest moons of Earth, Mars, Jupiter, and Saturn, and what are their diameters in kilometers?",
+ "decomposition": [
+ {
+ "id": "82d9dd13b9feec5e",
+ "question": "What are the largest moons of Earth, Mars, Jupiter, and Saturn?",
+ "decomposition": [],
+ "answer": [
+ "Moon",
+ "Phobos",
+ "Ganymede",
+ "Titan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 839504,
+ "revid": 1183163278,
+ "title": "List of natural satellites",
+ "url": "https://en.wikipedia.org/wiki/List_of_natural_satellites"
+ }
+ },
+ {
+ "id": "62f6b5e7c9cf1401",
+ "question": "What is the diameter of the Moon?",
+ "decomposition": [],
+ "answer": "3,474.8 km",
+ "depends_on": [
+ "82d9dd13b9feec5e"
+ ],
+ "evidence": {
+ "pageid": 19331,
+ "revid": 1185631254,
+ "title": "Moon",
+ "url": "https://en.wikipedia.org/wiki/Moon"
+ }
+ },
+ {
+ "id": "74d306230414ffcc",
+ "question": "What is the diameter of Phobos?",
+ "decomposition": [],
+ "answer": "22.4 km",
+ "depends_on": [
+ "82d9dd13b9feec5e"
+ ],
+ "evidence": {
+ "pageid": 52999,
+ "revid": 1183725277,
+ "title": "Phobos (moon)",
+ "url": "https://en.wikipedia.org/wiki/Phobos_(moon)"
+ }
+ },
+ {
+ "id": "dc6d0c0a7b39cd32",
+ "question": "What is the diameter of Ganymede?",
+ "decomposition": [],
+ "answer": "5,268.2 km",
+ "depends_on": [
+ "82d9dd13b9feec5e"
+ ],
+ "evidence": {
+ "pageid": 54211,
+ "revid": 1185721551,
+ "title": "Ganymede (moon)",
+ "url": "https://en.wikipedia.org/wiki/Ganymede_(moon)"
+ }
+ },
+ {
+ "id": "1ef983055cb14eb0",
+ "question": "What is the diameter of Titan?",
+ "decomposition": [],
+ "answer": "5,149.4 km",
+ "depends_on": [
+ "82d9dd13b9feec5e"
+ ],
+ "evidence": {
+ "pageid": 47402,
+ "revid": 1185922593,
+ "title": "Titan (moon)",
+ "url": "https://en.wikipedia.org/wiki/Titan_(moon)"
+ }
+ }
+ ],
+ "answer": {
+ "Moon": "3,474.8 km",
+ "Phobos": "22.4 km",
+ "Ganymede": "5,268.2 km",
+ "Titan": "5,149.4 km"
+ },
+ "categories": [
+ "Astronomy"
+ ]
+ },
+ {
+ "id": "4d3d6f1c14f3fdbb",
+ "question": "What are the birthplaces of the mathematicians who won the Fields Medal in 2010, and what are the primary educational institutions where they studied?",
+ "decomposition": [
+ {
+ "id": "dfaadb6c5f6011b1",
+ "question": "Who were the winners of the Fields Medal in 2010?",
+ "decomposition": [],
+ "answer": [
+ "Elon Lindenstrauss",
+ "Ng\u00f4 B\u1ea3o Ch\u00e2u",
+ "Stanislav Smirnov",
+ "C\u00e9dric Villani"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 10859,
+ "revid": 1185485610,
+ "title": "Fields Medal",
+ "url": "https://en.wikipedia.org/wiki/Fields_Medal"
+ }
+ },
+ {
+ "id": "7aea05f3112d181d",
+ "question": "Where was Elon Lindenstrauss born and what educational institution did he primarily study at?",
+ "decomposition": [],
+ "answer": "Born in Jerusalem, Israel; studied at the Hebrew University of Jerusalem.",
+ "depends_on": [
+ "dfaadb6c5f6011b1"
+ ],
+ "evidence": {
+ "pageid": 28371257,
+ "revid": 1182683141,
+ "title": "Elon Lindenstrauss",
+ "url": "https://en.wikipedia.org/wiki/Elon_Lindenstrauss"
+ }
+ },
+ {
+ "id": "8911d3ae4778b9dc",
+ "question": "Where was Ng\u00f4 B\u1ea3o Ch\u00e2u born and what educational institution did he primarily study at?",
+ "decomposition": [],
+ "answer": "Born in Hanoi, Vietnam; studied at the University of Paris-Sud.",
+ "depends_on": [
+ "dfaadb6c5f6011b1"
+ ],
+ "evidence": {
+ "pageid": 11133659,
+ "revid": 1175670852,
+ "title": "Ng\u00f4 B\u1ea3o Ch\u00e2u",
+ "url": "https://en.wikipedia.org/wiki/Ng%C3%B4_B%E1%BA%A3o_Ch%C3%A2u"
+ }
+ },
+ {
+ "id": "4dbca5e84799c485",
+ "question": "Where was Stanislav Smirnov born and what educational institution did he primarily study at?",
+ "decomposition": [],
+ "answer": "Born in Leningrad, Soviet Union; studied at Saint Petersburg State University.",
+ "depends_on": [
+ "dfaadb6c5f6011b1"
+ ],
+ "evidence": {
+ "pageid": 22752379,
+ "revid": 1185155718,
+ "title": "Stanislav Smirnov",
+ "url": "https://en.wikipedia.org/wiki/Stanislav_Smirnov"
+ }
+ },
+ {
+ "id": "5ae5a9f2aa5b079e",
+ "question": "Where was C\u00e9dric Villani born and what educational institution did he primarily study at?",
+ "decomposition": [],
+ "answer": "Born in Brive-la-Gaillarde, France; studied at the \u00c9cole Normale Sup\u00e9rieure in Paris.",
+ "depends_on": [
+ "dfaadb6c5f6011b1"
+ ],
+ "evidence": {
+ "pageid": 27172341,
+ "revid": 1179202097,
+ "title": "C\u00e9dric Villani",
+ "url": "https://en.wikipedia.org/wiki/C%C3%A9dric_Villani"
+ }
+ }
+ ],
+ "answer": {
+ "Elon Lindenstrauss": "Born in Jerusalem, Israel; studied at the Hebrew University of Jerusalem.",
+ "Ng\u00f4 B\u1ea3o Ch\u00e2u": "Born in Hanoi, Vietnam; studied at the University of Paris-Sud.",
+ "Stanislav Smirnov": "Born in Saint Petersburg, Russia; studied at Saint Petersburg State University.",
+ "C\u00e9dric Villani": "Born in Brive-la-Gaillarde, France; studied at the \u00c9cole Normale Sup\u00e9rieure in Paris."
+ },
+ "categories": [
+ "Education",
+ "Mathematics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "ddb5f93339663076",
+ "question": "Who were the principals of the main artists' high schools in the two songs that Bryson Tiller made guest appearances on in 2022?",
+ "decomposition": [
+ {
+ "id": "96d9bef8725bd592",
+ "question": "Who are the main artists in the 2 songs Bryson Tiller made a guest appearance on in 2022?",
+ "decomposition": [],
+ "answer": [
+ "Nav",
+ "Chris Brown"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 50063738,
+ "revid": 1184510787,
+ "title": "Bryson Tiller discography",
+ "url": "https://en.wikipedia.org/wiki/Bryson_Tiller_discography#Guest_appearances"
+ }
+ },
+ {
+ "id": "9fef897e61f2dedb",
+ "question": "What high school did Nav attend?",
+ "decomposition": [
+ {
+ "id": "2bc82613f788bd0e",
+ "question": "Which high school was Nav enrolled in?",
+ "decomposition": [],
+ "answer": "Thistletown Collegiate Institute",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 52675163,
+ "revid": 1185387272,
+ "title": "Nav (rapper)",
+ "url": "https://en.wikipedia.org/wiki/Nav_(rapper)"
+ }
+ },
+ {
+ "id": "03c9e65f29f168b3",
+ "question": "Who is the current principal of Thistletown Collegiate Institute?",
+ "decomposition": [],
+ "answer": "Suzanna Greenaway",
+ "depends_on": [
+ "2bc82613f788bd0e"
+ ],
+ "evidence": {
+ "pageid": 7188484,
+ "revid": 1157007374,
+ "title": "Thistletown Collegiate Institute",
+ "url": "https://en.wikipedia.org/wiki/Thistletown_Collegiate_Institute"
+ }
+ }
+ ],
+ "answer": "Suzanna Greenaway",
+ "depends_on": [
+ "96d9bef8725bd592"
+ ],
+ "evidence": null
+ },
+ {
+ "id": "41ebc04ef539dd6c",
+ "question": "What high school did Chris Brown attend?",
+ "decomposition": [
+ {
+ "id": "4926bd3e62712e39",
+ "question": "Which high school was Chris Brown enrolled in?",
+ "decomposition": [],
+ "answer": "Essex High School",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2627820,
+ "revid": 1185406435,
+ "title": "Chris Brown",
+ "url": "https://en.wikipedia.org/wiki/Chris_Brown"
+ }
+ },
+ {
+ "id": "2e096c47a5f3d687",
+ "question": "Who is the current principal of Essex High School?",
+ "decomposition": [],
+ "answer": "Damean Barfield",
+ "depends_on": [
+ "4926bd3e62712e39"
+ ],
+ "evidence": {
+ "pageid": 10496392,
+ "revid": 1177398038,
+ "title": "Essex High School (Virginia)",
+ "url": "https://en.wikipedia.org/wiki/Essex_High_School_(Virginia)"
+ }
+ }
+ ],
+ "answer": "Damean Barfield",
+ "depends_on": [
+ "96d9bef8725bd592"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Nav": "Suzanna Greenaway",
+ "Chris Brown": "Damean Barfield"
+ },
+ "categories": [
+ "Education",
+ "Music"
+ ]
+ },
+ {
+ "id": "0ed1869d5d5b62f9",
+ "question": "List the names and birthplaces of the current head coach and the five tallest current players of the Philadelphia 76ers.",
+ "decomposition": [
+ {
+ "id": "1c6f52587050960e",
+ "question": "List the names of the current head coach and five tallest current Philadelphia 76ers players (may contain ties)",
+ "decomposition": [],
+ "answer": [
+ "Nick Nurse",
+ "Bamba, Mo",
+ "Embiid, Joel",
+ "Reed, Paul",
+ "Batum, Nicolas",
+ "Harris, Tobias",
+ "Morris, Marcus Sr."
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 72857,
+ "revid": 1184682710,
+ "title": "Philadelphia 76ers",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia_76ers"
+ }
+ },
+ {
+ "id": "87ff5f7768fe3a2b",
+ "question": "What was the birthplaces of coach Nick Nurse?",
+ "decomposition": [],
+ "answer": "Carroll, Iowa, U.S",
+ "depends_on": [
+ "1c6f52587050960e"
+ ],
+ "evidence": {
+ "pageid": 3721265,
+ "revid": 1182090245,
+ "title": "Nick Nurse",
+ "url": "https://en.wikipedia.org/wiki/Nick_Nurse"
+ }
+ },
+ {
+ "id": "149e2d6569f20d97",
+ "question": "What was the birthplaces of player Bamba, Mo?",
+ "decomposition": [],
+ "answer": "New York City, New York, U.S",
+ "depends_on": [
+ "1c6f52587050960e"
+ ],
+ "evidence": {
+ "pageid": 53732612,
+ "revid": 1184807313,
+ "title": "Mo Bamba",
+ "url": "https://en.wikipedia.org/wiki/Mo_Bamba"
+ }
+ },
+ {
+ "id": "051e527559759a4e",
+ "question": "What was the birthplaces of player Embiid, Joel?",
+ "decomposition": [],
+ "answer": "Yaound\u00e9, Cameroon",
+ "depends_on": [
+ "1c6f52587050960e"
+ ],
+ "evidence": {
+ "pageid": 40944797,
+ "revid": 1184199838,
+ "title": "Joel Embiid",
+ "url": "https://en.wikipedia.org/wiki/Joel_Embiid"
+ }
+ },
+ {
+ "id": "972012d32276d3fb",
+ "question": "What was the birthplaces of player Reed, Paul?",
+ "decomposition": [],
+ "answer": "Orlando, Florida, U.S",
+ "depends_on": [
+ "1c6f52587050960e"
+ ],
+ "evidence": {
+ "pageid": 62555463,
+ "revid": 1185783744,
+ "title": "Paul Reed (basketball)",
+ "url": "https://en.wikipedia.org/wiki/Paul_Reed_(basketball)"
+ }
+ },
+ {
+ "id": "df485f6772036ffa",
+ "question": "What was the birthplaces of player Batum, Nicolas?",
+ "decomposition": [],
+ "answer": "Lisieux, France",
+ "depends_on": [
+ "1c6f52587050960e"
+ ],
+ "evidence": {
+ "pageid": 4864520,
+ "revid": 1184952903,
+ "title": "Nicolas Batum",
+ "url": "https://en.wikipedia.org/wiki/Nicolas_Batum"
+ }
+ },
+ {
+ "id": "be88e40b622de38f",
+ "question": "What was the birthplaces of player Harris, Tobias?",
+ "decomposition": [],
+ "answer": "Islip, New York, U.S",
+ "depends_on": [
+ "1c6f52587050960e"
+ ],
+ "evidence": {
+ "pageid": 27890143,
+ "revid": 1185778680,
+ "title": "Tobias Harris",
+ "url": "https://en.wikipedia.org/wiki/Tobias_Harris"
+ }
+ },
+ {
+ "id": "5046c90b6be1fe55",
+ "question": "What was the birthplaces of player Morris, Marcus Sr.?",
+ "decomposition": [],
+ "answer": "Philadelphia, Pennsylvania, U.S",
+ "depends_on": [
+ "1c6f52587050960e"
+ ],
+ "evidence": {
+ "pageid": 31240163,
+ "revid": 1184563439,
+ "title": "Marcus Morris Sr.",
+ "url": "https://en.wikipedia.org/wiki/Marcus_Morris_Sr."
+ }
+ }
+ ],
+ "answer": {
+ "Nick Nurse": "Carroll, Iowa, U.S",
+ "Bamba, Mo": "New York City, New York, U.S",
+ "Embiid, Joel": "Yaound\u00e9, Cameroon",
+ "Reed, Paul": "Orlando, Florida, U.S",
+ "Batum, Nicolas": "Lisieux, France",
+ "Harris, Tobias": "Islip, New York, U.S",
+ "Morris, Marcus Sr.": "Philadelphia, Pennsylvania, U.S"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "9eed0f868068dc12",
+ "question": "What are the capital cities of the countries with the most Olympic gold medals?",
+ "decomposition": [
+ {
+ "id": "833ad04bc1524ece",
+ "question": "What are the 5 countries with the most Olympic gold medals?",
+ "decomposition": [],
+ "answer": [
+ "United States",
+ "Russia",
+ "Germany",
+ "Great Britain",
+ "China"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3729318,
+ "revid": 1178163039,
+ "title": "All-time Olympic Games medal table",
+ "url": "https://en.wikipedia.org/wiki/All-time_Olympic_Games_medal_table#Top_ten_medal_rankings_(combined_NOCs)"
+ }
+ },
+ {
+ "id": "83a04b9c6784efc6",
+ "question": "What is the capital of the United States?",
+ "decomposition": [],
+ "answer": "Washington, D.C.",
+ "depends_on": [
+ "833ad04bc1524ece"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "f8c3c32726d0ac68",
+ "question": "What is the capital of Russia?",
+ "decomposition": [],
+ "answer": "Moscow",
+ "depends_on": [
+ "833ad04bc1524ece"
+ ],
+ "evidence": {
+ "pageid": 25391,
+ "revid": 1185169928,
+ "title": "Russia",
+ "url": "https://en.wikipedia.org/wiki/Russia"
+ }
+ },
+ {
+ "id": "9b707b0c9a84aaf4",
+ "question": "What is the capital of Germany?",
+ "decomposition": [],
+ "answer": "Berlin",
+ "depends_on": [
+ "833ad04bc1524ece"
+ ],
+ "evidence": {
+ "pageid": 11867,
+ "revid": 1185869364,
+ "title": "Germany",
+ "url": "https://en.wikipedia.org/wiki/Germany"
+ }
+ },
+ {
+ "id": "09b0350118b3d626",
+ "question": "What is the capital of Great Britain?",
+ "decomposition": [],
+ "answer": "London",
+ "depends_on": [
+ "833ad04bc1524ece"
+ ],
+ "evidence": {
+ "pageid": 31717,
+ "revid": 1185578678,
+ "title": "United Kingdom",
+ "url": "https://en.wikipedia.org/wiki/United_Kingdom"
+ }
+ },
+ {
+ "id": "4d2790acd29aecf9",
+ "question": "What is the capital of China?",
+ "decomposition": [],
+ "answer": "Beijing",
+ "depends_on": [
+ "833ad04bc1524ece"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ }
+ ],
+ "answer": {
+ "United States": "Washington, D.C.",
+ "Russia": "Moscow",
+ "Germany": "Berlin",
+ "Great Britain": "London",
+ "China": "Beijing"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "f3a8115bcfb58655",
+ "question": "What are the official websites of the five most populous cities in the world?",
+ "decomposition": [
+ {
+ "id": "408092e52bcc7a65",
+ "question": "What are the 5 most populous cities in the world?",
+ "decomposition": [],
+ "answer": [
+ "Tokyo",
+ "Delhi",
+ "Shanghai",
+ "S\u00e3o Paulo",
+ "Mexico City"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14649921,
+ "revid": 1184671739,
+ "title": "List of largest cities",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_cities"
+ }
+ },
+ {
+ "id": "fd47f2b247d0f5d1",
+ "question": "What is Tokyo's website?",
+ "decomposition": [],
+ "answer": "tokyotokyo.jp",
+ "depends_on": [
+ "408092e52bcc7a65"
+ ],
+ "evidence": {
+ "pageid": 30057,
+ "revid": 1185512854,
+ "title": "Tokyo",
+ "url": "https://en.wikipedia.org/wiki/Tokyo"
+ }
+ },
+ {
+ "id": "6b17b64be28644c8",
+ "question": "What is Delhi's website?",
+ "decomposition": [],
+ "answer": "delhi.gov.in",
+ "depends_on": [
+ "408092e52bcc7a65"
+ ],
+ "evidence": {
+ "pageid": 37756,
+ "revid": 1185858759,
+ "title": "Delhi",
+ "url": "https://en.wikipedia.org/wiki/Delhi"
+ }
+ },
+ {
+ "id": "b2755e6eb35f6619",
+ "question": "What is Shanghai's website?",
+ "decomposition": [],
+ "answer": "shanghai.gov.cn",
+ "depends_on": [
+ "408092e52bcc7a65"
+ ],
+ "evidence": {
+ "pageid": 27643,
+ "revid": 1185922962,
+ "title": "Shanghai",
+ "url": "https://en.wikipedia.org/wiki/Shanghai"
+ }
+ },
+ {
+ "id": "532d9fdc5ac4cf78",
+ "question": "What is S\u00e3o Paulo's website?",
+ "decomposition": [],
+ "answer": "www.capital.sp.gov.br",
+ "depends_on": [
+ "408092e52bcc7a65"
+ ],
+ "evidence": {
+ "pageid": 390875,
+ "revid": 1185771387,
+ "title": "S\u00e3o Paulo",
+ "url": "https://en.wikipedia.org/wiki/S%C3%A3o_Paulo"
+ }
+ },
+ {
+ "id": "952ee5cc59f3eb68",
+ "question": "What is 's website?",
+ "decomposition": [],
+ "answer": "www.cdmx.gob.mx",
+ "depends_on": [
+ "408092e52bcc7a65"
+ ],
+ "evidence": {
+ "pageid": 18987,
+ "revid": 1185243080,
+ "title": "Mexico City",
+ "url": "https://en.wikipedia.org/wiki/Mexico_City"
+ }
+ }
+ ],
+ "answer": {
+ "Tokyo": "tokyotokyo.jp",
+ "Delhi": "delhi.gov.in",
+ "Shanghai": "shanghai.gov.cn",
+ "S\u00e3o Paulo": "www.capital.sp.gov.br",
+ "Mexico City": "www.cdmx.gob.mx"
+ },
+ "categories": [
+ "Technology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "46392c4aa1c75391",
+ "question": "Identify the four largest deserts on Earth and the dominant type of animal life found in each.",
+ "decomposition": [
+ {
+ "id": "0179db0e84d9e230",
+ "question": "What are the four largest deserts on Earth?",
+ "decomposition": [],
+ "answer": [
+ "Antarctic Desert",
+ "Arctic Desert",
+ "Sahara Desert",
+ "Arabian Desert"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 7885141,
+ "revid": 1182805245,
+ "title": "List of deserts by area",
+ "url": "https://en.wikipedia.org/wiki/List_of_deserts_by_area"
+ }
+ },
+ {
+ "id": "9ac025ebdc5b01e9",
+ "question": "What is the dominant type of animal life in the Antarctic Desert?",
+ "decomposition": [],
+ "answer": "Penguins",
+ "depends_on": [
+ "0179db0e84d9e230"
+ ],
+ "evidence": {
+ "pageid": 18959138,
+ "revid": 1185176541,
+ "title": "Antarctica",
+ "url": "https://en.wikipedia.org/wiki/Antarctica"
+ }
+ },
+ {
+ "id": "ce0fb6bc1569a5fd",
+ "question": "What is the dominant type of animal life in the Arctic Desert?",
+ "decomposition": [],
+ "answer": "Polar Bears",
+ "depends_on": [
+ "0179db0e84d9e230"
+ ],
+ "evidence": {
+ "pageid": 36971,
+ "revid": 1185788530,
+ "title": "Arctic",
+ "url": "https://en.wikipedia.org/wiki/Arctic"
+ }
+ },
+ {
+ "id": "40422a62ff84e644",
+ "question": "What is the dominant type of animal life in the Sahara Desert?",
+ "decomposition": [],
+ "answer": "Dromedary Camels",
+ "depends_on": [
+ "0179db0e84d9e230"
+ ],
+ "evidence": {
+ "pageid": 325363,
+ "revid": 1185536126,
+ "title": "Sahara",
+ "url": "https://en.wikipedia.org/wiki/Sahara"
+ }
+ },
+ {
+ "id": "c32c2ad8548fda10",
+ "question": "What is the dominant type of animal life in the Arabian Desert?",
+ "decomposition": [],
+ "answer": "Arabian Oryx",
+ "depends_on": [
+ "0179db0e84d9e230"
+ ],
+ "evidence": {
+ "pageid": 199993,
+ "revid": 1183938440,
+ "title": "Arabian Desert",
+ "url": "https://en.wikipedia.org/wiki/Arabian_Desert"
+ }
+ }
+ ],
+ "answer": {
+ "Antarctic Desert": "Penguins",
+ "Arctic Desert": "Polar Bears",
+ "Sahara Desert": "Dromedary Camels",
+ "Arabian Desert": "Arabian Oryx"
+ },
+ "categories": [
+ "Zoology",
+ "Geography"
+ ]
+ },
+ {
+ "id": "21b5a69403eeda11",
+ "question": "What are the five largest countries by population and what is the largest city in each of those countries?",
+ "decomposition": [
+ {
+ "id": "da420aaef5237de0",
+ "question": "What are the 5 largest countries?",
+ "decomposition": [],
+ "answer": [
+ "India",
+ "China",
+ "United States",
+ "Indonesia",
+ "Pakistan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39707994,
+ "revid": 1183557170,
+ "title": "List of countries by population (United Nations)",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_population_(United_Nations)"
+ }
+ },
+ {
+ "id": "2b168ebcc3948b46",
+ "question": "What is the largest city of India?",
+ "decomposition": [],
+ "answer": "Mumbai",
+ "depends_on": [
+ "da420aaef5237de0"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ },
+ {
+ "id": "1cbda69cb45a5fc8",
+ "question": "What is the largest city of China?",
+ "decomposition": [],
+ "answer": "Shanghai",
+ "depends_on": [
+ "da420aaef5237de0"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "14c8f14ded2c8691",
+ "question": "What is the largest city of United States?",
+ "decomposition": [],
+ "answer": "New York City",
+ "depends_on": [
+ "da420aaef5237de0"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "4aeac40e81ce20bf",
+ "question": "What is the largest city of Indonesia?",
+ "decomposition": [],
+ "answer": "Jakarta",
+ "depends_on": [
+ "da420aaef5237de0"
+ ],
+ "evidence": {
+ "pageid": 14579,
+ "revid": 1185389327,
+ "title": "Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Indonesia"
+ }
+ },
+ {
+ "id": "611172308293f18b",
+ "question": "What is the largest city of Pakistan?",
+ "decomposition": [],
+ "answer": "Karachi",
+ "depends_on": [
+ "da420aaef5237de0"
+ ],
+ "evidence": {
+ "pageid": 23235,
+ "revid": 1185285398,
+ "title": "Pakistan",
+ "url": "https://en.wikipedia.org/wiki/Pakistan"
+ }
+ }
+ ],
+ "answer": {
+ "India": "Mumbai",
+ "China": "Shanghai",
+ "United States": "New York City",
+ "Indonesia": "Jakarta",
+ "Pakistan": "Karachi"
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "4a484ffa4676b4ce",
+ "question": "Who are the current head coaches of the NHL's Philadelphia Flyers, New Jersey Devils, Boston Bruins, Toronto Maple Leafs, Tampa Bay Lightning, and Pittsburgh Penguins?",
+ "decomposition": [
+ {
+ "id": "db5f626da0440ac4",
+ "question": "Who is the current head coach of the Philadelphia Flyers?",
+ "decomposition": [],
+ "answer": "John Tortorella",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 66941,
+ "revid": 1184745609,
+ "title": "Philadelphia Flyers",
+ "url": "https://en.wikipedia.org/wiki/Philadelphia_Flyers"
+ }
+ },
+ {
+ "id": "2de249ba272750cd",
+ "question": "Who is the current head coach of the New Jersey Devils?",
+ "decomposition": [],
+ "answer": "Lindy Ruff",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 66743,
+ "revid": 1184234517,
+ "title": "New Jersey Devils",
+ "url": "https://en.wikipedia.org/wiki/New_Jersey_Devils"
+ }
+ },
+ {
+ "id": "b20c4fb22091c7d8",
+ "question": "Who is the current head coach of the Boston Bruins?",
+ "decomposition": [],
+ "answer": "Jim Montgomery",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 69523,
+ "revid": 1183885300,
+ "title": "Boston Bruins",
+ "url": "https://en.wikipedia.org/wiki/Boston_Bruins"
+ }
+ },
+ {
+ "id": "29577bfddab49e96",
+ "question": "Who is the current head coach of the Toronto Maple Leafs?",
+ "decomposition": [],
+ "answer": "John Tavares",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 70155,
+ "revid": 1185422581,
+ "title": "Toronto Maple Leafs",
+ "url": "https://en.wikipedia.org/wiki/Toronto_Maple_Leafs"
+ }
+ },
+ {
+ "id": "351bfbf5106cac77",
+ "question": "Who is the current head coach of the Tampa Bay Lightning?",
+ "decomposition": [],
+ "answer": "Jon Cooper",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 73124,
+ "revid": 1185883233,
+ "title": "Tampa Bay Lightning",
+ "url": "https://en.wikipedia.org/wiki/Tampa_Bay_Lightning"
+ }
+ },
+ {
+ "id": "c0b1d061dd500072",
+ "question": "Who is the current head coach of the Pittsburgh Penguins?",
+ "decomposition": [],
+ "answer": "Mike Sullivan",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 66964,
+ "revid": 1185681439,
+ "title": "Pittsburgh Penguins",
+ "url": "https://en.wikipedia.org/wiki/Pittsburgh_Penguins"
+ }
+ }
+ ],
+ "answer": {
+ "Philadelphia Flyers": "John Tortorella",
+ "New Jersey Devils": "Lindy Ruff",
+ "Boston Bruins": "Jim Montgomery",
+ "Toronto Maple Leafs": "John Tavares",
+ "Tampa Bay Lightning": "Jon Cooper",
+ "Pittsburgh Penguins": "Mike Sullivan"
+ },
+ "categories": [
+ "Sports"
+ ]
+ },
+ {
+ "id": "a150e91a45b9f971",
+ "question": "Find the companies with market capitalization greater than a trillion dollars. What are those companies and when were they founded?",
+ "decomposition": [
+ {
+ "id": "48c8e897f866b9e6",
+ "question": "What are the companies with market capitalization greater than a trillion dollars?",
+ "decomposition": [],
+ "answer": [
+ "Apple",
+ "Microsoft",
+ "Saudi Aramco",
+ "Alphabet",
+ "PetroChina",
+ "Amazon",
+ "Meta",
+ "Tesla",
+ "Nvidia"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14094649,
+ "revid": 1184255866,
+ "title": "List of public corporations by market capitalization",
+ "url": "https://en.wikipedia.org/wiki/List_of_public_corporations_by_market_capitalization"
+ }
+ },
+ {
+ "id": "8fe7d32db1cc3496",
+ "question": "When was Apple founded?",
+ "decomposition": [],
+ "answer": "April 1, 1976",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 856,
+ "revid": 1185504212,
+ "title": "Apple Inc.",
+ "url": "https://en.wikipedia.org/wiki/Apple_Inc."
+ }
+ },
+ {
+ "id": "acfbc2050444c03c",
+ "question": "When was Microsoft founded?",
+ "decomposition": [],
+ "answer": "April 4, 1975",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 19001,
+ "revid": 1185824087,
+ "title": "Microsoft",
+ "url": "https://en.wikipedia.org/wiki/Microsoft"
+ }
+ },
+ {
+ "id": "3f6b3bba174c5b71",
+ "question": "When was Saudi Aramco founded?",
+ "decomposition": [],
+ "answer": "29 May 1933",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 290527,
+ "revid": 1184200621,
+ "title": "Saudi Aramco",
+ "url": "https://en.wikipedia.org/wiki/Saudi_Aramco"
+ }
+ },
+ {
+ "id": "6dcb6b2034a7b0f0",
+ "question": "When was Alphabet founded?",
+ "decomposition": [],
+ "answer": "October 2, 2015",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 47489893,
+ "revid": 1184949012,
+ "title": "Alphabet Inc.",
+ "url": "https://en.wikipedia.org/wiki/Alphabet_Inc."
+ }
+ },
+ {
+ "id": "efa549cf5cdad694",
+ "question": "When was PetroChina founded?",
+ "decomposition": [],
+ "answer": "5 November 1999",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 1298114,
+ "revid": 1182694264,
+ "title": "PetroChina",
+ "url": "https://en.wikipedia.org/wiki/PetroChina"
+ }
+ },
+ {
+ "id": "65d2fa016d1919cf",
+ "question": "When was Amazon founded?",
+ "decomposition": [],
+ "answer": "July 5, 1994",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "fdbd09f932de8c69",
+ "question": "When was Meta founded?",
+ "decomposition": [],
+ "answer": "January 4, 2004",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 62420226,
+ "revid": 1185758146,
+ "title": "Meta Platforms",
+ "url": "https://en.wikipedia.org/wiki/Meta_Platforms"
+ }
+ },
+ {
+ "id": "f7f5813b996399cc",
+ "question": "When was Tesla founded?",
+ "decomposition": [],
+ "answer": "July 1, 2003",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 5533631,
+ "revid": 1184714409,
+ "title": "Tesla, Inc.",
+ "url": "https://en.wikipedia.org/wiki/Tesla,_Inc."
+ }
+ },
+ {
+ "id": "5c7591150bf55267",
+ "question": "When was Nvidia founded?",
+ "decomposition": [],
+ "answer": "April 5, 1993",
+ "depends_on": [
+ "48c8e897f866b9e6"
+ ],
+ "evidence": {
+ "pageid": 39120,
+ "revid": 1184376366,
+ "title": "Nvidia",
+ "url": "https://en.wikipedia.org/wiki/Nvidia"
+ }
+ }
+ ],
+ "answer": {
+ "Apple": "April 1, 1976",
+ "Microsoft": "April 4, 1975",
+ "Saudi Aramco": "29 May 1933",
+ "Alphabet": "October 2, 2015",
+ "PetroChina": "5 November 1999",
+ "Amazon": "July 5, 1994",
+ "Meta": "January 4, 2004",
+ "Tesla": "July 1, 2003",
+ "Nvidia": "April 5, 1993"
+ },
+ "categories": [
+ "History",
+ "Business"
+ ]
+ },
+ {
+ "id": "a3efebf047c6d6ec",
+ "question": "Who is the oldest current serving member of the US Supreme Court?",
+ "decomposition": [
+ {
+ "id": "07f4a37173574218",
+ "question": "Who are the current members of the US Supreme Court?",
+ "decomposition": [],
+ "answer": [
+ "John Roberts",
+ "Clarence Thomas",
+ "Samuel Alito",
+ "Sonia Sotomayor",
+ "Elena Kagan",
+ "Neil Gorsuch",
+ "Brett Kavanaugh",
+ "Amy Coney Barrett",
+ "Ketanji Brown Jackson"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 31737,
+ "revid": 1185937026,
+ "title": "Supreme Court of the United States",
+ "url": "https://en.wikipedia.org/wiki/Supreme_Court_of_the_United_States"
+ }
+ },
+ {
+ "id": "e6ef5e66e901e35d",
+ "question": "How old is John Roberts?",
+ "decomposition": [],
+ "answer": 68,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 1928850,
+ "revid": 1185431089,
+ "title": "John Roberts",
+ "url": "https://en.wikipedia.org/wiki/John_Roberts"
+ }
+ },
+ {
+ "id": "a3c3849b2c399091",
+ "question": "How old is Clarence Thomas?",
+ "decomposition": [],
+ "answer": 75,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 28291766,
+ "revid": 1185947157,
+ "title": "Clarence Thomas",
+ "url": "https://en.wikipedia.org/wiki/Clarence_Thomas"
+ }
+ },
+ {
+ "id": "cbfc859b6e0151b9",
+ "question": "How old is Samuel Alito?",
+ "decomposition": [],
+ "answer": 73,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 1199173,
+ "revid": 1182732418,
+ "title": "Samuel Alito",
+ "url": "https://en.wikipedia.org/wiki/Samuel_Alito"
+ }
+ },
+ {
+ "id": "c5926e431f1cb1b2",
+ "question": "How old is Sonia Sotomayor?",
+ "decomposition": [],
+ "answer": 69,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 2095829,
+ "revid": 1178458812,
+ "title": "Sonia Sotomayor",
+ "url": "https://en.wikipedia.org/wiki/Sonia_Sotomayor"
+ }
+ },
+ {
+ "id": "b69b02b825af85dc",
+ "question": "How old is Elena Kagan?",
+ "decomposition": [],
+ "answer": 63,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 2093225,
+ "revid": 1180044509,
+ "title": "Elena Kagan",
+ "url": "https://en.wikipedia.org/wiki/Elena_Kagan"
+ }
+ },
+ {
+ "id": "23d2bd58007315f4",
+ "question": "How old is Neil Gorsuch?",
+ "decomposition": [],
+ "answer": 56,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 6049434,
+ "revid": 1185809196,
+ "title": "Neil Gorsuch",
+ "url": "https://en.wikipedia.org/wiki/Neil_Gorsuch"
+ }
+ },
+ {
+ "id": "a1c75bfea8c2d645",
+ "question": "How old is Brett Kavanaugh?",
+ "decomposition": [],
+ "answer": 58,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 21816987,
+ "revid": 1183477870,
+ "title": "Brett Kavanaugh",
+ "url": "https://en.wikipedia.org/wiki/Brett_Kavanaugh"
+ }
+ },
+ {
+ "id": "b17cd67d20c94315",
+ "question": "How old is Amy Coney Barrett?",
+ "decomposition": [],
+ "answer": 51,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 53992581,
+ "revid": 1184345665,
+ "title": "Amy Coney Barrett",
+ "url": "https://en.wikipedia.org/wiki/Amy_Coney_Barrett"
+ }
+ },
+ {
+ "id": "36741f0b874a0504",
+ "question": "How old is Ketanji Brown Jackson?",
+ "decomposition": [],
+ "answer": 53,
+ "depends_on": [
+ "07f4a37173574218"
+ ],
+ "evidence": {
+ "pageid": 23741955,
+ "revid": 1185494927,
+ "title": "Ketanji Brown Jackson",
+ "url": "https://en.wikipedia.org/wiki/Ketanji_Brown_Jackson"
+ }
+ }
+ ],
+ "answer": "Clarence Thomas",
+ "categories": [
+ "Politics",
+ "Law"
+ ]
+ },
+ {
+ "id": "d648ac0aeada9c7f",
+ "question": "Out of the companies that have had exclusive Mountain Dew flavors that are no longer in production, which company has a headquarters in the largest city in terms of total population as of the 2020 census.",
+ "decomposition": [
+ {
+ "id": "e848f90d05fa62bf",
+ "question": "What exclusive Mountain Dew flavors are no longer in production, and what company was each exclusive to?",
+ "decomposition": [],
+ "answer": {
+ "Mountain Dew Southern Shock": "Bojangles",
+ "Dewgarita": "Red Lobster",
+ "Mountain Dew Uproar": "Food Lion"
+ },
+ "depends_on": [],
+ "evidence": {
+ "pageid": 60862228,
+ "revid": 1185176461,
+ "title": "List of Mountain Dew flavors and varieties",
+ "url": "https://en.wikipedia.org/wiki/List_of_Mountain_Dew_flavors_and_varieties"
+ }
+ },
+ {
+ "id": "e5706f6ba2a12236",
+ "question": "What is the population of the city their headquarters is located in as of the 2020 census?",
+ "decomposition": [
+ {
+ "id": "322c87490a01954d",
+ "question": "What city is the headquarters of Bojangles in?",
+ "decomposition": [],
+ "answer": "Charlotte, North Carolina",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1624652,
+ "revid": 1185881879,
+ "title": "Bojangles (restaurant)",
+ "url": "https://en.wikipedia.org/wiki/Bojangles_(restaurant)"
+ }
+ },
+ {
+ "id": "09c37ece6fbd1147",
+ "question": "What city is the headquarters of Red Lobster in?",
+ "decomposition": [],
+ "answer": "Orlando, Florida",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1162228,
+ "revid": 1185029040,
+ "title": "Red Lobster",
+ "url": "https://en.wikipedia.org/wiki/Red_Lobster"
+ }
+ },
+ {
+ "id": "081bfd236afd3109",
+ "question": "What city is the headquarters of Food Lion in?",
+ "decomposition": [],
+ "answer": "Salisbury, North Carolina",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1032104,
+ "revid": 1182200888,
+ "title": "Food Lion",
+ "url": "https://en.wikipedia.org/wiki/Food_Lion"
+ }
+ },
+ {
+ "id": "5ff1927bf7895d55",
+ "question": "What is the total population of Charlotte, North Carolina as of the 2020 census?",
+ "decomposition": [],
+ "answer": "874,579",
+ "depends_on": [
+ "322c87490a01954d",
+ "09c37ece6fbd1147",
+ "081bfd236afd3109"
+ ],
+ "evidence": {
+ "pageid": 57447,
+ "revid": 1185401183,
+ "title": "Charlotte, North Carolina",
+ "url": "https://en.wikipedia.org/wiki/Charlotte,_North_Carolina"
+ }
+ },
+ {
+ "id": "ae02f18284538e35",
+ "question": "What is the total population of Orlando, Florida as of the 2020 census?",
+ "decomposition": [],
+ "answer": "307,573",
+ "depends_on": [
+ "322c87490a01954d",
+ "09c37ece6fbd1147",
+ "081bfd236afd3109"
+ ],
+ "evidence": {
+ "pageid": 100582,
+ "revid": 1185239141,
+ "title": "Orlando, Florida",
+ "url": "https://en.wikipedia.org/wiki/Orlando,_Florida"
+ }
+ },
+ {
+ "id": "d5351afef43389fa",
+ "question": "What is the total population of Salisbury, North Carolina as of the 2020 census?",
+ "decomposition": [],
+ "answer": "35,540",
+ "depends_on": [
+ "322c87490a01954d",
+ "09c37ece6fbd1147",
+ "081bfd236afd3109"
+ ],
+ "evidence": {
+ "pageid": 128203,
+ "revid": 1185911710,
+ "title": "Salisbury, North Carolina",
+ "url": "https://en.wikipedia.org/wiki/Salisbury,_North_Carolina"
+ }
+ }
+ ],
+ "answer": {
+ "Bojangles": "874,579",
+ "Red Lobster": "307,573",
+ "Food Lion": "35,540"
+ },
+ "depends_on": [
+ "e848f90d05fa62bf"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": "Bojangles",
+ "categories": [
+ "History",
+ "Business",
+ "Geography"
+ ]
+ },
+ {
+ "id": "9fbd3a09aab4c8a1",
+ "question": "Which banks are the top five largest banks in the world by market capitalization and what are their website link addresses?",
+ "decomposition": [
+ {
+ "id": "aaccd356de48c95c",
+ "question": "Which banks are the top five largest banks in the world by market capitalization?",
+ "decomposition": [],
+ "answer": [
+ "JPMorgan Chase",
+ "Bank of America",
+ "Industrial and Commercial Bank of China",
+ "Agricultural Bank of China",
+ "HDFC Bank"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 38298344,
+ "revid": 1184690033,
+ "title": "List of largest banks",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_banks"
+ }
+ },
+ {
+ "id": "a123478a8df0c68a",
+ "question": "What is the website link address of JPMorgan Chase?",
+ "decomposition": [],
+ "answer": "https://jpmorganchase.com/",
+ "depends_on": [
+ "aaccd356de48c95c"
+ ],
+ "evidence": {
+ "pageid": 231001,
+ "revid": 1185928402,
+ "title": "JPMorgan Chase",
+ "url": "https://en.wikipedia.org/wiki/JPMorgan_Chase"
+ }
+ },
+ {
+ "id": "13553ec7b521af9f",
+ "question": "What is the website link address of Bank of America?",
+ "decomposition": [],
+ "answer": "http://bankofamerica.com/",
+ "depends_on": [
+ "aaccd356de48c95c"
+ ],
+ "evidence": {
+ "pageid": 347756,
+ "revid": 1182925937,
+ "title": "Bank of America",
+ "url": "https://en.wikipedia.org/wiki/Bank_of_America"
+ }
+ },
+ {
+ "id": "73f23603eb6f41ae",
+ "question": "What is the website link address of Industrial and Commercial Bank of China?",
+ "decomposition": [],
+ "answer": "http://www.icbc-ltd.com/icbcltd/en/",
+ "depends_on": [
+ "aaccd356de48c95c"
+ ],
+ "evidence": {
+ "pageid": 998821,
+ "revid": 1185644082,
+ "title": "Industrial and Commercial Bank of China",
+ "url": "https://en.wikipedia.org/wiki/Industrial_and_Commercial_Bank_of_China"
+ }
+ },
+ {
+ "id": "65251044e4459ea3",
+ "question": "What is the website link address of Agricultural Bank of China?",
+ "decomposition": [],
+ "answer": "https://www.abchina.com/",
+ "depends_on": [
+ "aaccd356de48c95c"
+ ],
+ "evidence": {
+ "pageid": 332351,
+ "revid": 1168562674,
+ "title": "Agricultural Bank of China",
+ "url": "https://en.wikipedia.org/wiki/Agricultural_Bank_of_China"
+ }
+ },
+ {
+ "id": "890b5285691c43c1",
+ "question": "What is the website link address of HDFC Bank?",
+ "decomposition": [],
+ "answer": "https://www.hdfcbank.com/",
+ "depends_on": [
+ "aaccd356de48c95c"
+ ],
+ "evidence": {
+ "pageid": 6745280,
+ "revid": 1185406950,
+ "title": "HDFC Bank",
+ "url": "https://en.wikipedia.org/wiki/HDFC_Bank"
+ }
+ }
+ ],
+ "answer": {
+ "JPMorgan Chase": "https://jpmorganchase.com/",
+ "Bank of America": "http://bankofamerica.com/",
+ "Industrial and Commercial Bank of China": "http://www.icbc-ltd.com/icbcltd/en/",
+ "Agricultural Bank of China": "https://www.abchina.com/",
+ "HDFC Bank": "https://www.hdfcbank.com/"
+ },
+ "categories": [
+ "Finance",
+ "Business"
+ ]
+ },
+ {
+ "id": "ffb482fefde57323",
+ "question": "What are the five highest grossing films of all time as of November 2023 (not adjusting for inflation), and who directed each film?",
+ "decomposition": [
+ {
+ "id": "c0e56058adefa07e",
+ "question": "What are the five highest grossing films of all time as of November 2023 (not adjusting for inflation)?",
+ "decomposition": [],
+ "answer": [
+ "Avatar",
+ "Avengers: Endgame",
+ "Avatar: The Way of Water",
+ "Titanic",
+ "Star Wars: The Force Awakens"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 59892,
+ "revid": 1185890055,
+ "title": "List of highest-grossing films",
+ "url": "https://en.wikipedia.org/wiki/List_of_highest-grossing_films"
+ }
+ },
+ {
+ "id": "14a07acf1e9bcbce",
+ "question": "Who directed Avatar?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "c0e56058adefa07e"
+ ],
+ "evidence": {
+ "pageid": 4273140,
+ "revid": 1185356274,
+ "title": "Avatar (2009 film)",
+ "url": "https://en.wikipedia.org/wiki/Avatar_(2009_film)"
+ }
+ },
+ {
+ "id": "fe5b0b02516556d8",
+ "question": "Who directed Avengers: Endgame?",
+ "decomposition": [],
+ "answer": "Anthony Russo and Joe Russo",
+ "depends_on": [
+ "c0e56058adefa07e"
+ ],
+ "evidence": {
+ "pageid": 44254295,
+ "revid": 1185724642,
+ "title": "Avengers: Endgame",
+ "url": "https://en.wikipedia.org/wiki/Avengers:_Endgame"
+ }
+ },
+ {
+ "id": "e13e4e9e96dfe17d",
+ "question": "Who directed Avatar: The Way of Water?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "c0e56058adefa07e"
+ ],
+ "evidence": {
+ "pageid": 25813358,
+ "revid": 1185376874,
+ "title": "Avatar: The Way of Water",
+ "url": "https://en.wikipedia.org/wiki/Avatar:_The_Way_of_Water"
+ }
+ },
+ {
+ "id": "0df15b6c07c35390",
+ "question": "Who directed Titanic?",
+ "decomposition": [],
+ "answer": "James Cameron",
+ "depends_on": [
+ "c0e56058adefa07e"
+ ],
+ "evidence": {
+ "pageid": 52371,
+ "revid": 1185400166,
+ "title": "Titanic (1997 film)",
+ "url": "https://en.wikipedia.org/wiki/Titanic_(1997_film)"
+ }
+ },
+ {
+ "id": "82a2d9987299165c",
+ "question": "Who directed Star Wars: The Force Awakens",
+ "decomposition": [],
+ "answer": "J. J. Abrams",
+ "depends_on": [
+ "c0e56058adefa07e"
+ ],
+ "evidence": {
+ "pageid": 14723194,
+ "revid": 1185889585,
+ "title": "Star Wars: The Force Awakens",
+ "url": "https://en.wikipedia.org/wiki/Star_Wars:_The_Force_Awakens"
+ }
+ }
+ ],
+ "answer": {
+ "Avatar": "James Cameron",
+ "Avengers: Endgame": "Anthony Russo and Joe Russo",
+ "Avatar: The Way of Water": "James Cameron",
+ "Titanic": "James Cameron",
+ "Star Wars: The Force Awakens": "J. J. Abrams"
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "093a5d97538b5db3",
+ "question": "What is the average running time of each episode of the Marvel miniseries 'Moon Knight' that released in 2022?",
+ "decomposition": [
+ {
+ "id": "3874ff72902a38ae",
+ "question": "What are the episodes of the Marvel miniseries 'Moon Knight' that released in 2022?",
+ "decomposition": [],
+ "answer": [
+ "The Goldfish Problem",
+ "Summon the Suit",
+ "The Friendly Type",
+ "The Tomb",
+ "Asylum",
+ "Gods and Monsters"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 61593083,
+ "revid": 1183615008,
+ "title": "Moon Knight (miniseries)",
+ "url": "https://en.wikipedia.org/wiki/Moon_Knight_(miniseries)"
+ }
+ },
+ {
+ "id": "49eb422e23c755fe",
+ "question": "How long was the running time for 'The Goldfish Problem'?",
+ "decomposition": [],
+ "answer": "47 minutes",
+ "depends_on": [
+ "3874ff72902a38ae"
+ ],
+ "evidence": {
+ "pageid": 70428170,
+ "revid": 1184663887,
+ "title": "The Goldfish Problem",
+ "url": "https://en.wikipedia.org/wiki/The_Goldfish_Problem"
+ }
+ },
+ {
+ "id": "fe8e950dfb17fb03",
+ "question": "How long was the running time for 'Summon the Suit'?",
+ "decomposition": [],
+ "answer": "53 minutes",
+ "depends_on": [
+ "3874ff72902a38ae"
+ ],
+ "evidence": {
+ "pageid": 70479797,
+ "revid": 1182721841,
+ "title": "Summon the Suit",
+ "url": "https://en.wikipedia.org/wiki/Summon_the_Suit"
+ }
+ },
+ {
+ "id": "418e87cdb9a9b75b",
+ "question": "How long was the running time for 'The Friendly Type'?",
+ "decomposition": [],
+ "answer": "53 minutes",
+ "depends_on": [
+ "3874ff72902a38ae"
+ ],
+ "evidence": {
+ "pageid": 70529629,
+ "revid": 1170523660,
+ "title": "The Friendly Type",
+ "url": "https://en.wikipedia.org/wiki/The_Friendly_Type"
+ }
+ },
+ {
+ "id": "51d5aa3d3186b369",
+ "question": "How long was the running time for 'The Tomb'?",
+ "decomposition": [],
+ "answer": "53 minutes",
+ "depends_on": [
+ "3874ff72902a38ae"
+ ],
+ "evidence": {
+ "pageid": 70575387,
+ "revid": 1182722837,
+ "title": "The Tomb (Moon Knight)",
+ "url": "https://en.wikipedia.org/wiki/The_Tomb_(Moon_Knight)"
+ }
+ },
+ {
+ "id": "0fae12d2b7fdca54",
+ "question": "How long was the running time for 'Asylum'?",
+ "decomposition": [],
+ "answer": "50 minutes",
+ "depends_on": [
+ "3874ff72902a38ae"
+ ],
+ "evidence": {
+ "pageid": 70640923,
+ "revid": 1170385098,
+ "title": "Asylum (Moon Knight)",
+ "url": "https://en.wikipedia.org/wiki/Asylum_(Moon_Knight)"
+ }
+ },
+ {
+ "id": "cf2aab7316d1161d",
+ "question": "How long was the running time for 'Gods and Monsters'?",
+ "decomposition": [],
+ "answer": "42 minutes",
+ "depends_on": [
+ "3874ff72902a38ae"
+ ],
+ "evidence": {
+ "pageid": 70695986,
+ "revid": 1184680568,
+ "title": "Gods and Monsters (Moon Knight)",
+ "url": "https://en.wikipedia.org/wiki/Gods_and_Monsters_(Moon_Knight)"
+ }
+ }
+ ],
+ "answer": "49.667 minutes",
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "59338c8e3bc1f134",
+ "question": "Identify the top five countries with the highest total number of medals. What is the sport in which each of these countries has won the most gold medals?",
+ "decomposition": [
+ {
+ "id": "2aba20aff41518d6",
+ "question": "Which five countries have the most number of total medals?",
+ "decomposition": [],
+ "answer": [
+ "United States",
+ "Soviet Union",
+ "Great Britain",
+ "Germany",
+ "France"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3729318,
+ "revid": 1178163039,
+ "title": "All-time Olympic Games medal table",
+ "url": "https://en.wikipedia.org/wiki/All-time_Olympic_Games_medal_table"
+ }
+ },
+ {
+ "id": "868d5aaac37ac848",
+ "question": "What is the sport that United States got the most gold in?",
+ "decomposition": [],
+ "answer": "Atheletics",
+ "depends_on": [
+ "2aba20aff41518d6"
+ ],
+ "evidence": {
+ "pageid": 2112059,
+ "revid": 1184864660,
+ "title": "United States at the Olympics",
+ "url": "https://en.wikipedia.org/wiki/United_States_at_the_Olympics"
+ }
+ },
+ {
+ "id": "6e8c5ef8226fe60c",
+ "question": "What is the sport that Soviet Union got the most gold in?",
+ "decomposition": [],
+ "answer": "Gymnastics",
+ "depends_on": [
+ "2aba20aff41518d6"
+ ],
+ "evidence": {
+ "pageid": 1540834,
+ "revid": 1185544364,
+ "title": "Soviet Union at the Olympics",
+ "url": "https://en.wikipedia.org/wiki/Soviet_Union_at_the_Olympics"
+ }
+ },
+ {
+ "id": "635e7a1b4b16937f",
+ "question": "What is the sport that Great Britain got the most gold in?",
+ "decomposition": [],
+ "answer": "Athletics",
+ "depends_on": [
+ "2aba20aff41518d6"
+ ],
+ "evidence": {
+ "pageid": 3624090,
+ "revid": 1183659903,
+ "title": "Great Britain at the Olympics",
+ "url": "https://en.wikipedia.org/wiki/Great_Britain_at_the_Olympics"
+ }
+ },
+ {
+ "id": "5a6af7353dd09c19",
+ "question": "What is the sport that Germany got the most gold in?",
+ "decomposition": [],
+ "answer": "Canoeing",
+ "depends_on": [
+ "2aba20aff41518d6"
+ ],
+ "evidence": {
+ "pageid": 12817128,
+ "revid": 1183585194,
+ "title": "Germany at the Olympics",
+ "url": "https://en.wikipedia.org/wiki/Germany_at_the_Olympics"
+ }
+ },
+ {
+ "id": "04cb52f802c92c44",
+ "question": "What is the sport that France got the most gold in?",
+ "decomposition": [],
+ "answer": "Fencing",
+ "depends_on": [
+ "2aba20aff41518d6"
+ ],
+ "evidence": {
+ "pageid": 3629414,
+ "revid": 1183598707,
+ "title": "France at the Olympics",
+ "url": "https://en.wikipedia.org/wiki/France_at_the_Olympics"
+ }
+ }
+ ],
+ "answer": {
+ "United States": "Atheletics",
+ "Soviet Union": "Gymnastics",
+ "Great Britain": "Atheletics",
+ "Germany": "Canoeing",
+ "France": "Fencing"
+ },
+ "categories": [
+ "Sports",
+ "Statistics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "f71b3ba07d3af7d6",
+ "question": "What was the population in 1990 of the countries that have successfully landed on the moon?",
+ "decomposition": [
+ {
+ "id": "cc43b2193bf740f6",
+ "question": "What are the countries that have landed on the moon?",
+ "decomposition": [],
+ "answer": [
+ "US",
+ "Russia",
+ "China",
+ "India"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1558077,
+ "revid": 1185034959,
+ "title": "Moon landing",
+ "url": "https://en.wikipedia.org/wiki/Moon_landing"
+ }
+ },
+ {
+ "id": "3bc0e3058a2d1144",
+ "question": "What was the population of US in 1990?",
+ "decomposition": [],
+ "answer": 248709873,
+ "depends_on": [
+ "cc43b2193bf740f6"
+ ],
+ "evidence": {
+ "pageid": 70197,
+ "revid": 1184146182,
+ "title": "Demographics of the United States",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_the_United_States"
+ }
+ },
+ {
+ "id": "284f7dc372a62428",
+ "question": "What was the population of Russia in 1990?",
+ "decomposition": [],
+ "answer": 147969000,
+ "depends_on": [
+ "cc43b2193bf740f6"
+ ],
+ "evidence": {
+ "pageid": 25703,
+ "revid": 1184467382,
+ "title": "Demographics of Russia",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_Russia"
+ }
+ },
+ {
+ "id": "e09aa7d4419a4244",
+ "question": "What was the population of China in 1990?",
+ "decomposition": [],
+ "answer": 1133682501,
+ "depends_on": [
+ "cc43b2193bf740f6"
+ ],
+ "evidence": {
+ "pageid": 23238,
+ "revid": 1185025967,
+ "title": "Demographics of China",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_China"
+ }
+ },
+ {
+ "id": "e6faf21a8de4ba5b",
+ "question": "What was the population of India in 1990?",
+ "decomposition": [],
+ "answer": 873785000,
+ "depends_on": [
+ "cc43b2193bf740f6"
+ ],
+ "evidence": {
+ "pageid": 14598,
+ "revid": 1182684231,
+ "title": "Demographics of India",
+ "url": "https://en.wikipedia.org/wiki/Demographics_of_India"
+ }
+ }
+ ],
+ "answer": {
+ "US": 248709873,
+ "Russia": 147969000,
+ "China": 1133682501,
+ "India": 873785000
+ },
+ "categories": [
+ "History",
+ "Demographics",
+ "Space Exploration"
+ ]
+ },
+ {
+ "id": "7d96e121dc56676d",
+ "question": "What were the construction costs for each of the five largest power stations in the world?",
+ "decomposition": [
+ {
+ "id": "a6bfba36f3a28762",
+ "question": "What are the five largest power stations in the world by capacity?",
+ "decomposition": [],
+ "answer": [
+ "Three Gorges Dam",
+ "Itaipu Dam",
+ "Xiluodu Dam",
+ "Baihetan Dam",
+ "Belo Monte Dam"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 25488797,
+ "revid": 1184430536,
+ "title": "List of largest power stations",
+ "url": "https://en.wikipedia.org/wiki/List_of_largest_power_stations"
+ }
+ },
+ {
+ "id": "9073b00440128a29",
+ "question": "What was the construction cost of the Three Gorges Dam?",
+ "decomposition": [],
+ "answer": "Approximately $31.765 billion",
+ "depends_on": [
+ "a6bfba36f3a28762"
+ ],
+ "evidence": {
+ "pageid": 65192,
+ "revid": 1182202488,
+ "title": "Three Gorges Dam",
+ "url": "https://en.wikipedia.org/wiki/Three_Gorges_Dam"
+ }
+ },
+ {
+ "id": "987ae44eef79af87",
+ "question": "What was the construction cost of the Itaipu Dam?",
+ "decomposition": [],
+ "answer": "Around $19.6 billion",
+ "depends_on": [
+ "a6bfba36f3a28762"
+ ],
+ "evidence": {
+ "pageid": 70565,
+ "revid": 1181221104,
+ "title": "Itaipu Dam",
+ "url": "https://en.wikipedia.org/wiki/Itaipu_Dam"
+ }
+ },
+ {
+ "id": "54f3058cb656a55e",
+ "question": "What was the construction cost of the Xiluodu Dam?",
+ "decomposition": [],
+ "answer": "Estimated at $6.2 billion",
+ "depends_on": [
+ "a6bfba36f3a28762"
+ ],
+ "evidence": {
+ "pageid": 14812963,
+ "revid": 1128995198,
+ "title": "Xiluodu Dam",
+ "url": "https://en.wikipedia.org/wiki/Xiluodu_Dam"
+ }
+ },
+ {
+ "id": "a0534dcefba1ecfa",
+ "question": "What was the construction cost of the Baihetan Dam?",
+ "decomposition": [],
+ "answer": "Approximately $31.58 billion",
+ "depends_on": [
+ "a6bfba36f3a28762"
+ ],
+ "evidence": {
+ "pageid": 15666979,
+ "revid": 1176613343,
+ "title": "Baihetan Dam",
+ "url": "https://en.wikipedia.org/wiki/Baihetan_Dam"
+ }
+ },
+ {
+ "id": "061a03344353f699",
+ "question": "What was the construction cost of the Belo Monte Dam?",
+ "decomposition": [],
+ "answer": "About $18.5 billion",
+ "depends_on": [
+ "a6bfba36f3a28762"
+ ],
+ "evidence": {
+ "pageid": 11204315,
+ "revid": 1185817818,
+ "title": "Belo Monte Dam",
+ "url": "https://en.wikipedia.org/wiki/Belo_Monte_Dam"
+ }
+ }
+ ],
+ "answer": {
+ "Three Gorges Dam": "Approximately $31.765 billion",
+ "Itaipu Dam": "Around $19.6 billion",
+ "Xiluodu Dam": "Estimated at $6.2 billion",
+ "Baihetan Dam": "Approximately $31.58 billion",
+ "Belo Monte Dam": "About $18.5 billion"
+ },
+ "categories": [
+ "Economics",
+ "Engineering"
+ ]
+ },
+ {
+ "id": "6a14811bd1e15267",
+ "question": "What is the number of league titles won by each minor league affiliate of the Major League Baseball team that won the 2011 World Series?",
+ "decomposition": [
+ {
+ "id": "345fbc11baf10a7f",
+ "question": "What Major League Baseball team won the 2011 World Series?",
+ "decomposition": [],
+ "answer": "St. Louis Cardinals",
+ "depends_on": [],
+ "evidence": {
+ "pageid": 27410514,
+ "revid": 1185490658,
+ "title": "2011 World Series",
+ "url": "https://en.wikipedia.org/wiki/2011_World_Series"
+ }
+ },
+ {
+ "id": "2f1505948ad0cbd6",
+ "question": "What are the minor league affiliates of the St. Louis Cardinals?",
+ "decomposition": [
+ {
+ "id": "5fad0dec931336d4",
+ "question": "What are the minor league affiliates of the St. Louis Cardinals?",
+ "decomposition": [],
+ "answer": [
+ "Memphis Redbirds",
+ "Springfield Cardinals",
+ "Peoria Chiefs",
+ "Palm Beach Cardinals",
+ "FCL Cardinals",
+ "DSL Cardinals"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 44267672,
+ "revid": 1185424796,
+ "title": "List of St. Louis Cardinals minor league affiliates",
+ "url": "https://en.wikipedia.org/wiki/List_of_St._Louis_Cardinals_minor_league_affiliates"
+ }
+ },
+ {
+ "id": "d28d83d1784ada7f",
+ "question": "What is the number of league titles won by the Memphis Redbirds?",
+ "decomposition": [],
+ "answer": "4",
+ "depends_on": [
+ "5fad0dec931336d4"
+ ],
+ "evidence": {
+ "pageid": 636741,
+ "revid": 1178737138,
+ "title": "Memphis Redbirds",
+ "url": "https://en.wikipedia.org/wiki/Memphis_Redbirds"
+ }
+ },
+ {
+ "id": "760dcb90a7f762fa",
+ "question": "What is the number of league titles won by the Springfield Cardinals?",
+ "decomposition": [],
+ "answer": "1",
+ "depends_on": [
+ "5fad0dec931336d4"
+ ],
+ "evidence": {
+ "pageid": 672576,
+ "revid": 1176100019,
+ "title": "Springfield Cardinals",
+ "url": "https://en.wikipedia.org/wiki/Springfield_Cardinals"
+ }
+ },
+ {
+ "id": "00cf2788361f8c3b",
+ "question": "What is the number of league titles won by the Peoria Chiefs?",
+ "decomposition": [],
+ "answer": "1",
+ "depends_on": [
+ "5fad0dec931336d4"
+ ],
+ "evidence": {
+ "pageid": 350370,
+ "revid": 1176510154,
+ "title": "Peoria Chiefs",
+ "url": "https://en.wikipedia.org/wiki/Peoria_Chiefs"
+ }
+ },
+ {
+ "id": "5ced47d0dfe28bdf",
+ "question": "What is the number of league titles won by the Palm Beach Cardinals?",
+ "decomposition": [],
+ "answer": "2",
+ "depends_on": [
+ "5fad0dec931336d4"
+ ],
+ "evidence": {
+ "pageid": 757976,
+ "revid": 1180505623,
+ "title": "Palm Beach Cardinals",
+ "url": "https://en.wikipedia.org/wiki/Palm_Beach_Cardinals"
+ }
+ },
+ {
+ "id": "e092c36f3aafa0e3",
+ "question": "What is the number of league titles won by the FCL Cardinals",
+ "decomposition": [],
+ "answer": "1",
+ "depends_on": [
+ "5fad0dec931336d4"
+ ],
+ "evidence": {
+ "pageid": 13075983,
+ "revid": 1165359038,
+ "title": "Florida Complex League Cardinals",
+ "url": "https://en.wikipedia.org/wiki/Florida_Complex_League_Cardinals"
+ }
+ },
+ {
+ "id": "6e3458f27df7e701",
+ "question": "What is the number of league titles won by the DSL Cardinals",
+ "decomposition": [],
+ "answer": "0",
+ "depends_on": [
+ "5fad0dec931336d4"
+ ],
+ "evidence": {
+ "pageid": 23350981,
+ "revid": 1165359005,
+ "title": "Dominican Summer League Cardinals",
+ "url": "https://en.wikipedia.org/wiki/Dominican_Summer_League_Cardinals"
+ }
+ }
+ ],
+ "answer": {
+ "Memphis Redbirds": "4",
+ "Springfield Cardinals": "1",
+ "Peoria Chiefs": "1",
+ "Palm Beach Cardinals": "2",
+ "Florida Complex League Cardinals": "1",
+ "Dominican Summer League Cardinals": "0"
+ },
+ "depends_on": [
+ "345fbc11baf10a7f"
+ ],
+ "evidence": null
+ }
+ ],
+ "answer": {
+ "Memphis Redbirds": "4",
+ "Springfield Cardinals": "1",
+ "Peoria Chiefs": "1",
+ "Palm Beach Cardinals": "2",
+ "Florida Complex League Cardinals": "1",
+ "Dominican Summer League Cardinals": "0"
+ },
+ "categories": [
+ "Sports",
+ "Statistics"
+ ]
+ },
+ {
+ "id": "64d977bd024f1b11",
+ "question": "Who won the Nobel Prize of Economics in 2021 and 2022 and what school did they attend for their undergraduate degree?",
+ "decomposition": [
+ {
+ "id": "d28b6a7252921ea5",
+ "question": "Who won the Nobel Prize of Economics in 2021 and 2022?",
+ "decomposition": [],
+ "answer": [
+ "David Card",
+ "Joshua Angrist",
+ "Guido Imbens",
+ "Ben Bernanke",
+ "Douglas Diamond",
+ "Philip H. Dybvig"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 1175987,
+ "revid": 1182266628,
+ "title": "List of Nobel laureates",
+ "url": "https://en.wikipedia.org/wiki/List_of_Nobel_laureates"
+ }
+ },
+ {
+ "id": "f1ce7c5194b0def3",
+ "question": "Where did David Card go for unndergrad?",
+ "decomposition": [],
+ "answer": "Queen's University",
+ "depends_on": [
+ "d28b6a7252921ea5"
+ ],
+ "evidence": {
+ "pageid": 2309635,
+ "revid": 1185826017,
+ "title": "David Card",
+ "url": "https://en.wikipedia.org/wiki/David_Card"
+ }
+ },
+ {
+ "id": "a82de0c85e873b93",
+ "question": "Where did Joshua Angrist go for unndergrad?",
+ "decomposition": [],
+ "answer": "Oberlin College",
+ "depends_on": [
+ "d28b6a7252921ea5"
+ ],
+ "evidence": {
+ "pageid": 14441269,
+ "revid": 1175387875,
+ "title": "Joshua Angrist",
+ "url": "https://en.wikipedia.org/wiki/Joshua_Angrist"
+ }
+ },
+ {
+ "id": "23099412a2df335c",
+ "question": "Where did Guido Imbens go for unndergrad?",
+ "decomposition": [],
+ "answer": "Erasmus University Rotterdam",
+ "depends_on": [
+ "d28b6a7252921ea5"
+ ],
+ "evidence": {
+ "pageid": 42539346,
+ "revid": 1184939208,
+ "title": "Guido Imbens",
+ "url": "https://en.wikipedia.org/wiki/Guido_Imbens"
+ }
+ },
+ {
+ "id": "443997116f1761b5",
+ "question": "Where did Ben Bernanke go for unndergrad?",
+ "decomposition": [],
+ "answer": "Harvard College",
+ "depends_on": [
+ "d28b6a7252921ea5"
+ ],
+ "evidence": {
+ "pageid": 1838387,
+ "revid": 1185289545,
+ "title": "Ben Bernanke",
+ "url": "https://en.wikipedia.org/wiki/Ben_Bernanke"
+ }
+ },
+ {
+ "id": "a947051621daeb11",
+ "question": "Where did Douglas Diamond go for unndergrad?",
+ "decomposition": [],
+ "answer": "Brown University",
+ "depends_on": [
+ "d28b6a7252921ea5"
+ ],
+ "evidence": {
+ "pageid": 33205435,
+ "revid": 1174136704,
+ "title": "Douglas Diamond",
+ "url": "https://en.wikipedia.org/wiki/Douglas_Diamond"
+ }
+ },
+ {
+ "id": "f2b2646fe57726ea",
+ "question": "Where did Philip H. Dybvig go for unndergrad?",
+ "decomposition": [],
+ "answer": "Indiana University",
+ "depends_on": [
+ "d28b6a7252921ea5"
+ ],
+ "evidence": {
+ "pageid": 50785941,
+ "revid": 1183908471,
+ "title": "Philip H. Dybvig",
+ "url": "https://en.wikipedia.org/wiki/Philip_H._Dybvig"
+ }
+ }
+ ],
+ "answer": {
+ "David Card": "Queen's University",
+ "Joshua Angrist": "Oberlin College",
+ "Guido Imbens": "Erasmus University Rotterdam",
+ "Ben Bernanke": "Harvard College",
+ "Douglas Diamond": "Brown University",
+ "Philip H. Dybvig": "Indiana University"
+ },
+ "categories": [
+ "Education",
+ "Economics",
+ "History"
+ ]
+ },
+ {
+ "id": "0502dd01fd5bd124",
+ "question": "List the top 5 fastest animals and their species.",
+ "decomposition": [
+ {
+ "id": "19c086ac425f642f",
+ "question": "Find a list of the top 5 fastest animals.",
+ "decomposition": [],
+ "answer": [
+ "Peregrine falcon",
+ "Golden eagle",
+ "White-throated needletail swift",
+ "Eurasian hobby",
+ "Mexican free-tailed bat"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 34570233,
+ "revid": 1185081586,
+ "title": "Fastest animals",
+ "url": "https://en.wikipedia.org/wiki/Fastest_animals"
+ }
+ },
+ {
+ "id": "1ac3a329eba2fbd5",
+ "question": "What is the species of the Peregrine falcon?",
+ "decomposition": [],
+ "answer": "F. peregrinus",
+ "depends_on": [
+ "19c086ac425f642f"
+ ],
+ "evidence": {
+ "pageid": 157626,
+ "revid": 1185332348,
+ "title": "Peregrine falcon",
+ "url": "https://en.wikipedia.org/wiki/Peregrine_falcon"
+ }
+ },
+ {
+ "id": "3a50c96bb19acba1",
+ "question": "What is the species of the Golden eagle?",
+ "decomposition": [],
+ "answer": "A. chrysaetos",
+ "depends_on": [
+ "19c086ac425f642f"
+ ],
+ "evidence": {
+ "pageid": 88295,
+ "revid": 1170848454,
+ "title": "Golden eagle",
+ "url": "https://en.wikipedia.org/wiki/Golden_eagle"
+ }
+ },
+ {
+ "id": "9aec78c28b15b5e6",
+ "question": "What is the species of the White-throated needletail swift?",
+ "decomposition": [],
+ "answer": "H. caudacutus",
+ "depends_on": [
+ "19c086ac425f642f"
+ ],
+ "evidence": {
+ "pageid": 377345,
+ "revid": 1147935752,
+ "title": "White-throated needletail",
+ "url": "https://en.wikipedia.org/wiki/White-throated_needletail"
+ }
+ },
+ {
+ "id": "1abb8379c3af1ec5",
+ "question": "What is the species of the Eurasian hobby?",
+ "decomposition": [],
+ "answer": "F. subbuteo",
+ "depends_on": [
+ "19c086ac425f642f"
+ ],
+ "evidence": {
+ "pageid": 221769,
+ "revid": 1173579026,
+ "title": "Eurasian hobby",
+ "url": "https://en.wikipedia.org/wiki/Eurasian_hobby"
+ }
+ },
+ {
+ "id": "96c9cb8b0428d7de",
+ "question": "What is the species of the Mexican free-tailed bat?",
+ "decomposition": [],
+ "answer": "T. brasiliensis",
+ "depends_on": [
+ "19c086ac425f642f"
+ ],
+ "evidence": {
+ "pageid": 801513,
+ "revid": 1183840542,
+ "title": "Mexican free-tailed bat",
+ "url": "https://en.wikipedia.org/wiki/Mexican_free-tailed_bat"
+ }
+ }
+ ],
+ "answer": {
+ "Peregrine falcon": "F. peregrinus",
+ "Golden eagle": "A. chrysaetos",
+ "White-throated needletail swift": "H. caudacutus",
+ "Eurasian hobby": "F. subbuteo",
+ "Mexican free-tailed bat": "T. brasiliensis"
+ },
+ "categories": [
+ "Zoology"
+ ]
+ },
+ {
+ "id": "8cc68563679b85fa",
+ "question": "What is the estimated population in 2023 of the 5 current most populous cities in the world?",
+ "decomposition": [
+ {
+ "id": "bde10778a3997278",
+ "question": "What are the 5 most populous cities in the world?",
+ "decomposition": [],
+ "answer": [
+ "Tokyo",
+ "Delhi",
+ "Shanghai",
+ "S\u00e3o Paulo",
+ "Mumbai"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 14649921,
+ "revid": 1184671739,
+ "title": "List of largest cities",
+ "url": "https://en.wikipedia.org/wiki/List_of_cities_proper_by_population"
+ }
+ },
+ {
+ "id": "32868ab8f04c4794",
+ "question": "What is the estimated population of Tokyo in 2023?",
+ "decomposition": [],
+ "answer": 13942856,
+ "depends_on": [
+ "bde10778a3997278"
+ ],
+ "evidence": {
+ "pageid": 30057,
+ "revid": 1185512854,
+ "title": "Tokyo",
+ "url": "https://en.wikipedia.org/wiki/Tokyo"
+ }
+ },
+ {
+ "id": "a0b36318ad9e32af",
+ "question": "What is the estimated population of Delhi in 2023?",
+ "decomposition": [],
+ "answer": 30763264,
+ "depends_on": [
+ "bde10778a3997278"
+ ],
+ "evidence": {
+ "pageid": 37756,
+ "revid": 1185858759,
+ "title": "Delhi",
+ "url": "https://en.wikipedia.org/wiki/Delhi"
+ }
+ },
+ {
+ "id": "6687b92034175591",
+ "question": "What is the estimated population of Shanghai in 2023?",
+ "decomposition": [],
+ "answer": 27130401,
+ "depends_on": [
+ "bde10778a3997278"
+ ],
+ "evidence": {
+ "pageid": 27643,
+ "revid": 1185922962,
+ "title": "Shanghai",
+ "url": "https://en.wikipedia.org/wiki/Shanghai"
+ }
+ },
+ {
+ "id": "9af9afe1c1d0b74d",
+ "question": "What is the estimated population of S\u00e3o Paulo in 2023?",
+ "decomposition": [],
+ "answer": 22803016,
+ "depends_on": [
+ "bde10778a3997278"
+ ],
+ "evidence": {
+ "pageid": 390875,
+ "revid": 1185771387,
+ "title": "S\u00e3o Paulo",
+ "url": "https://en.wikipedia.org/wiki/S%C3%A3o_Paulo"
+ }
+ },
+ {
+ "id": "ba3688df684a3902",
+ "question": "What is the estimated population of Mumbai in 2023?",
+ "decomposition": [],
+ "answer": 24992316,
+ "depends_on": [
+ "bde10778a3997278"
+ ],
+ "evidence": {
+ "pageid": 19189,
+ "revid": 1185286956,
+ "title": "Mumbai",
+ "url": "https://en.wikipedia.org/wiki/Mumbai"
+ }
+ }
+ ],
+ "answer": {
+ "Tokyo": 13942856,
+ "Delhi": 30763264,
+ "Shanghai": 27130401,
+ "S\u00e3o Paulo": 22803016,
+ "Mumbai": 24992316
+ },
+ "categories": [
+ "Geography",
+ "Demographics"
+ ]
+ },
+ {
+ "id": "b7ae075feb08c948",
+ "question": "What are the top 4 best-selling mangas of all time and who is the protagonist for each?",
+ "decomposition": [
+ {
+ "id": "9e71469b9f4b6891",
+ "question": "What are the top 4 best-selling mangas of all time?",
+ "decomposition": [],
+ "answer": [
+ "One Piece",
+ "Golgo 13",
+ "Case Closed / Detective Conan",
+ "Dragon Ball"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 39502626,
+ "revid": 1185412732,
+ "title": "List of best-selling manga",
+ "url": "https://en.wikipedia.org/wiki/List_of_best-selling_manga"
+ }
+ },
+ {
+ "id": "45e1c0dd920cb494",
+ "question": "Who is the protagonist of 'One Piece'?",
+ "decomposition": [],
+ "answer": "Monkey D. Luffy",
+ "depends_on": [
+ "9e71469b9f4b6891"
+ ],
+ "evidence": {
+ "pageid": 360792,
+ "revid": 1182463714,
+ "title": "Monkey D. Luffy",
+ "url": "https://en.wikipedia.org/wiki/Monkey_D._Luffy"
+ }
+ },
+ {
+ "id": "859ea92a477f83d5",
+ "question": "Who is the protagonist of 'Golgo 13'?",
+ "decomposition": [],
+ "answer": "Duke Togo",
+ "depends_on": [
+ "9e71469b9f4b6891"
+ ],
+ "evidence": {
+ "pageid": 802732,
+ "revid": 1185717890,
+ "title": "Golgo 13",
+ "url": "https://en.wikipedia.org/wiki/Golgo_13"
+ }
+ },
+ {
+ "id": "b889eb1778d618ae",
+ "question": "Who is the protagonist of 'Case Closed / Detective Conan'?",
+ "decomposition": [],
+ "answer": "Shinichi Kudo",
+ "depends_on": [
+ "9e71469b9f4b6891"
+ ],
+ "evidence": {
+ "pageid": 1035887,
+ "revid": 1184323878,
+ "title": "Jimmy Kudo",
+ "url": "https://en.wikipedia.org/wiki/Jimmy_Kudo"
+ }
+ },
+ {
+ "id": "92733bdce7e3366e",
+ "question": "Who is the protagonist of 'Dragon Ball'?",
+ "decomposition": [],
+ "answer": "Goku",
+ "depends_on": [
+ "9e71469b9f4b6891"
+ ],
+ "evidence": {
+ "pageid": 572605,
+ "revid": 1185771100,
+ "title": "Goku",
+ "url": "https://en.wikipedia.org/wiki/Goku"
+ }
+ }
+ ],
+ "answer": {
+ "One Piece": "Monkey D. Luffy",
+ "Golgo 13": "Duke Togo",
+ "Case Closed / Detective Conan": "Shinichi Kudo",
+ "Dragon Ball": "Goku"
+ },
+ "categories": [
+ "Literature",
+ "Japanese Culture"
+ ]
+ },
+ {
+ "id": "789745e2b9852892",
+ "question": "What is the running time (in minutes) of the 5 most recent James Bond films?",
+ "decomposition": [
+ {
+ "id": "5d8c1817662ea4d2",
+ "question": "What are the 5 most recent James Bond films?",
+ "decomposition": [],
+ "answer": [
+ "No Time to Die",
+ "Spectre",
+ "Skyfall",
+ "Quantum of Solace",
+ "Casino Royale"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 33190861,
+ "revid": 1185937445,
+ "title": "List of James Bond films",
+ "url": "https://en.wikipedia.org/wiki/List_of_James_Bond_films"
+ }
+ },
+ {
+ "id": "c13bc5b04b41cbff",
+ "question": "What is the running time (in minutes) of No Time to Die?",
+ "decomposition": [],
+ "answer": 163,
+ "depends_on": [
+ "5d8c1817662ea4d2"
+ ],
+ "evidence": {
+ "pageid": 38042908,
+ "revid": 1184396284,
+ "title": "No Time to Die",
+ "url": "https://en.wikipedia.org/wiki/No_Time_to_Die"
+ }
+ },
+ {
+ "id": "7a44d2180b68d5ea",
+ "question": "What is the running time (in minutes) of Spectre?",
+ "decomposition": [],
+ "answer": 148,
+ "depends_on": [
+ "5d8c1817662ea4d2"
+ ],
+ "evidence": {
+ "pageid": 44853982,
+ "revid": 1185199009,
+ "title": "Spectre (2015 film)",
+ "url": "https://en.wikipedia.org/wiki/Spectre_(2015_film)"
+ }
+ },
+ {
+ "id": "660d9f74a410d97f",
+ "question": "What is the running time (in minutes) of Skyfall?",
+ "decomposition": [],
+ "answer": 143,
+ "depends_on": [
+ "5d8c1817662ea4d2"
+ ],
+ "evidence": {
+ "pageid": 33335392,
+ "revid": 1184372189,
+ "title": "Skyfall",
+ "url": "https://en.wikipedia.org/wiki/Skyfall"
+ }
+ },
+ {
+ "id": "32eb168dfe113497",
+ "question": "What is the running time (in minutes) of Quantum of Solace?",
+ "decomposition": [],
+ "answer": 106,
+ "depends_on": [
+ "5d8c1817662ea4d2"
+ ],
+ "evidence": {
+ "pageid": 2969247,
+ "revid": 1185528005,
+ "title": "Quantum of Solace",
+ "url": "https://en.wikipedia.org/wiki/Quantum_of_Solace"
+ }
+ },
+ {
+ "id": "06480a6b2b72974f",
+ "question": "What is the running time (in minutes) of Casino Royale?",
+ "decomposition": [],
+ "answer": 144,
+ "depends_on": [
+ "5d8c1817662ea4d2"
+ ],
+ "evidence": {
+ "pageid": 930379,
+ "revid": 1185768742,
+ "title": "Casino Royale (2006 film)",
+ "url": "https://en.wikipedia.org/wiki/Casino_Royale_(2006_film)"
+ }
+ }
+ ],
+ "answer": {
+ "No Time to Die": 163,
+ "Spectre": 148,
+ "Skyfall": 143,
+ "Quantum of Solace": 106,
+ "Casino Royale": 144
+ },
+ "categories": [
+ "Film Studies"
+ ]
+ },
+ {
+ "id": "1cac05418f2c19d9",
+ "question": "What are the populations of the top 10 coffee producing countries in number of people?",
+ "decomposition": [
+ {
+ "id": "0c41adc254e272ba",
+ "question": "What are the top 10 coffee producing countries?",
+ "decomposition": [],
+ "answer": [
+ "Brazil",
+ "Vietnam",
+ "Colombia",
+ "Indonesia",
+ "Honduras",
+ "Ethiopia",
+ "India",
+ "Uganda",
+ "Mexico",
+ "Guatemala"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 36196672,
+ "revid": 1176968483,
+ "title": "List of countries by coffee production",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_coffee_production"
+ }
+ },
+ {
+ "id": "452f5213601cb41f",
+ "question": "What is the population of Brazil?",
+ "decomposition": [],
+ "answer": 203062512,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 3383,
+ "revid": 1185385360,
+ "title": "Brazil",
+ "url": "https://en.wikipedia.org/wiki/Brazil"
+ }
+ },
+ {
+ "id": "59fd9e6d12ed5989",
+ "question": "What is the population of Vietnam?",
+ "decomposition": [],
+ "answer": 96208984,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 202354,
+ "revid": 1185599011,
+ "title": "Vietnam",
+ "url": "https://en.wikipedia.org/wiki/Vietnam"
+ }
+ },
+ {
+ "id": "a7c4ab66b35a720a",
+ "question": "What is the population of Colombia?",
+ "decomposition": [],
+ "answer": 49336454,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 5222,
+ "revid": 1184928748,
+ "title": "Colombia",
+ "url": "https://en.wikipedia.org/wiki/Colombia"
+ }
+ },
+ {
+ "id": "adadc2a73a6e1220",
+ "question": "What is the population of Indonesia?",
+ "decomposition": [],
+ "answer": 279118866,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 14579,
+ "revid": 1185389327,
+ "title": "Indonesia",
+ "url": "https://en.wikipedia.org/wiki/Indonesia"
+ }
+ },
+ {
+ "id": "3534798e260d9e77",
+ "question": "What is the population of Honduras?",
+ "decomposition": [],
+ "answer": 9571352,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 13394,
+ "revid": 1182557356,
+ "title": "Honduras",
+ "url": "https://en.wikipedia.org/wiki/Honduras"
+ }
+ },
+ {
+ "id": "3e416dad38d909c3",
+ "question": "What is the population of Ethiopia?",
+ "decomposition": [],
+ "answer": 126527060,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 187749,
+ "revid": 1185375358,
+ "title": "Ethiopia",
+ "url": "https://en.wikipedia.org/wiki/Ethiopia"
+ }
+ },
+ {
+ "id": "e48615c27a53c93a",
+ "question": "What is the population of India?",
+ "decomposition": [],
+ "answer": 1428627663,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 14533,
+ "revid": 1185576067,
+ "title": "India",
+ "url": "https://en.wikipedia.org/wiki/India"
+ }
+ },
+ {
+ "id": "b00623241fba2bcc",
+ "question": "What is the population of Uganda?",
+ "decomposition": [],
+ "answer": 47729952,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 31816,
+ "revid": 1184593195,
+ "title": "Uganda",
+ "url": "https://en.wikipedia.org/wiki/Uganda"
+ }
+ },
+ {
+ "id": "953bb309eb788238",
+ "question": "What is the population of Mexico?",
+ "decomposition": [],
+ "answer": 129875529,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 3966054,
+ "revid": 1185769245,
+ "title": "Mexico",
+ "url": "https://en.wikipedia.org/wiki/Mexico"
+ }
+ },
+ {
+ "id": "a7c822e1988d5094",
+ "question": "What is the population of Guatemala?",
+ "decomposition": [],
+ "answer": 17980803,
+ "depends_on": [
+ "0c41adc254e272ba"
+ ],
+ "evidence": {
+ "pageid": 17238567,
+ "revid": 1185655137,
+ "title": "Guatemala",
+ "url": "https://en.wikipedia.org/wiki/Guatemala"
+ }
+ }
+ ],
+ "answer": {
+ "India": 1428627663,
+ "Indonesia": 279118866,
+ "Brazil": 203062512,
+ "Mexico": 129875529,
+ "Ethiopia": 126527060,
+ "Vietnam": 96208984,
+ "Colombia": 49336454,
+ "Uganda": 47729952,
+ "Guatemala": 17980803,
+ "Honduras": 9571352
+ },
+ "categories": [
+ "Demographics",
+ "Geography"
+ ]
+ },
+ {
+ "id": "4ca77c9fca665fdd",
+ "question": "At which university or company do the authors of \"Introduction to Algorithms\" from MIT Press work?",
+ "decomposition": [
+ {
+ "id": "29a01e881ea193a5",
+ "question": "Who wrote \"Introduction to Algorithms\" from MIT Press?",
+ "decomposition": [],
+ "answer": [
+ "Thomas H. Cormen",
+ "Charles E. Leiserson",
+ "Ronald L. Rivest",
+ "Clifford Stein"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 3499226,
+ "revid": 1177272546,
+ "title": "Introduction to Algorithms",
+ "url": "https://en.wikipedia.org/wiki/Introduction_to_Algorithms"
+ }
+ },
+ {
+ "id": "c05d076d51d2b77e",
+ "question": "What university/company does Thomas H. Cormen work at?",
+ "decomposition": [],
+ "answer": "Dartmouth College",
+ "depends_on": [
+ "29a01e881ea193a5"
+ ],
+ "evidence": {
+ "pageid": 4108475,
+ "revid": 1183761752,
+ "title": "Thomas H. Cormen",
+ "url": "https://en.wikipedia.org/wiki/Thomas_H._Cormen"
+ }
+ },
+ {
+ "id": "b30d258d9286ca6b",
+ "question": "What university/company does Charles E. Leiserson work at?",
+ "decomposition": [],
+ "answer": "Massachusetts Institute of Technology",
+ "depends_on": [
+ "29a01e881ea193a5"
+ ],
+ "evidence": {
+ "pageid": 1400884,
+ "revid": 1158153678,
+ "title": "Charles E. Leiserson",
+ "url": "https://en.wikipedia.org/wiki/Charles_E._Leiserson"
+ }
+ },
+ {
+ "id": "6dae310bff90ff1b",
+ "question": "What university/company does Ronald L. Rivest work at?",
+ "decomposition": [],
+ "answer": "Massachusetts Institute of Technology",
+ "depends_on": [
+ "29a01e881ea193a5"
+ ],
+ "evidence": {
+ "pageid": 68057,
+ "revid": 1184976225,
+ "title": "Ron Rivest",
+ "url": "https://en.wikipedia.org/wiki/Ron_Rivest"
+ }
+ },
+ {
+ "id": "aef342e283752db1",
+ "question": "What university/company does Clifford Stein work at?",
+ "decomposition": [],
+ "answer": "Columbia University",
+ "depends_on": [
+ "29a01e881ea193a5"
+ ],
+ "evidence": {
+ "pageid": 3489993,
+ "revid": 1139753564,
+ "title": "Clifford Stein",
+ "url": "https://en.wikipedia.org/wiki/Clifford_Stein"
+ }
+ }
+ ],
+ "answer": {
+ "Thomas H. Cormen": "Dartmouth College",
+ "Charles E. Leiserson": "Massachusetts Institute of Technology",
+ "Ronald L. Rivest": "Massachusetts Institute of Technology",
+ "Clifford Stein": "Columbia University"
+ },
+ "categories": [
+ "Education",
+ "Computer Science"
+ ]
+ },
+ {
+ "id": "30485427b5578fcd",
+ "question": "What was the per capita GDP in US dollars in the four continents with the highest GDP in 2022?",
+ "decomposition": [
+ {
+ "id": "febaa760747b0d24",
+ "question": "What are the top three continents with highest GDP in 2022?",
+ "decomposition": [],
+ "answer": [
+ "Asia",
+ "North America",
+ "Europe",
+ "South America"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 34028756,
+ "revid": 1185701025,
+ "title": "List of continents by GDP",
+ "url": "https://en.wikipedia.org/wiki/List_of_continents_by_GDP"
+ }
+ },
+ {
+ "id": "557f4ed94aad391e",
+ "question": "What was the GDP per capta of Asia in 2022?",
+ "decomposition": [],
+ "answer": "$8890",
+ "depends_on": [
+ "febaa760747b0d24"
+ ],
+ "evidence": {
+ "pageid": 689,
+ "revid": 1185632983,
+ "title": "Asia",
+ "url": "https://en.wikipedia.org/wiki/Asia"
+ }
+ },
+ {
+ "id": "37a93711f686f0d2",
+ "question": "What was the GDP per capta of North America in 2022?",
+ "decomposition": [],
+ "answer": "$57410",
+ "depends_on": [
+ "febaa760747b0d24"
+ ],
+ "evidence": {
+ "pageid": 21139,
+ "revid": 1185214801,
+ "title": "North America",
+ "url": "https://en.wikipedia.org/wiki/North_America"
+ }
+ },
+ {
+ "id": "8757bf993ebe18c0",
+ "question": "What was the GDP per capta of Europe in 2022?",
+ "decomposition": [],
+ "answer": "$34230",
+ "depends_on": [
+ "febaa760747b0d24"
+ ],
+ "evidence": {
+ "pageid": 9239,
+ "revid": 1185734827,
+ "title": "Europe",
+ "url": "https://en.wikipedia.org/wiki/Europe"
+ }
+ },
+ {
+ "id": "f830a83c8210edae",
+ "question": "What was the GDP per capta of South America in 2022?",
+ "decomposition": [],
+ "answer": "$8340",
+ "depends_on": [
+ "febaa760747b0d24"
+ ],
+ "evidence": {
+ "pageid": 26769,
+ "revid": 1184637882,
+ "title": "South America",
+ "url": "https://en.wikipedia.org/wiki/South_America"
+ }
+ }
+ ],
+ "answer": {
+ "Asia": "$8890",
+ "North America": "$57410",
+ "Eruope": "$34230",
+ "South America": "$8340"
+ },
+ "categories": [
+ "Economics"
+ ]
+ },
+ {
+ "id": "7a60f1cc781f2fbe",
+ "question": "Which are the top four teams with the most Super Bowl wins and in which states are they located?",
+ "decomposition": [
+ {
+ "id": "13b1e48d52633d52",
+ "question": "What are the top four teams with most super bowl wins?",
+ "decomposition": [],
+ "answer": [
+ "Boston/New England Patriots",
+ "Pittsburgh Steelers",
+ "Dallas Cowboys",
+ "San Francisco 49ers"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2145410,
+ "revid": 1185596189,
+ "title": "List of Super Bowl champions",
+ "url": "https://en.wikipedia.org/wiki/List_of_Super_Bowl_champions"
+ }
+ },
+ {
+ "id": "3411c7251aea470b",
+ "question": "What state is Boston located?",
+ "decomposition": [],
+ "answer": "Massachusetts",
+ "depends_on": [
+ "13b1e48d52633d52"
+ ],
+ "evidence": {
+ "pageid": 24437894,
+ "revid": 1185674930,
+ "title": "Boston",
+ "url": "https://en.wikipedia.org/wiki/Boston"
+ }
+ },
+ {
+ "id": "77199f063cdce96d",
+ "question": "What state is Pittsburgh located?",
+ "decomposition": [],
+ "answer": "Pennsylvania",
+ "depends_on": [
+ "13b1e48d52633d52"
+ ],
+ "evidence": {
+ "pageid": 25101,
+ "revid": 1185357994,
+ "title": "Pittsburgh",
+ "url": "https://en.wikipedia.org/wiki/Pittsburgh"
+ }
+ },
+ {
+ "id": "786a37267d7036de",
+ "question": "What state is Dallas located?",
+ "decomposition": [],
+ "answer": "Texas",
+ "depends_on": [
+ "13b1e48d52633d52"
+ ],
+ "evidence": {
+ "pageid": 53838,
+ "revid": 1185896773,
+ "title": "Dallas",
+ "url": "https://en.wikipedia.org/wiki/Dallas"
+ }
+ },
+ {
+ "id": "05a356be33a860fc",
+ "question": "What state is San Francisco located?",
+ "decomposition": [],
+ "answer": "California",
+ "depends_on": [
+ "13b1e48d52633d52"
+ ],
+ "evidence": {
+ "pageid": 49728,
+ "revid": 1185767929,
+ "title": "San Francisco",
+ "url": "https://en.wikipedia.org/wiki/San_Francisco"
+ }
+ }
+ ],
+ "answer": {
+ "Boston/New England Patriots": "Massachusetts",
+ "Pittsburgh Steelers": "Pennsylvania",
+ "Dallas Cowboys": "Texas",
+ "San Francisco 49ers": "California"
+ },
+ "categories": [
+ "Sports",
+ "Geography"
+ ]
+ },
+ {
+ "id": "498337828f5896d3",
+ "question": "What is the area in square kilometers of the city that hosts the alma mater of all partners of the main actors from 'How I Met Your Mother' who eventually hosted the Academy Awards?",
+ "decomposition": [
+ {
+ "id": "7d88ed025e2cdc02",
+ "question": "List of main actors in 'How I Met Your Mother'",
+ "decomposition": [],
+ "answer": [
+ "Josh Radnor",
+ "Jason Segel",
+ "Cobie Smulders",
+ "Neil Patrick Harris",
+ "Alyson Hannigan",
+ "Cristin Milioti"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 2711314,
+ "revid": 1185850871,
+ "title": "How I Met Your Mother",
+ "url": "https://en.wikipedia.org/wiki/How_I_Met_Your_Mother"
+ }
+ },
+ {
+ "id": "5f996e45541db5d9",
+ "question": "Which of these actors hosted the Academy Awards?",
+ "decomposition": [],
+ "answer": [
+ "Neil Patrick Harris"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 489033,
+ "revid": 1185483970,
+ "title": "List of Academy Awards ceremonies",
+ "url": "https://en.wikipedia.org/wiki/List_of_Academy_Awards_ceremonies"
+ }
+ },
+ {
+ "id": "846616a7feed72fe",
+ "question": "Identify the partner of Neil Patrick Harris",
+ "decomposition": [],
+ "answer": "David Burtka",
+ "depends_on": [
+ "7d88ed025e2cdc02",
+ "5f996e45541db5d9"
+ ],
+ "evidence": {
+ "pageid": 1799053,
+ "revid": 1185687139,
+ "title": "David Burtka",
+ "url": "https://en.wikipedia.org/wiki/David_Burtka"
+ }
+ },
+ {
+ "id": "ab29b4162efaddb0",
+ "question": "What is the alma mater of David Burtka?",
+ "decomposition": [],
+ "answer": "University of Michigan",
+ "depends_on": [
+ "7d88ed025e2cdc02",
+ "5f996e45541db5d9"
+ ],
+ "evidence": {
+ "pageid": 31740,
+ "revid": 1185652573,
+ "title": "University of Michigan",
+ "url": "https://en.wikipedia.org/wiki/University_of_Michigan"
+ }
+ },
+ {
+ "id": "cfa47fa53562ead1",
+ "question": "What is the area of the city of Ann Arbor?",
+ "decomposition": [],
+ "answer": "75.35 square kilometers",
+ "depends_on": [
+ "7d88ed025e2cdc02",
+ "5f996e45541db5d9"
+ ],
+ "evidence": {
+ "pageid": 2067,
+ "revid": 1185125595,
+ "title": "Ann Arbor, Michigan",
+ "url": "https://en.wikipedia.org/wiki/Ann_Arbor,_Michigan"
+ }
+ }
+ ],
+ "answer": "75.35 square kilometers",
+ "categories": [
+ "Television",
+ "Film Studies",
+ "Geography"
+ ]
+ },
+ {
+ "id": "e9b241d79ff08ba7",
+ "question": "Where are the headquarters of the top 5 companies on the Fortune Global 500 in 2023 located?",
+ "decomposition": [
+ {
+ "id": "2c4e91e655f95765",
+ "question": "What are the top 5 companines on the Fortune Global 500 in 2023?",
+ "decomposition": [],
+ "answer": [
+ "Walmart",
+ "Saudi Aramco",
+ "State Grid",
+ "Amazon",
+ "China National Petroleum"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 17581425,
+ "revid": 1184432799,
+ "title": "Fortune Global 500",
+ "url": "https://en.wikipedia.org/wiki/Fortune_Global_500"
+ }
+ },
+ {
+ "id": "da374ceba32cc342",
+ "question": "Where is the headquarter of Walmart?",
+ "decomposition": [],
+ "answer": "Bentonville, Arkansas, U.S",
+ "depends_on": [
+ "2c4e91e655f95765"
+ ],
+ "evidence": {
+ "pageid": 33589,
+ "revid": 1185423753,
+ "title": "Walmart",
+ "url": "https://en.wikipedia.org/wiki/Walmart"
+ }
+ },
+ {
+ "id": "114131f5bc7f8d00",
+ "question": "Where is the headquarter of Saudi Aramco?",
+ "decomposition": [],
+ "answer": "Dhahran, Saudi Arabia[",
+ "depends_on": [
+ "2c4e91e655f95765"
+ ],
+ "evidence": {
+ "pageid": 290527,
+ "revid": 1184200621,
+ "title": "Saudi Aramco",
+ "url": "https://en.wikipedia.org/wiki/Saudi%20Aramco"
+ }
+ },
+ {
+ "id": "23cf35e6eb23d391",
+ "question": "Where is the headquarter of State Grid?",
+ "decomposition": [],
+ "answer": "Xicheng District, Beijing, China",
+ "depends_on": [
+ "2c4e91e655f95765"
+ ],
+ "evidence": {
+ "pageid": 1316975,
+ "revid": 1184249925,
+ "title": "State Grid Corporation of China",
+ "url": "https://en.wikipedia.org/wiki/State_Grid_Corporation_of_China"
+ }
+ },
+ {
+ "id": "09c230ec12b8f6fa",
+ "question": "Where is the headquarter of Amazon?",
+ "decomposition": [],
+ "answer": "Seattle, Washington",
+ "depends_on": [
+ "2c4e91e655f95765"
+ ],
+ "evidence": {
+ "pageid": 90451,
+ "revid": 1185345455,
+ "title": "Amazon (company)",
+ "url": "https://en.wikipedia.org/wiki/Amazon_(company)"
+ }
+ },
+ {
+ "id": "8b3308d8a11acf24",
+ "question": "Where is the headquarter of China National Petroleum?",
+ "decomposition": [],
+ "answer": "Dongcheng District, Beijing, China",
+ "depends_on": [
+ "2c4e91e655f95765"
+ ],
+ "evidence": {
+ "pageid": 2646197,
+ "revid": 1183434028,
+ "title": "China National Petroleum Corporation",
+ "url": "https://en.wikipedia.org/wiki/China_National_Petroleum_Corporation"
+ }
+ }
+ ],
+ "answer": {
+ "Walmart": "Bentonville, Arkansas, U.S",
+ "Saudi Aramco": "Dhahran, Saudi Arabia[",
+ "State Grid": "Xicheng District, Beijing, China",
+ "Amazon": "Seattle, Washington",
+ "China National Petroleum": "Dongcheng District, Beijing, China"
+ },
+ "categories": [
+ "Business",
+ "Geography"
+ ]
+ },
+ {
+ "id": "70da494f6dbf575c",
+ "question": "Who are the current government leaders of the top four countries in terms of GDP?",
+ "decomposition": [
+ {
+ "id": "e5404a44c2861459",
+ "question": "What are the top four countries in GDP?",
+ "decomposition": [],
+ "answer": [
+ "United States",
+ "China",
+ "Germany",
+ "Japan"
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 380845,
+ "revid": 1185842191,
+ "title": "List of countries by GDP (nominal)",
+ "url": "https://en.wikipedia.org/wiki/List_of_countries_by_GDP_(nominal)"
+ }
+ },
+ {
+ "id": "9ed5d2d9804c65e1",
+ "question": "Who is the government leader of the United States?",
+ "decomposition": [],
+ "answer": "Joe Biden",
+ "depends_on": [
+ "e5404a44c2861459"
+ ],
+ "evidence": {
+ "pageid": 3434750,
+ "revid": 1185914171,
+ "title": "United States",
+ "url": "https://en.wikipedia.org/wiki/United_States"
+ }
+ },
+ {
+ "id": "0e4fbbc181d72e2b",
+ "question": "Who is the government leader of the China?",
+ "decomposition": [],
+ "answer": "Xi Jinping",
+ "depends_on": [
+ "e5404a44c2861459"
+ ],
+ "evidence": {
+ "pageid": 5405,
+ "revid": 1185706762,
+ "title": "China",
+ "url": "https://en.wikipedia.org/wiki/China"
+ }
+ },
+ {
+ "id": "e1d6dc61009dcab9",
+ "question": "Who is the government leader of the Germany?",
+ "decomposition": [],
+ "answer": "Frank-Walter Steinmeier",
+ "depends_on": [
+ "e5404a44c2861459"
+ ],
+ "evidence": {
+ "pageid": 11867,
+ "revid": 1185869364,
+ "title": "Germany",
+ "url": "https://en.wikipedia.org/wiki/Germany"
+ }
+ },
+ {
+ "id": "ca5cc384df82cf5e",
+ "question": "Who is the government leader of the Japan?",
+ "decomposition": [],
+ "answer": "Fumio Kishida",
+ "depends_on": [
+ "e5404a44c2861459"
+ ],
+ "evidence": {
+ "pageid": 15573,
+ "revid": 1185720931,
+ "title": "Japan",
+ "url": "https://en.wikipedia.org/wiki/Japan"
+ }
+ }
+ ],
+ "answer": {
+ "United States": "Joe Biden",
+ "China": "Xi Jinping",
+ "Germany": "Frank-Walter Steinmeier",
+ "Japan": "Fumio Kishida"
+ },
+ "categories": [
+ "Economics",
+ "Politics"
+ ]
+ },
+ {
+ "id": "c0f42143f3dd3be1",
+ "question": "What is the total prize money in US dollars for the winner of the League World Championships that had a 4 or 5 game grand final?",
+ "decomposition": [
+ {
+ "id": "0f88f7af8c8afdf9",
+ "question": "Which League World Championships had a grand final with more than 3 games?",
+ "decomposition": [],
+ "answer": [
+ 2012,
+ 2014,
+ 2015,
+ 2016,
+ 2020,
+ 2021,
+ 2022
+ ],
+ "depends_on": [],
+ "evidence": {
+ "pageid": 42058214,
+ "revid": 1185912558,
+ "title": "League of Legends World Championship",
+ "url": "https://en.wikipedia.org/wiki/League_of_Legends_World_Championship"
+ }
+ },
+ {
+ "id": "e1e61ceb904c0230",
+ "question": "What was the winners prize of the 2012 League World Championship?",
+ "decomposition": [],
+ "answer": 1000000,
+ "depends_on": [
+ "0f88f7af8c8afdf9"
+ ],
+ "evidence": {
+ "pageid": 42058470,
+ "revid": 1183252213,
+ "title": "League of Legends: Season 2 World Championship",
+ "url": "https://en.wikipedia.org/wiki/League_of_Legends:_Season_2_World_Championship"
+ }
+ },
+ {
+ "id": "3bcac4683a2dd9bf",
+ "question": "What was the winners prize of the 2014 League World Championship?",
+ "decomposition": [],
+ "answer": 1000000,
+ "depends_on": [
+ "0f88f7af8c8afdf9"
+ ],
+ "evidence": {
+ "pageid": 46980320,
+ "revid": 1183252300,
+ "title": "2014 League of Legends World Championship",
+ "url": "https://en.wikipedia.org/wiki/2014_League_of_Legends_World_Championship"
+ }
+ },
+ {
+ "id": "905b06825f9794eb",
+ "question": "What was the winners prize of the 2015 League World Championship?",
+ "decomposition": [],
+ "answer": 1000000,
+ "depends_on": [
+ "0f88f7af8c8afdf9"
+ ],
+ "evidence": {
+ "pageid": 48266359,
+ "revid": 1183252324,
+ "title": "2015 League of Legends World Championship",
+ "url": "https://en.wikipedia.org/wiki/2015_League_of_Legends_World_Championship"
+ }
+ },
+ {
+ "id": "a41e5ed2f5295d85",
+ "question": "What was the winners prize of the 2016 League World Championship?",
+ "decomposition": [],
+ "answer": 2028000,
+ "depends_on": [
+ "0f88f7af8c8afdf9"
+ ],
+ "evidence": {
+ "pageid": 50494335,
+ "revid": 1185094220,
+ "title": "2016 League of Legends World Championship",
+ "url": "https://en.wikipedia.org/wiki/2016_League_of_Legends_World_Championship"
+ }
+ },
+ {
+ "id": "cd703c14162cd12d",
+ "question": "What was the winners prize of the 2020 League World Championship?",
+ "decomposition": [],
+ "answer": 556250,
+ "depends_on": [
+ "0f88f7af8c8afdf9"
+ ],
+ "evidence": {
+ "pageid": 65302928,
+ "revid": 1183252391,
+ "title": "2020 League of Legends World Championship",
+ "url": "https://en.wikipedia.org/wiki/2020_League_of_Legends_World_Championship"
+ }
+ },
+ {
+ "id": "85e201cdc94a0f75",
+ "question": "What was the winners prize of the 2021 League World Championship?",
+ "decomposition": [],
+ "answer": 495000,
+ "depends_on": [
+ "0f88f7af8c8afdf9"
+ ],
+ "evidence": {
+ "pageid": 68650879,
+ "revid": 1181464080,
+ "title": "2021 League of Legends World Championship",
+ "url": "https://en.wikipedia.org/wiki/2021_League_of_Legends_World_Championship"
+ }
+ },
+ {
+ "id": "e0539b473c185207",
+ "question": "What was the winners prize of the 2022 League World Championship?",
+ "decomposition": [],
+ "answer": 489500,
+ "depends_on": [
+ "0f88f7af8c8afdf9"
+ ],
+ "evidence": {
+ "pageid": 71363218,
+ "revid": 1185221988,
+ "title": "2022 League of Legends World Championship",
+ "url": "https://en.wikipedia.org/wiki/2022_League_of_Legends_World_Championship"
+ }
+ }
+ ],
+ "answer": 6568750,
+ "categories": [
+ "Video Games",
+ "Economics"
+ ]
+ }
+]
\ No newline at end of file
diff --git a/examples/WebAgent/data/flightqa_counterfactual.csv b/examples/WebAgent/data/flightqa_counterfactual.csv
new file mode 100644
index 00000000..e2b12250
--- /dev/null
+++ b/examples/WebAgent/data/flightqa_counterfactual.csv
@@ -0,0 +1,121 @@
+num_constraints,constraints,question,seed_id
+3,"['round-trip', 'San Francisco to Paris', 'departing in two weeks']",Could you find a round-trip flight from San Francisco to Paris departing in two weeks?,0
+4,"['round-trip', 'San Francisco to Paris', 'departing in two weeks', 'returning after a 10-day stay']",Could you find a round-trip flight from San Francisco to Paris departing in two weeks and returning after a 10-day stay?,0
+5,"['round-trip', 'San Francisco to Paris', 'departing in two weeks', 'returning after a 10-day stay', 'economy class']","Could you find a round-trip flight from San Francisco to Paris departing in two weeks, returning after a 10-day stay, and in economy class?",0
+6,"['round-trip', 'San Francisco to Paris', 'departing in two weeks', 'returning after a 10-day stay', 'economy class', 'one layover maximum']","Could you find a round-trip flight from San Francisco to Paris departing in two weeks, returning after a 10-day stay, in economy class, with at most one layover?",0
+7,"['round-trip', 'San Francisco to Paris', 'departing in two weeks', 'returning after a 10-day stay', 'economy class', 'one layover maximum', 'departure after 8 PM']","Could you find a round-trip flight from San Francisco to Paris departing in two weeks, returning after a 10-day stay, in economy class, with at most one layover, and departing after 8 PM?",0
+8,"['round-trip', 'San Francisco to Paris', 'departing in two weeks', 'returning after a 10-day stay', 'economy class', 'one layover maximum', 'departure after 8 PM', 'maximum budget of $800']","Could you find a round-trip flight from San Francisco to Paris departing in two weeks, returning after a 10-day stay, in economy class, with at most one layover, departing after 8 PM, and not exceeding a $800 budget?",0
+3,"['one-way', 'Los Angeles to Tokyo', 'flying after 8 PM']",Can you look for a one-way flight from Los Angeles to Tokyo that departs after 8 PM?,2
+4,"['one-way', 'Los Angeles to Tokyo', 'flying after 8 PM', 'economy class']",Can you look for a one-way flight from Los Angeles to Tokyo in economy class that departs after 8 PM?,2
+5,"['one-way', 'Los Angeles to Tokyo', 'flying after 8 PM', 'economy class', 'non-stop']",Can you look for a non-stop one-way flight from Los Angeles to Tokyo in economy class that departs after 8 PM?,2
+6,"['one-way', 'Los Angeles to Tokyo', 'flying after 8 PM', 'economy class', 'non-stop', 'budget under $700']",Can you find a non-stop one-way flight from Los Angeles to Tokyo in economy class that departs after 8 PM and costs less than $700?,2
+7,"['one-way', 'Los Angeles to Tokyo', 'flying after 8 PM', 'economy class', 'non-stop', 'budget under $700', 'departing next week']",Can you find a non-stop one-way flight from Los Angeles to Tokyo in economy class that departs next week after 8 PM and costs less than $700?,2
+8,"['one-way', 'Los Angeles to Tokyo', 'flying after 8 PM', 'economy class', 'non-stop', 'budget under $700', 'departing next week', 'eco-friendly option']","Can you find an eco-friendly, non-stop one-way flight from Los Angeles to Tokyo in economy class that departs next week after 8 PM and costs less than $700?",2
+3,"['multi-city', 'New York to Rome to Barcelona', 'leaving next month']","I’m looking for a multi-city trip: New York to Rome and then Rome to Barcelona, leaving next month. Can you find that?",3
+4,"['multi-city', 'New York to Rome to Barcelona', 'leaving next month', 'non-stop flights only']","I’m looking for a multi-city trip: New York to Rome and then Rome to Barcelona, leaving next month, and I want non-stop flights only. Can you find that?",3
+5,"['multi-city', 'New York to Rome to Barcelona', 'leaving next month', 'non-stop flights only', 'returning in two weeks']","I’m looking for a multi-city trip: New York to Rome and then Rome to Barcelona, leaving next month and returning in two weeks, with non-stop flights only. Can you find that?",3
+6,"['multi-city', 'New York to Rome to Barcelona', 'leaving next month', 'non-stop flights only', 'returning in two weeks', 'economy class']","I’m looking for a multi-city trip: New York to Rome and then Rome to Barcelona, leaving next month and returning in two weeks. I prefer non-stop flights only and I’d like to fly economy class. Can you find that?",3
+7,"['multi-city', 'New York to Rome to Barcelona', 'leaving next month', 'non-stop flights only', 'returning in two weeks', 'economy class', 'leaving New York after 5 PM']","I’m looking for a multi-city trip: New York to Rome and then Rome to Barcelona, leaving next month after 5 PM and returning in two weeks. I prefer non-stop flights only and I’d like to fly economy class. Can you find that?",3
+8,"['multi-city', 'New York to Rome to Barcelona', 'leaving next month', 'non-stop flights only', 'returning in two weeks', 'economy class', 'leaving New York after 5 PM', 'prefer Delta airlines']","I’m looking for a multi-city trip: New York to Rome and then Rome to Barcelona, leaving next month after 5 PM and returning in two weeks. I prefer non-stop flights only and would like to fly economy class, preferably with Delta airlines. Can you find that?",3
+3,"['business class', 'from Chicago to Sydney', 'with a layover in Los Angeles']",I need a business class flight from Chicago to Sydney with a layover in Los Angeles. Can you find one?,4
+4,"['business class', 'from Chicago to Sydney', 'with a layover in Los Angeles', 'departing next week']",I need a business class flight from Chicago to Sydney with a layover in Los Angeles departing next week. Can you find one?,4
+5,"['business class', 'from Chicago to Sydney', 'with a layover in Los Angeles', 'departing next week', 'total flight time under 20 hours']","I need a business class flight from Chicago to Sydney with a layover in Los Angeles departing next week, and the total flight time should be under 20 hours. Can you find one?",4
+6,"['business class', 'from Chicago to Sydney', 'with a layover in Los Angeles', 'departing next week', 'total flight time under 20 hours', 'on an eco-friendly flight']","I need a business class flight from Chicago to Sydney with a layover in Los Angeles departing next week that is eco-friendly, and the total flight time should be under 20 hours. Can you find one?",4
+7,"['business class', 'from Chicago to Sydney', 'with a layover in Los Angeles', 'departing next week', 'total flight time under 20 hours', 'on an eco-friendly flight', 'preferably on United Airlines']","I need a business class flight from Chicago to Sydney with a layover in Los Angeles departing next week that is eco-friendly, and the total flight time should be under 20 hours, preferably on United Airlines. Can you find one?",4
+8,"['business class', 'from Chicago to Sydney', 'with a layover in Los Angeles', 'departing next week', 'total flight time under 20 hours', 'on an eco-friendly flight', 'preferably on United Airlines', 'arriving in Sydney before 5 PM']","I need a business class flight from Chicago to Sydney with a layover in Los Angeles departing next week that is eco-friendly, the total flight time should be under 20 hours, preferably on United Airlines, and it should arrive in Sydney before 5 PM. Can you find one?",4
+3,"['price under $500', 'from Miami to Seattle', 'departing next Tuesday']",Can you find a flight from Miami to Seattle departing next Tuesday that's under $500?,5
+4,"['price under $500', 'from Miami to Seattle', 'departing next Tuesday', 'returning next Friday']",Can you find a round-trip flight from Miami to Seattle departing next Tuesday and returning next Friday for under $500?,5
+5,"['price under $500', 'from Miami to Seattle', 'departing next Tuesday', 'returning next Friday', 'non-stop flights only']",Can you find a non-stop round-trip flight from Miami to Seattle departing next Tuesday and returning next Friday for under $500?,5
+6,"['price under $500', 'from Miami to Seattle', 'departing next Tuesday', 'returning next Friday', 'non-stop flights only', 'in economy class']",Can you find an economy class non-stop round-trip flight from Miami to Seattle departing next Tuesday and returning next Friday for under $500?,5
+7,"['price under $500', 'from Miami to Seattle', 'departing next Tuesday', 'returning next Friday', 'non-stop flights only', 'in economy class', 'after 8 AM departure']",Can you find an economy class non-stop round-trip flight from Miami to Seattle departing next Tuesday and returning next Friday with a departure after 8 AM for under $500?,5
+8,"['price under $500', 'from Miami to Seattle', 'departing next Tuesday', 'returning next Friday', 'non-stop flights only', 'in economy class', 'after 8 AM departure', 'with Delta Airlines']",Can you find an economy class non-stop round-trip flight on Delta Airlines from Miami to Seattle departing next Tuesday and returning next Friday with a departure after 8 AM for under $500?,5
+3,"['eco-friendly', 'from Berlin to Madrid', 'round-trip']","Find an eco-friendly round-trip flight from Berlin to Madrid, please.",6
+4,"['eco-friendly', 'from Berlin to Madrid', 'round-trip', 'departure next week']","Find an eco-friendly round-trip flight from Berlin to Madrid with departure next week, please.",6
+5,"['eco-friendly', 'from Berlin to Madrid', 'round-trip', 'departure next week', 'cabin class economy']","Find an eco-friendly round-trip flight from Berlin to Madrid with departure next week in economy class, please.",6
+6,"['eco-friendly', 'from Berlin to Madrid', 'round-trip', 'departure next week', 'cabin class economy', 'non-stop flights only']","Find an eco-friendly, non-stop round-trip flight from Berlin to Madrid with departure next week in economy class, please.",6
+7,"['eco-friendly', 'from Berlin to Madrid', 'round-trip', 'departure next week', 'cabin class economy', 'non-stop flights only', 'under $300']","Find an eco-friendly, non-stop round-trip flight from Berlin to Madrid with departure next week in economy class under $300, please.",6
+8,"['eco-friendly', 'from Berlin to Madrid', 'round-trip', 'departure next week', 'cabin class economy', 'non-stop flights only', 'under $300', 'return after 8 PM']","Find an eco-friendly, non-stop round-trip flight from Berlin to Madrid with departure next week in economy class under $300 and a return after 8 PM, please.",6
+3,"['round-trip', 'Paris to Tokyo', 'returning two weeks later']","I'm looking for a round-trip flight from Paris to Tokyo, coming back two weeks after I leave.",7
+4,"['round-trip', 'Paris to Tokyo', 'returning two weeks later', 'non-stop flights only']","I'm looking for a round-trip flight from Paris to Tokyo, coming back two weeks after I leave, and I prefer non-stop flights only.",7
+5,"['round-trip', 'Paris to Tokyo', 'returning two weeks later', 'non-stop flights only', 'departing in the evening']","I'm looking for a round-trip flight from Paris to Tokyo, coming back two weeks after I leave, non-stop flights only, and preferably departing in the evening.",7
+6,"['round-trip', 'Paris to Tokyo', 'returning two weeks later', 'non-stop flights only', 'departing in the evening', 'economy class']","I'm looking for a round-trip flight from Paris to Tokyo, coming back two weeks after I leave, non-stop flights only, preferably departing in the evening, and I want to book in economy class.",7
+7,"['round-trip', 'Paris to Tokyo', 'returning two weeks later', 'non-stop flights only', 'departing in the evening', 'economy class', 'budget under 1000 USD']","I'm looking for a round-trip flight from Paris to Tokyo, coming back two weeks after I leave, with non-stop flights only, preferably departing in the evening, in economy class, and a budget under 1000 USD.",7
+8,"['round-trip', 'Paris to Tokyo', 'returning two weeks later', 'non-stop flights only', 'departing in the evening', 'economy class', 'budget under 1000 USD', 'eco-friendly options']","I'm looking for a round-trip flight from Paris to Tokyo, coming back two weeks after I leave, with non-stop flights only, preferably departing in the evening, in economy class, a budget under 1000 USD, and considering eco-friendly options.",7
+3,"['multi-leg', 'London to Sydney via Singapore', 'departing next weekend']","Could you help me find a multi-leg flight from London to Sydney with a stop in Singapore, leaving next weekend?",8
+4,"['multi-leg', 'London to Sydney via Singapore', 'departing next weekend', 'economy class']","Could you help me find a multi-leg flight from London to Sydney with a stop in Singapore, leaving next weekend in economy class?",8
+5,"['multi-leg', 'London to Sydney via Singapore', 'departing next weekend', 'economy class', 'non-stop from Singapore']","Could you help me find a multi-leg flight from London to Sydney with a stop in Singapore, leaving next weekend in economy class, and ensure that the flight from Singapore is non-stop?",8
+6,"['multi-leg', 'London to Sydney via Singapore', 'departing next weekend', 'economy class', 'non-stop from Singapore', 'return in two weeks']","Could you help me find a multi-leg flight from London to Sydney with a stop in Singapore, leaving next weekend in economy class, ensuring a non-stop from Singapore, and returning in two weeks?",8
+7,"['multi-leg', 'London to Sydney via Singapore', 'departing next weekend', 'economy class', 'non-stop from Singapore', 'return in two weeks', 'depart between 8-10 AM']","Could you help me find a multi-leg flight from London to Sydney with a stop in Singapore, leaving next weekend in economy class, ensuring a non-stop from Singapore, returning in two weeks, and departing between 8-10 AM?",8
+8,"['multi-leg', 'London to Sydney via Singapore', 'departing next weekend', 'economy class', 'non-stop from Singapore', 'return in two weeks', 'depart between 8-10 AM', 'budget under $1000']","Could you help me find a multi-leg flight from London to Sydney with a stop in Singapore, leaving next weekend in economy class, ensuring a non-stop from Singapore, returning in two weeks, departing between 8-10 AM, and with a budget under $1000?",8
+3,"['one-way', 'San Francisco to Amsterdam', 'business class']",Can you search for a one-way business class flight from San Francisco to Amsterdam?,9
+4,"['one-way', 'San Francisco to Amsterdam', 'business class', 'non-stop flights only']",Can you search for a one-way business class flight from San Francisco to Amsterdam that is non-stop?,9
+5,"['one-way', 'San Francisco to Amsterdam', 'business class', 'non-stop flights only', 'departure after 8 PM']",Can you search for a one-way non-stop business class flight from San Francisco to Amsterdam departing after 8 PM?,9
+6,"['one-way', 'San Francisco to Amsterdam', 'business class', 'non-stop flights only', 'departure after 8 PM', 'within budget of $2000']",Can you search for a one-way non-stop business class flight from San Francisco to Amsterdam departing after 8 PM with a budget under $2000?,9
+7,"['one-way', 'San Francisco to Amsterdam', 'business class', 'non-stop flights only', 'departure after 8 PM', 'within budget of $2000', 'eco-friendly options prioritized']","Can you find a one-way non-stop business class flight from San Francisco to Amsterdam that departs after 8 PM, is under $2000, and prioritizes eco-friendly options?",9
+8,"['one-way', 'San Francisco to Amsterdam', 'business class', 'non-stop flights only', 'departure after 8 PM', 'within budget of $2000', 'eco-friendly options prioritized', 'operated by KLM or Delta Airlines']","Can you find a one-way non-stop business class flight from San Francisco to Amsterdam that departs after 8 PM, is under $2000, prioritizes eco-friendly options, and is operated by KLM or Delta Airlines?",9
+3,"['round-trip', 'Los Angeles to New York', 'non-stop']",Can you get me a round-trip flight from Los Angeles to New York that doesn't have any stops?,10
+4,"['round-trip', 'Los Angeles to New York', 'non-stop', 'depart after 6 PM']",Can you get me a round-trip flight from Los Angeles to New York that doesn't have any stops and departs after 6 PM?,10
+5,"['round-trip', 'Los Angeles to New York', 'non-stop', 'depart after 6 PM', 'return next week']","Can you get me a round-trip flight from Los Angeles to New York that doesn't have any stops and departs after 6 PM, returning next week?",10
+6,"['round-trip', 'Los Angeles to New York', 'non-stop', 'depart after 6 PM', 'return next week', 'economy class']","Can you get me a round-trip flight from Los Angeles to New York that doesn't have any stops, departs after 6 PM, returning next week in economy class?",10
+7,"['round-trip', 'Los Angeles to New York', 'non-stop', 'depart after 6 PM', 'return next week', 'economy class', 'budget limit $400']","Can you get me a round-trip flight from Los Angeles to New York that doesn't have any stops, departs after 6 PM, returning next week in economy class with a budget limit of $400?",10
+8,"['round-trip', 'Los Angeles to New York', 'non-stop', 'depart after 6 PM', 'return next week', 'economy class', 'budget limit $400', 'prefer eco-friendly options']","Can you get me a round-trip flight from Los Angeles to New York that doesn't have any stops, departs after 6 PM, returning next week in economy class with a budget limit of $400, and I prefer eco-friendly options?",10
+3,"['one-way', 'Miami to Cancun', 'departing tomorrow']",I need a one-way flight from Miami to Cancun leaving tomorrow. Can you find that?,11
+4,"['one-way', 'Miami to Cancun', 'departing tomorrow', 'early morning departure']",I need a one-way flight from Miami to Cancun leaving tomorrow with an early morning departure. Can you find that?,11
+5,"['one-way', 'Miami to Cancun', 'departing tomorrow', 'early morning departure', 'economy class']",I need a one-way economy class flight from Miami to Cancun leaving tomorrow with an early morning departure. Can you find that?,11
+6,"['one-way', 'Miami to Cancun', 'departing tomorrow', 'early morning departure', 'economy class', 'non-stop']","I need a one-way, non-stop economy class flight from Miami to Cancun leaving tomorrow with an early morning departure. Can you find that?",11
+7,"['one-way', 'Miami to Cancun', 'departing tomorrow', 'early morning departure', 'economy class', 'non-stop', 'budget under $300']","I need a one-way, non-stop economy class flight from Miami to Cancun leaving tomorrow with an early morning departure, and I prefer it to be under $300. Can you find that?",11
+8,"['one-way', 'Miami to Cancun', 'departing tomorrow', 'early morning departure', 'economy class', 'non-stop', 'budget under $300', 'preferred airline: Delta']","I need a one-way, non-stop economy class flight from Miami to Cancun leaving tomorrow with an early morning departure, and I prefer it to be under $300 with Delta Airlines. Can you find that?",11
+3,"['round-trip', 'Chicago to Dubai', 'next month']",I'd like to find a round-trip ticket from Chicago to Dubai sometime next month.,12
+4,"['round-trip', 'Chicago to Dubai', 'next month', 'economy class']","I'd like to find a round-trip ticket from Chicago to Dubai next month, traveling in economy class.",12
+5,"['round-trip', 'Chicago to Dubai', 'next month', 'economy class', 'non-stop flights only']","I'd like to find a round-trip ticket from Chicago to Dubai next month, traveling in economy class, with non-stop flights only.",12
+6,"['round-trip', 'Chicago to Dubai', 'next month', 'economy class', 'non-stop flights only', 'departure time after 8 AM']","I'd like to find a round-trip ticket from Chicago to Dubai next month, traveling in economy class, with non-stop flights only, departing after 8 AM.",12
+7,"['round-trip', 'Chicago to Dubai', 'next month', 'economy class', 'non-stop flights only', 'departure time after 8 AM', 'return within two weeks']","I'd like to find a round-trip ticket from Chicago to Dubai next month, traveling in economy class, with non-stop flights only, departing after 8 AM, and returning within two weeks.",12
+8,"['round-trip', 'Chicago to Dubai', 'next month', 'economy class', 'non-stop flights only', 'departure time after 8 AM', 'return within two weeks', 'preferred airline: Emirates']","I'd like to find a round-trip ticket from Chicago to Dubai next month, traveling in economy class, with non-stop flights only, departing after 8 AM, returning within two weeks, and preferably flying with Emirates.",12
+3,"['eco-friendly', 'Seattle to Boston', 'departing in the evening']",Please search for an eco-friendly flight from Seattle to Boston that departs in the evening.,13
+4,"['eco-friendly', 'Seattle to Boston', 'departing in the evening', 'round-trip with return next month']",Please search for an eco-friendly round-trip flight from Seattle to Boston that departs in the evening and returns next month.,13
+5,"['eco-friendly', 'Seattle to Boston', 'departing in the evening', 'round-trip with return next month', 'non-stop']","Please search for an eco-friendly, non-stop, round-trip flight from Seattle to Boston that departs in the evening and returns next month.",13
+6,"['eco-friendly', 'Seattle to Boston', 'departing in the evening', 'round-trip with return next month', 'non-stop', 'economy class']","Please search for an eco-friendly, non-stop, economy class, round-trip flight from Seattle to Boston that departs in the evening and returns next month.",13
+7,"['eco-friendly', 'Seattle to Boston', 'departing in the evening', 'round-trip with return next month', 'non-stop', 'economy class', 'under $500']","Please search for an eco-friendly, non-stop, economy class, round-trip flight from Seattle to Boston that departs in the evening, returns next month, and is under $500.",13
+8,"['eco-friendly', 'Seattle to Boston', 'departing in the evening', 'round-trip with return next month', 'non-stop', 'economy class', 'under $500', 'operated by Delta Airlines']","Please search for an eco-friendly, non-stop, economy class, round-trip flight from Seattle to Boston that departs in the evening, returns next month, is under $500, and is operated by Delta Airlines.",13
+3,"['round-trip', 'San Francisco to Tokyo', 'departing in two weeks']",Could you search for a round-trip flight from San Francisco to Tokyo departing in two weeks?,14
+4,"['round-trip', 'San Francisco to Tokyo', 'departing in two weeks', 'economy class']",Could you search for a round-trip flight from San Francisco to Tokyo departing in two weeks in economy class?,14
+5,"['round-trip', 'San Francisco to Tokyo', 'departing in two weeks', 'economy class', 'non-stop flights only']","Could you search for a round-trip flight from San Francisco to Tokyo departing in two weeks in economy class, preferably non-stop flights only?",14
+6,"['round-trip', 'San Francisco to Tokyo', 'departing in two weeks', 'economy class', 'non-stop flights only', 'returning after one week']","Could you search for a round-trip flight from San Francisco to Tokyo, departing in two weeks and returning after one week, in economy class, non-stop flights only?",14
+7,"['round-trip', 'San Francisco to Tokyo', 'departing in two weeks', 'economy class', 'non-stop flights only', 'returning after one week', 'with a budget under $1000']","Could you search for a round-trip flight from San Francisco to Tokyo, departing in two weeks and returning after one week, in economy class, non-stop flights only, with a budget under $1000?",14
+8,"['round-trip', 'San Francisco to Tokyo', 'departing in two weeks', 'economy class', 'non-stop flights only', 'returning after one week', 'with a budget under $1000', 'preferably using Japan Airlines']","Could you search for a round-trip flight from San Francisco to Tokyo, departing in two weeks and returning after one week, in economy class, non-stop flights only, with a budget under $1000, preferably using Japan Airlines?",14
+3,"['economy class', 'Paris to New York', 'non-stop flight']","I'd like to find an economy class, non-stop flight from Paris to New York.",15
+4,"['economy class', 'Paris to New York', 'non-stop flight', 'departure next month']","I'd like to find an economy class, non-stop flight from Paris to New York departing next month.",15
+5,"['economy class', 'Paris to New York', 'non-stop flight', 'departure next month', 'morning departure']","I'd like to find an economy class, non-stop flight from Paris to New York departing next month in the morning.",15
+6,"['economy class', 'Paris to New York', 'non-stop flight', 'departure next month', 'morning departure', 'maximum budget of $500']","I'd like to find an economy class, non-stop flight from Paris to New York departing next month in the morning, with a maximum budget of $500.",15
+7,"['economy class', 'Paris to New York', 'non-stop flight', 'departure next month', 'morning departure', 'maximum budget of $500', 'Air France preferred']","I'd like to find an economy class, non-stop flight from Paris to New York departing next month in the morning, with a maximum budget of $500, preferably on Air France.",15
+8,"['economy class', 'Paris to New York', 'non-stop flight', 'departure next month', 'morning departure', 'maximum budget of $500', 'Air France preferred', 'eco-friendly flight option']","I'd like to find an economy class, non-stop flight from Paris to New York departing next month in the morning, with a maximum budget of $500, preferably on Air France, and an eco-friendly flight option.",15
+3,"['one-way', 'Los Angeles to Sydney', 'cheapest option']",What's the cheapest one-way flight from Los Angeles to Sydney?,16
+4,"['one-way', 'Los Angeles to Sydney', 'cheapest option', 'departing after 6 PM']",What's the cheapest one-way flight from Los Angeles to Sydney departing after 6 PM?,16
+5,"['one-way', 'Los Angeles to Sydney', 'cheapest option', 'departing after 6 PM', 'economy class']",What's the cheapest one-way flight in economy class from Los Angeles to Sydney departing after 6 PM?,16
+6,"['one-way', 'Los Angeles to Sydney', 'cheapest option', 'departing after 6 PM', 'economy class', 'non-stop']",What's the cheapest non-stop one-way flight in economy class from Los Angeles to Sydney departing after 6 PM?,16
+7,"['one-way', 'Los Angeles to Sydney', 'cheapest option', 'departing after 6 PM', 'economy class', 'non-stop', 'eco-friendly option']","What's the cheapest non-stop, eco-friendly one-way flight in economy class from Los Angeles to Sydney departing after 6 PM?",16
+8,"['one-way', 'Los Angeles to Sydney', 'cheapest option', 'departing after 6 PM', 'economy class', 'non-stop', 'eco-friendly option', 'using a specific airline']","What's the cheapest non-stop, eco-friendly one-way flight in economy class from Los Angeles to Sydney departing after 6 PM on a specific airline?",16
+3,"['multi-city', 'New York to Rome, then to Athens', 'next month']","Can you find a multi-city flight visiting New York, Rome, and Athens next month?",17
+4,"['multi-city', 'New York to Rome, then to Athens', 'next month', 'economy class']","Can you find an economy class multi-city flight visiting New York, Rome, and Athens next month?",17
+5,"['multi-city', 'New York to Rome, then to Athens', 'next month', 'economy class', 'depart after 8 PM']","Can you find an economy class multi-city flight visiting New York, Rome, and Athens next month, departing after 8 PM?",17
+6,"['multi-city', 'New York to Rome, then to Athens', 'next month', 'economy class', 'depart after 8 PM', 'total flight time under 20 hours']","Can you find an economy class multi-city flight visiting New York, Rome, and Athens next month, departing after 8 PM, with a total flight time under 20 hours?",17
+7,"['multi-city', 'New York to Rome, then to Athens', 'next month', 'economy class', 'depart after 8 PM', 'total flight time under 20 hours', 'non-stop between New York and Rome']","Can you find an economy class multi-city flight visiting New York, Rome, and Athens next month, departing after 8 PM, with a total flight time under 20 hours and a non-stop flight between New York and Rome?",17
+8,"['multi-city', 'New York to Rome, then to Athens', 'next month', 'economy class', 'depart after 8 PM', 'total flight time under 20 hours', 'non-stop between New York and Rome', 'lowest CO2 emissions possible']","Can you find an economy class multi-city flight visiting New York, Rome, and Athens next month, departing after 8 PM, with a total flight time under 20 hours, a non-stop flight between New York and Rome, and the lowest CO2 emissions possible?",17
+3,"['business class', 'Chicago to London', 'afternoon departure']",Find me a business class flight from Chicago to London that departs in the afternoon.,18
+4,"['business class', 'Chicago to London', 'afternoon departure', 'non-stop flights only']",Find me a business class flight from Chicago to London that departs in the afternoon and is non-stop.,18
+5,"['business class', 'Chicago to London', 'afternoon departure', 'non-stop flights only', 'within the next two weeks']","Find me a business class flight from Chicago to London that departs in the afternoon, is non-stop, and is within the next two weeks.",18
+6,"['business class', 'Chicago to London', 'afternoon departure', 'non-stop flights only', 'within the next two weeks', 'under $3000']","Find me a business class flight from Chicago to London that departs in the afternoon, is non-stop, is within the next two weeks, and costs under $3000.",18
+7,"['business class', 'Chicago to London', 'afternoon departure', 'non-stop flights only', 'within the next two weeks', 'under $3000', 'departure after 3 PM']","Find me a business class flight from Chicago to London that departs non-stop in the afternoon, after 3 PM, is within the next two weeks, and costs under $3000.",18
+8,"['business class', 'Chicago to London', 'afternoon departure', 'non-stop flights only', 'within the next two weeks', 'under $3000', 'departure after 3 PM', 'prefer American Airlines']","Find me a business class flight from Chicago to London that departs non-stop in the afternoon, after 3 PM, is within the next two weeks, costs under $3000, and preferably with American Airlines.",18
+3,"['eco-friendly', 'Berlin to Madrid', 'round-trip']",I'm looking for an eco-friendly round-trip flight from Berlin to Madrid.,19
+4,"['eco-friendly', 'Berlin to Madrid', 'round-trip', 'departure: next week']","I'm looking for an eco-friendly round-trip flight from Berlin to Madrid, departing next week.",19
+5,"['eco-friendly', 'Berlin to Madrid', 'round-trip', 'departure: next week', 'non-stop']","I'm looking for an eco-friendly round-trip non-stop flight from Berlin to Madrid, departing next week.",19
+6,"['eco-friendly', 'Berlin to Madrid', 'round-trip', 'departure: next week', 'non-stop', 'economy class']","I'm looking for an eco-friendly economy class round-trip non-stop flight from Berlin to Madrid, departing next week.",19
+7,"['eco-friendly', 'Berlin to Madrid', 'round-trip', 'departure: next week', 'non-stop', 'economy class', 'budget: under 300 euros']","I'm looking for an eco-friendly economy class round-trip non-stop flight from Berlin to Madrid, departing next week, with a budget under 300 euros.",19
+8,"['eco-friendly', 'Berlin to Madrid', 'round-trip', 'departure: next week', 'non-stop', 'economy class', 'budget: under 300 euros', 'departure time: after 8 PM']","I'm looking for an eco-friendly economy class round-trip non-stop flight from Berlin to Madrid, departing next week, with a budget under 300 euros and leaving after 8 PM.",19
+3,"['one-stop', 'Miami to Buenos Aires', 'overnight flight']","Can you find a one-stop, overnight flight from Miami to Buenos Aires?",20
+4,"['one-stop', 'Miami to Buenos Aires', 'overnight flight', 'round-trip']","Can you find a one-stop, overnight, round-trip flight from Miami to Buenos Aires?",20
+5,"['one-stop', 'Miami to Buenos Aires', 'overnight flight', 'round-trip', 'departing next weekend']","Can you find a one-stop, overnight, round-trip flight from Miami to Buenos Aires departing next weekend?",20
+6,"['one-stop', 'Miami to Buenos Aires', 'overnight flight', 'round-trip', 'departing next weekend', 'economy class']","Can you find a one-stop, overnight, round-trip flight in economy class from Miami to Buenos Aires departing next weekend?",20
+7,"['one-stop', 'Miami to Buenos Aires', 'overnight flight', 'round-trip', 'departing next weekend', 'economy class', 'departure between 8-10 PM']","Can you find a one-stop, overnight, round-trip flight in economy class from Miami to Buenos Aires departing next weekend between 8-10 PM?",20
+8,"['one-stop', 'Miami to Buenos Aires', 'overnight flight', 'round-trip', 'departing next weekend', 'economy class', 'departure between 8-10 PM', 'preferably American Airlines']","Can you find a one-stop, overnight, round-trip flight in economy class from Miami to Buenos Aires departing next weekend between 8-10 PM, preferably with American Airlines?",20
diff --git a/examples/WebAgent/evaluation/fanout/evaluator.py b/examples/WebAgent/evaluation/fanout/evaluator.py
new file mode 100644
index 00000000..3602690e
--- /dev/null
+++ b/examples/WebAgent/evaluation/fanout/evaluator.py
@@ -0,0 +1,176 @@
+import json
+from tqdm import tqdm
+
+import rouge_score
+import rouge_score.scoring
+from utils.helpers import answer_in_text, str_answer
+from utils.models import (
+ RougeScore,
+ RougeScorePart,
+)
+from rouge_score.rouge_scorer import RougeScorer
+
+ROUGE_TYPES = ('rouge1', 'rouge2', 'rougeL')
+
+
+class FanOutQAEvaluator:
+ def __init__(self, test_data_path, start_idx=0, end_idx=20):
+ self.test_data = json.load(open(test_data_path))
+ self.questions = self.test_data[start_idx:end_idx]
+ self.question2id = {q['question']: q['id'] for q in self.questions}
+ self.questions_by_id = {q['id']: q for q in self.questions}
+
+ self.rouge = RougeScorer(ROUGE_TYPES, use_stemmer=True)
+
+ def evaluate_batch(self, evaluator_log_paths):
+ records = []
+ answers = []
+ for evaluator_log_path in tqdm(evaluator_log_paths, desc='Reading Browsing Data'):
+ question, answer, outcome = self._load_browsing_data(
+ evaluator_log_path
+ )
+ # question_id = self.question2id[question]
+ question_id = self.question2id.get(question)
+ if not question_id:
+ print(f'Skipping {evaluator_log_path}')
+ continue
+ # question = self.questions[idx]['question']
+ if outcome == 'Response Returned':
+ answers.append({'id': question_id, 'answer': answer})
+ records.append(
+ {
+ 'id': question_id,
+ 'question': question,
+ 'answer': answer,
+ 'outcome': outcome,
+ }
+ )
+
+ self.answers = answers
+ self.answers_by_id = {r['id']: r for r in answers}
+
+ result, raw_acc_scores = self._score_accuracy()
+ scores, raw_rouge_scores = self._score_rouge()
+
+ # Update records with the accuracy scores
+ for record in records:
+ record['acc'] = raw_acc_scores[record['id']]
+
+ row = {
+ 'acc_loose': result['loose'],
+ 'acc_strict': result['strict'],
+ 'rouge1': scores.rouge1.fscore,
+ 'rouge2': scores.rouge2.fscore,
+ 'rougeL': scores.rougeL.fscore,
+ }
+ return row, records
+
+ def _load_browsing_data(self, file_path, verbose=False):
+ data = json.load(open(file_path))
+ goal = data['goal']
+ response = None
+ error = data.get('error')
+
+ outcome = 'Response Returned'
+ final_action = data['history'][-1][1]
+ if error == 'Restarted due to environment freeze from too many actions at one time':
+ outcome = 'Action Error'
+ elif error:
+ outcome = 'Browser Crashed'
+ elif final_action.startswith('send_msg_to_user'):
+ start_idx = len('send_msg_to_user(')
+ end_idx = len(final_action) - len(')')
+ # print(final_action[start_idx:end_idx])
+ # response = eval(final_action[start_idx:end_idx])
+ response = final_action[start_idx:end_idx].strip('\'"')
+ # print(response)
+ if response == 'Error encountered when browsing.':
+ outcome = 'Webpage Parsing Error'
+ elif response == 'Too many errors encountered. Task failed.':
+ outcome = 'Action Error'
+ elif response == "Repetitive actions. Ending the task.":
+ outcome = 'Repetitive Actions'
+ elif response == "LLM output parsing error":
+ outcome = 'LLM Output Parsing Error'
+ else:
+ outcome = 'Max Steps Reached'
+
+ return goal, response, outcome
+
+ def _get_qa_pairs(self, only_score_answered=False):
+ """Yield pairs of questions and answers to score.
+ The answer may be None if there is no answer for a given question and ``only_score_answered`` is False.
+ """
+ if only_score_answered:
+ for a in self.answers:
+ q = self.questions_by_id.get(a['id'])
+ yield q, a
+ else:
+ for q in self.questions:
+ a = self.answers_by_id.get(q['id'])
+ yield q, a
+
+ def _score_accuracy(self, **kwargs):
+ """Get the loose and strict accuracy scores for the loaded qs and as."""
+ eval_len = len(self.questions)
+
+ raw_scores = {} # qid -> score
+ accs = []
+ n_perfect = 0
+ for q, a in self._get_qa_pairs(**kwargs):
+ if a is None:
+ accs.append(0)
+ raw_scores[q['id']] = 0
+ continue
+ result = answer_in_text(q['answer'], a['answer'])
+ accs.append(result['score'])
+ raw_scores[q['id']] = result['score']
+ if result['found']:
+ n_perfect += 1
+
+ assert len(accs) == eval_len
+ assert len(raw_scores) == eval_len
+ avg_acc = sum(accs) / eval_len
+ pct_perfect = n_perfect / eval_len
+ return dict(loose=avg_acc, strict=pct_perfect), raw_scores
+
+ def _score_rouge(self, **kwargs):
+ """Get the ROUGE-1, ROUGE-2, and ROUGE-L scores (P/R/F1) for the loaded qs and as."""
+ eval_len = len(self.questions)
+
+ raw_scores = {} # qid -> RougeScore
+ scores = {t: [] for t in ROUGE_TYPES} # rouge_type -> list[Score]
+ for q, a in self._get_qa_pairs():
+ if a is None:
+ for score in scores.values(**kwargs):
+ score.append(rouge_score.scoring.Score(0, 0, 0))
+ raw_scores[q['id']] = RougeScore(
+ **{
+ k: RougeScorePart(precision=0, recall=0, fscore=0)
+ for k in ROUGE_TYPES
+ }
+ )
+ continue
+ results = self.rouge.score(str_answer(q['answer']), str_answer(a['answer']))
+ for k, v in results.items():
+ scores[k].append(v)
+ raw_scores[q['id']] = RougeScore(
+ **{
+ k: RougeScorePart(
+ precision=v.precision, recall=v.recall, fscore=v.fmeasure
+ )
+ for k, v in results.items()
+ }
+ )
+
+ assert all(len(v) == eval_len for v in scores.values())
+ assert len(raw_scores) == eval_len
+ out = {}
+ for k, v in scores.items():
+ avg_precision = sum(s.precision for s in v) / eval_len
+ avg_recall = sum(s.recall for s in v) / eval_len
+ avg_fscore = sum(s.fmeasure for s in v) / eval_len
+ out[k] = RougeScorePart(
+ precision=avg_precision, recall=avg_recall, fscore=avg_fscore
+ )
+ return RougeScore(**out), raw_scores
diff --git a/examples/WebAgent/evaluation/fanout/run.py b/examples/WebAgent/evaluation/fanout/run.py
new file mode 100644
index 00000000..2ec71c2a
--- /dev/null
+++ b/examples/WebAgent/evaluation/fanout/run.py
@@ -0,0 +1,40 @@
+import argparse
+from glob import glob
+import os
+import pandas as pd
+
+from evaluator import FanOutQAEvaluator
+
+if __name__ == '__main__':
+ current_dir = os.path.dirname(__file__)
+
+ # Create the parser
+ parser = argparse.ArgumentParser()
+
+ # Add arguments
+ parser.add_argument('job_name', type=str)
+ parser.add_argument('--browsing_data_dir', type=str,
+ default=os.path.join(current_dir, '..', '..', 'browsing_data'))
+ parser.add_argument('--groundtruth_path', type=str,
+ default=os.path.join(current_dir, '..', '..', 'task_data', 'fanout-final-dev.json'))
+ parser.add_argument('--start_idx', type=int, default=0)
+ parser.add_argument('--end_idx', type=int, default=9999)
+
+ args = parser.parse_args()
+
+ evaluator = FanOutQAEvaluator(args.groundtruth_path, start_idx=args.start_idx, end_idx=args.end_idx)
+
+ my_evaluator_log_paths = glob(os.path.join(args.browsing_data_dir, args.job_name + '*.json'))
+
+ scores, records = evaluator.evaluate_batch(my_evaluator_log_paths)
+ print(scores)
+
+ records_df = pd.DataFrame(records)
+ # raw_acc_scores_df = pd.DataFrame(raw_acc_scores)
+ # records_df = records_df.merge(raw_acc_scores_df, on='id')
+ print(records_df.outcome.value_counts())
+
+ output_dir = os.path.join(current_dir, 'results')
+ os.makedirs(output_dir, exist_ok=True)
+ output_name = f'{args.job_name}_{args.start_idx}_{args.end_idx}_eval.csv'
+ records_df.to_csv(os.path.join(output_dir, output_name), index=False)
diff --git a/examples/WebAgent/evaluation/fanout/utils/helpers.py b/examples/WebAgent/evaluation/fanout/utils/helpers.py
new file mode 100644
index 00000000..cab26775
--- /dev/null
+++ b/examples/WebAgent/evaluation/fanout/utils/helpers.py
@@ -0,0 +1,51 @@
+import itertools
+import re
+
+from .norm import normalize
+
+
+def answer_in_text(reference, candidate):
+ """What proportion of answer strings found in the reference can also be found in the candidate?"""
+ if isinstance(reference, list):
+ missing = []
+ for a in reference:
+ result = answer_in_text(a, candidate)
+ missing.extend(result['missing'])
+ n_found = len(reference) - len(missing)
+ return dict(
+ found=n_found == len(reference),
+ score=n_found / len(reference),
+ missing=missing,
+ )
+ elif isinstance(reference, dict):
+ missing = []
+ vals = itertools.chain(reference.keys(), reference.values())
+ for a in vals:
+ result = answer_in_text(a, candidate)
+ missing.extend(result['missing'])
+ n_ref = len(reference) * 2
+ n_found = n_ref - len(missing) # kvs
+ return dict(found=n_found == n_ref, score=n_found / n_ref, missing=missing)
+ else:
+ if isinstance(reference, bool):
+ reference = 'yes' if reference else 'no'
+ # primitive
+ norm_ans = normalize(reference)
+ norm_cand = normalize(candidate)
+ # ensure the answer is surrounded by word boundaries
+ if not re.search(rf'\b{re.escape(norm_ans)}\b', norm_cand):
+ return dict(found=False, score=0, missing=[norm_ans])
+ return dict(found=True, score=1, missing=[])
+
+
+def str_answer(ans) -> str:
+ """Ensure the answer is a string for string-based metrics like ROUGE. Don't normalize it otherwise."""
+ if isinstance(ans, list):
+ return '\n'.join(map(str_answer, ans))
+ elif isinstance(ans, dict):
+ return '\n'.join(f'{k} - {str_answer(v)}' for k, v in ans.items())
+ elif isinstance(ans, bool):
+ return 'yes' if ans else 'no'
+ elif ans is None:
+ return ''
+ return str(ans)
diff --git a/examples/WebAgent/evaluation/fanout/utils/models.py b/examples/WebAgent/evaluation/fanout/utils/models.py
new file mode 100644
index 00000000..71f3294c
--- /dev/null
+++ b/examples/WebAgent/evaluation/fanout/utils/models.py
@@ -0,0 +1,56 @@
+from dataclasses import asdict, dataclass
+from typing import TypedDict
+
+
+@dataclass
+class AccuracyScore:
+ loose: float
+ """Loose accuracy: The mean proportion of reference strings found in the generation."""
+
+ strict: float
+ """Strict accuracy: The proportion of questions with a loose accuracy of 1.0."""
+
+
+@dataclass
+class RougeScorePart:
+ precision: float
+ recall: float
+ fscore: float
+
+
+@dataclass
+class RougeScore:
+ rouge1: RougeScorePart
+ rouge2: RougeScorePart
+ rougeL: RougeScorePart
+
+
+@dataclass
+class EvaluationSingleScore:
+ question_id: str
+ acc: float
+ rouge: RougeScore
+ bleurt: float
+ gpt: int
+
+
+@dataclass
+class EvaluationScore:
+ acc: AccuracyScore
+ rouge: RougeScore
+ bleurt: float
+ gpt: float
+ raw: list[EvaluationSingleScore]
+
+ def to_dict(self, include_raw: bool = False):
+ data = asdict(self)
+ if not include_raw:
+ data.pop('raw', None)
+ return data
+
+
+class Answer(TypedDict):
+ """A dictionary of the form ``{"id": "...", "answer": "..."}``."""
+
+ id: str
+ answer: str
diff --git a/examples/WebAgent/evaluation/fanout/utils/norm.py b/examples/WebAgent/evaluation/fanout/utils/norm.py
new file mode 100644
index 00000000..9d177fca
--- /dev/null
+++ b/examples/WebAgent/evaluation/fanout/utils/norm.py
@@ -0,0 +1,73 @@
+import logging
+import re
+
+import ftfy
+
+log = logging.getLogger(__name__)
+
+
+class LazySpacy:
+ """Lazily load the spacy pipeline when needed to save memory."""
+
+ def __init__(self, model: str):
+ self.model = model
+ self.pipe = None
+
+ def _load_pipe(self):
+ import spacy
+
+ self.pipe = spacy.load('en_core_web_sm')
+
+ def __call__(self, *args, **kwargs):
+ if self.pipe is None:
+ self._load_pipe()
+ return self.pipe(*args, **kwargs)
+
+
+nlp = LazySpacy('en_core_web_sm')
+
+
+def normalize(text, remove_stopwords=False):
+ """
+ Normalize a given string for string-based metrics. Specifically, this does the following:
+ - fix encoding errors (ftfy)
+ - normalize numbers
+ - lemmatize words
+ - remove stopwords (optional)
+ - remove punctuation
+ - remove redundant whitespace
+ """
+ text = str(text).lower()
+ text = ftfy.fix_text(text)
+ text = normalize_numbers(text)
+ text = lemmatize(text, remove_stopwords=remove_stopwords)
+ text = remove_punct(text)
+ text = normalize_whitespace(text)
+ return text
+
+
+def normalize_numbers(text: str):
+ """Use regex to normalize numbers with commas"""
+ # numbers with commas
+ comma_sub_text = re.sub(
+ r'(\d+,)+\d+(\.\d+)?', lambda m: m[0].replace(',', ''), text
+ )
+ return comma_sub_text
+
+
+def lemmatize(text: str, remove_stopwords=False):
+ """Return a normalized string with each word replaced by its lemmatized version."""
+ doc = nlp(text)
+ if remove_stopwords:
+ return ' '.join(tok.lemma_ for tok in doc if not tok.is_stop)
+ return ' '.join(tok.lemma_ for tok in doc)
+
+
+def remove_punct(text: str):
+ """Remove all punctuation from the string."""
+ return re.sub(r'[,.?!:;]', '', text)
+
+
+def normalize_whitespace(text: str):
+ """Replace all whitespace with a single space."""
+ return re.sub(r'\s+', ' ', text)
diff --git a/examples/WebAgent/evaluation/flight/evaluator.py b/examples/WebAgent/evaluation/flight/evaluator.py
new file mode 100644
index 00000000..988ef9d7
--- /dev/null
+++ b/examples/WebAgent/evaluation/flight/evaluator.py
@@ -0,0 +1,181 @@
+import json
+import os
+import numpy as np
+from tqdm import tqdm
+import pandas as pd
+from openai import OpenAI
+from datetime import datetime
+
+import sys
+current_directory = os.path.dirname(os.path.abspath(__file__))
+sys.path.append(os.path.join(current_directory, '..', '..'))
+from reasoners.agent.llm import parser
+
+# Get the directory of the current file
+default_api_key_path = os.path.join(current_directory, '..', '..', 'default_api_key.txt')
+if os.path.exists(default_api_key_path):
+ DEFAULT_API_KEY = open(default_api_key_path).read().strip()
+else:
+ DEFAULT_API_KEY = os.environ.get('OPENAI_API_KEY', None)
+
+def retry(client, messages, keys, num_retries=5):
+ tries = 0
+ for i in range(num_retries):
+ completion = client.chat.completions.create(
+ model='gpt-4o', messages=messages
+ )
+ response = completion.choices[0].message.content
+ ans_dict, success, error = parser(response, keys)
+ if success:
+ return ans_dict
+
+ tries += 1
+ messages.append({'role': 'assistant', 'content': response})
+ msg = f'Query failed. Retrying {tries}/{num_retries}.\n[LLM]:\n{response}\n[User]:\n{error}'
+ print(msg)
+ messages.append({'role': 'user', 'content': error})
+ raise ValueError(f'Could not parse a valid value after {num_retries} retries.')
+
+class FlightSearchEvaluator:
+ def __init__(self, questions_path, start_idx=0, end_idx=99999, api_key=None):
+ if not api_key:
+ api_key = DEFAULT_API_KEY
+ print('Using API Key:', api_key)
+ self.client = OpenAI(api_key=api_key)
+
+ # questions_path = '../task_data/flight_search_questions_no_pass_rel_date_20.csv'
+ df = pd.read_csv(questions_path)
+ df = df.iloc[start_idx:end_idx]
+ self.question_to_constraints_dict = df.set_index('question').to_dict(orient='index')
+
+ def evaluate(self, browsing_data_path):
+ data = json.load(open(browsing_data_path))
+ goal = data['goal']
+ if goal not in self.question_to_constraints_dict:
+ print(f'Skipping {browsing_data_path} due to not being included in evaluated questions.')
+ return None
+ constraints = self.question_to_constraints_dict[goal]['constraints']
+
+ data_datetime_str = os.path.basename(browsing_data_path).split('.')[0].split('_')[-1]
+ data_datetime = datetime.strptime(data_datetime_str, '%Y-%m-%d-%H-%M-%S')
+ data_datetime_prompt = data_datetime.strftime('%a, %b %d, %Y %H:%M:%S')
+
+ if not data['history']:
+ return {'goal': goal,
+ 'constraints': constraints,
+ 'observations': [],
+ 'message': None,
+ 'outcome': 'No Output',
+ 'grounded': False,
+ 'relevant': False,
+ 'llm_output': None}
+
+ observations = []
+ for step in data['history']:
+ obs = step[-1]['observation']['clean_axtree_txt']
+ observations.append(obs)
+
+ last_action = data['history'][-1][-1]['action']
+ outcome = 'Response Returned'
+ message = None
+ error = data.get('error')
+
+ final_action = data['history'][-1][1]
+ if final_action.startswith('send_msg_to_user'):
+ start_idx = len('send_msg_to_user(')
+ end_idx = len(final_action) - len(')')
+ message = eval(final_action[start_idx:end_idx])
+
+ if message == 'Error encountered when browsing.':
+ outcome = 'Webpage Parsing Error'
+ elif message == 'Too many errors encountered. Task failed.':
+ outcome = 'Action Error'
+ elif message == "Repetitive actions. Ending the task.":
+ outcome = 'Repetitive Actions'
+ elif error:
+ outcome = 'Browser Crashed'
+ else:
+ outcome = 'Max Steps Reached'
+
+ # if outcome == 'Response Returned' and False:
+ if outcome == 'Response Returned':
+ step_template = "## Step {step_num} Observation:\n\n{obs}"
+ step_prompts = [step_template.format(step_num=i+1, obs=obs) for i, obs in enumerate(observations)]
+ history_prompt = '\n\n'.join(step_prompts)
+
+ prompt = self._get_evaluation_prompt(data_datetime_prompt, history_prompt, constraints, goal, message)
+ messages = [
+ {'role': 'user', 'content': prompt},
+ ]
+
+ ans_dict = retry(self.client, messages,
+ ['think', 'grounding', 'relevance'])
+
+ # grounded = ans_dict['grounding'].lower() == 'yes'
+ grounded = 'yes' in ans_dict['grounding'].lower()
+ # relevant = ans_dict['relevance'].lower() == 'yes'
+ relevant = 'yes' in ans_dict['relevance'].lower()
+
+ else:
+ ans_dict = None
+ grounded = False
+ relevant = False
+
+ return {'goal': goal,
+ 'constraints': constraints,
+ 'observations': observations,
+ 'message': message,
+ 'outcome': outcome,
+ 'grounded': grounded,
+ 'relevant': relevant,
+ 'llm_output': ans_dict}
+
+ def _get_evaluation_prompt(self, datetime_prompt, history_prompt, constraints, goal, message):
+ prompt = f"""\
+# Interaction Date and Time:
+
+{datetime_prompt}
+
+# Interaction History:
+
+{history_prompt}
+
+Above are the webpages an assistant interacted with while trying to answer the user's query.
+
+The user is looking for flights with the following constraints:
+
+{constraints}
+
+Here is the exact query provided by the user:
+
+{goal}
+
+Here is the assistant's response:
+
+{message}
+
+Your task is to evaluate two aspects of the response:
+
+1) Whether the assistant's response is supported by the interaction history, and
+2) Whether the assistant's response satisfies the user constraints to the extent allowed by the results.
+
+Some Context:
+
+- To determine the seating class of a flight being returned, refer to the value of the "Change seating class" combobox.
+- It is not always possible to satisfy all the user constraints. In this case, examine whether the response is as close to the user constraints as possible.
+
+Answer in the following format:
+
+
+Your thoughts and reasoning.
+
+
+
+Your assessment of whether the response is supported by the interaction history. Answer "yes" or "no"
+
+
+
+Your assessment of whether the response satisfies the user constraints to the extent allowed by the results. Answer "yes" or "no"
+
+"""
+ return prompt
\ No newline at end of file
diff --git a/examples/WebAgent/evaluation/flight/generate_data.py b/examples/WebAgent/evaluation/flight/generate_data.py
new file mode 100644
index 00000000..3e724566
--- /dev/null
+++ b/examples/WebAgent/evaluation/flight/generate_data.py
@@ -0,0 +1,164 @@
+from datetime import datetime
+from openai import OpenAI
+from tqdm import tqdm
+import json
+import sys
+import pandas as pd
+import os
+import sys
+
+# Get the directory of the current file
+current_directory = os.path.dirname(os.path.abspath(__file__))
+default_api_key_path = os.path.join(current_directory, '..', '..', 'default_api_key.txt')
+if os.path.exists(default_api_key_path):
+ DEFAULT_API_KEY = open(default_api_key_path).read().strip()
+else:
+ DEFAULT_API_KEY = os.environ.get('OPENAI_API_KEY', None)
+
+client = OpenAI(api_key=DEFAULT_API_KEY)
+
+current_datetime = datetime.now().strftime('%a, %b %d, %Y %H:%M:%S')
+
+system_prompt = f'You are a creative writer who is an expert at crafting questions to help train assistants who answer user queries. Current date and time: {current_datetime}'
+
+instruction_prompt = """\
+Your task is to create a robust benchmark for evaluating an AI's ability to search for flights through a platform like Google Flights/ \
+To ensure the dataset effectively represents real-world use cases. Here are some important factors to consider:
+
+1. Diversity of Queries
+- Range of Destinations: Include both common and obscure destinations to test how well the model handles varying levels of demand.
+- Dates and Duration: Include different date ranges, including last-minute flights, peak travel dates (like holidays), and extended trips. Ensure there’s a variety in trip duration as well.
+- Passenger Variability: Include solo travelers, families, and group travel (e.g., one adult vs. two adults and two children) since these change the search parameters and price results.
+- Class and Preference: Vary preferences like cabin class (economy, business, first) and filters (non-stop, one stop, preferred airlines, etc.).
+- Budget Constraints: Test price sensitivity by setting different budget limits to see how well the AI handles trade-offs.
+
+2. Complexity of Requirements
+- Multi-Leg Flights: Add queries for multi-city trips or those requiring complex layovers.
+- Dynamic Constraints: Include queries with dynamic constraints, such as “find the cheapest flight but depart between 8-10 AM,” to see if the model can adapt its search within specific time frames.
+- Conditional Preferences: Test cases where users might want options based on multiple conditions, like “either find the cheapest non-stop or the shortest two-stop option.”
+
+In practice, the questions typically vary in the following dimensions:
+- Ticket type (round-trip, one-way, etc.)
+- Routes (origin and destination)
+- Layover location(s)
+- Dates (departure and/or return)
+- Flight time (departure and arrival)
+- Total flight time
+- Airlines
+- Cabin class (economy, business, etc.)
+- Aircraft
+- Eco-friendly options (CO2 Emissions)
+
+Given a number of constraints, \
+you should first provide a list of constraints, with the number of constraints equal to the specification. \
+After that, you will generate a question a typical user will ask which imposes those constraints. \
+You should repeat this for at least 7 times to generate a set of questions with simple language. \
+Make sure that the number of constraints in the question matches the number of constraints specified.
+
+Do not include constraints about the number of passengers. \
+If the constraint is a date, you can use relative dates (e.g., "tomorrow", "next month", "after 8 PM", etc.). \
+Avoid using specific dates like "December 25th" to ensure the questions are relevant throughout the year.
+
+Your response should follow the JSON format below:
+
+Number of Constraints:
+
+{
+ "num_constraints": ,
+ "questions": [
+ {
+ "constraints": [],
+ "question":
+ },
+ ...
+ ]
+}
+
+Below is a concrete example:
+
+Number of Constraints: 3
+
+{
+ "num_constraints": 3,
+ "questions": [
+ {
+ "constraints": ["one-way", "New York to London", "departing next Friday"],
+ "question": "Can you find a one-way flight from New York to London departing next Friday?"
+ },
+ ...
+ ]
+}\
+"""
+
+input_template = """\
+Your Response:
+
+Number of Constraints: {num_constraints}
+"""
+
+def get_questions(num_constraints, num_questions):
+ questions = []
+ while len(questions) < num_questions:
+ prompt = instruction_prompt + "\n\n" + input_template.format(num_constraints=num_constraints)
+
+ messages = [
+ {"role": "system", "content": system_prompt},
+ {"role": "user", "content": prompt}
+ ]
+
+ try:
+ completion = client.chat.completions.create(
+ model="gpt-4o",
+ messages=messages,
+ response_format={"type": "json_object"}
+ )
+ response = completion.choices[0].message.content
+
+ data = json.loads(response)
+
+ questions += data['questions']
+ except Exception as e:
+ print(e)
+ continue
+ return questions
+
+def collect_data(all_num_constraints, num_questions):
+ num_constraints_to_questions = {}
+ for num_constraints in tqdm(all_num_constraints):
+ questions = get_questions(num_constraints, num_questions)
+ num_constraints_to_questions[num_constraints] = questions
+
+ # Filter for banned months
+ banned_months = ['January', 'February', 'March', 'April',
+ 'May', 'June', 'July', 'August',
+ 'September', 'October', 'November', 'December']
+ banned_months = [month.lower() for month in banned_months]
+
+ data = []
+ for num_constraints, questions in num_constraints_to_questions.items():
+ for question in questions[:]:
+ contains_banned_months = any([question['question'].lower().split().count(month) > 0 \
+ for month in banned_months])
+ if contains_banned_months:
+ continue
+ data.append(question)
+ return data
+
+# data = collect_data([3, 4, 5, 6])
+data = collect_data([3], 20)
+data_df = pd.DataFrame(data)
+data_df['num_constraints'] = data_df['constraints'].apply(len)
+
+print(data_df.num_constraints.value_counts())
+
+for i, row in data_df.iterrows():
+ print(f"Question {i + 1}: {row['question']}")
+ print(f"Constraints: {row['constraints']}")
+ print()
+
+current_directory = os.path.dirname(os.path.abspath(__file__))
+
+data_df.to_csv(os.path.join(current_directory, '..', '..', 'task_data', 'flightqa_3constraint.csv'), index=False)
+
+# data_df_20 = data_df.groupby('num_constraints').apply(lambda x: x.head()).reset_index(drop=True)
+# data_df_20.to_csv('../task_data/flight_search_questions_no_pass_rel_date_20.csv', index=False)
\ No newline at end of file
diff --git a/examples/WebAgent/evaluation/flight/run.py b/examples/WebAgent/evaluation/flight/run.py
new file mode 100644
index 00000000..1ecebd43
--- /dev/null
+++ b/examples/WebAgent/evaluation/flight/run.py
@@ -0,0 +1,54 @@
+import argparse
+from glob import glob
+import os
+import pandas as pd
+import json
+
+from evaluator import FlightSearchEvaluator
+
+if __name__ == '__main__':
+ current_dir = os.path.dirname(__file__)
+
+ # Create the parser
+ parser = argparse.ArgumentParser()
+
+ # Add arguments
+ parser.add_argument('job_name', type=str)
+ parser.add_argument('--browsing_data_dir', type=str,
+ default=os.path.join(current_dir, '..', '..', 'browsing_data'))
+ parser.add_argument('--questions_path', type=str,
+ default=os.path.join(current_dir, '..', '..', 'task_data', 'flightqa_counterfactual.csv'))
+ parser.add_argument('--start_idx', type=int, default=0)
+ parser.add_argument('--end_idx', type=int, default=9999)
+
+ args = parser.parse_args()
+
+ evaluator = FlightSearchEvaluator(args.questions_path, args.start_idx, args.end_idx)
+
+ browsing_data_paths = glob(os.path.join(args.browsing_data_dir, args.job_name + '*.json'))
+
+ records = []
+ for browsing_data_path in browsing_data_paths:
+ basename = os.path.basename(browsing_data_path)
+ print(basename)
+ eval_record = evaluator.evaluate(browsing_data_path)
+ if eval_record:
+ records.append(eval_record)
+ # {'goal': goal,
+ # 'constraints': constraints,
+ # 'observations': observations,
+ # 'message': message,
+ # 'outcome': outcome,
+ # 'grounded': grounded,
+ # 'relevant': relevant,
+ # 'llm_output': ans_dict}
+ records_df = pd.DataFrame(records)
+ records_df['correct'] = records_df['grounded'] & records_df['relevant']
+
+ print(records_df[['correct', 'grounded', 'relevant']].mean())
+ print(records_df.outcome.value_counts())
+
+ output_dir = os.path.join(current_dir, 'results')
+ os.makedirs(output_dir, exist_ok=True)
+ output_name = f'{args.job_name}_{args.start_idx}_{args.end_idx}_eval.json'
+ json.dump(records, open(os.path.join(output_dir, output_name), 'w'))
\ No newline at end of file
diff --git a/examples/WebAgent/main.py b/examples/WebAgent/main.py
new file mode 100644
index 00000000..d3785ef3
--- /dev/null
+++ b/examples/WebAgent/main.py
@@ -0,0 +1,168 @@
+import argparse
+import base64
+from datetime import datetime
+from glob import glob
+import io
+import json
+import os
+import signal
+import sys
+
+from reasoners import ReasonerAgent
+from baseline import BrowsingAgent
+from utils.llm import LLM
+from utils.browser import get_serializable_obs, TimeoutException, timeout_handler
+from utils.datasets import get_dataset
+from utils.logger import get_agent_logger
+
+import gymnasium as gym
+
+__SLOW_MO = None
+__HEADLESS = True
+__TIMEOUT = 5000
+__VIEWPORT = {'width': 1280, 'height': 720}
+__WAIT_FOR_USER_MESSAGE = False
+
+model_info = {
+ 'gpt-4o': ('https://api.openai.com/v1/', 'openai'),
+ 'Meta-Llama-3.1-70B-Instruct': ('http://localhost:8000/v1', 'openai')
+}
+
+agent_dict = {
+ 'reasoner': ReasonerAgent,
+ 'openhands': BrowsingAgent
+}
+
+
+def main(job_name,
+ model,
+ api_key,
+ output_dir,
+ goal,
+ agent,
+ config_name,
+ max_steps,
+ timeout):
+ base_url, custom_llm_provider = model_info[model]
+ llm = LLM(model=model,
+ api_key=api_key,
+ base_url=base_url,
+ custom_llm_provider=custom_llm_provider)
+ timestamp = datetime.now().strftime('%Y-%m-%d-%H-%M-%S-%f')
+ log_filename = f'{timestamp}.log'
+ logger = get_agent_logger(log_filename)
+ agent_cls = agent_dict[agent]
+ agent = agent_cls(llm, config_name=config_name, logger=logger)
+
+ env = gym.make(
+ 'browsergym/openended',
+ task_kwargs={'start_url': 'about:blank', 'goal': goal},
+ wait_for_user_message=__WAIT_FOR_USER_MESSAGE,
+ headless=__HEADLESS,
+ slow_mo=__SLOW_MO,
+ viewport=__VIEWPORT,
+ timeout=__TIMEOUT,
+ # disable_env_checker=True,
+ )
+ print('Environment started')
+ env = env.env.env
+ history = []
+ error = ''
+ obs, info = env.reset()
+ action = ''
+ step_count = 0
+ while not action.startswith('send_msg_to_user') and step_count < max_steps:
+ serializable_obs = get_serializable_obs(env, obs)
+ action, thoughts = agent.step(serializable_obs)
+
+ history.append((serializable_obs, action, thoughts))
+
+ signal.signal(signal.SIGALRM, timeout_handler)
+ # Start the alarm
+ signal.alarm(timeout)
+
+ try:
+ # Wait for the result within the specified timeout
+ obs, reward, terminated, truncated, info = env.step(action)
+ except TimeoutException:
+ print(f"Environment step timed out after {timeout} seconds")
+ error = f"Environment step timed out after {timeout} seconds"
+ break
+ except Exception as e:
+ print('Error when trying to take an action: %s', e)
+ error = str(e)
+ break
+ finally:
+ # Disable the alarm after the function call
+ signal.alarm(0)
+
+ step_count += 1
+
+ is_complete = (action.startswith('send_msg_to_user') \
+ and action not in ["send_msg_to_user('Error encountered when browsing.')",
+ "send_msg_to_user('Too many errors encountered. Task failed.')"])
+
+ session_data = {
+ 'goal': goal,
+ 'history': history,
+ 'is_complete': is_complete,
+ 'error': error,
+ }
+ os.makedirs(output_dir, exist_ok=True)
+ current_datetime = datetime.now().strftime('%Y-%m-%d-%H-%M-%S')
+ output_filename = job_name + '_' + current_datetime + '.json'
+ with open(os.path.join(output_dir, output_filename), 'w') as f:
+ json.dump(session_data, f)
+
+if __name__ == '__main__':
+ default_api_key_path = os.path.join(os.path.dirname(__file__), 'default_api_key.txt')
+ default_api_key = None
+ if os.path.exists(default_api_key_path):
+ with open(default_api_key_path, 'r') as fr:
+ default_api_key = fr.read().strip()
+
+ # Create the parser
+ parser = argparse.ArgumentParser(
+ description="Run inference on your model with a given dataset."
+ )
+
+ # Job arguments
+ parser.add_argument('job_name', type=str)
+ parser.add_argument('--max_steps', type=int, default=30)
+ parser.add_argument('--timeout', type=int, default=30)
+
+ # IO arguments
+ parser.add_argument('--dataset', type=str, required=True)
+ parser.add_argument('--data_root', type=str, default='./data/')
+ parser.add_argument('--start_idx', type=int, default=0)
+ parser.add_argument('--end_idx', type=int, default=9999999)
+ parser.add_argument('--output_dir', type=str, default='./browsing_data')
+
+ # LLM arguments
+ parser.add_argument('--model', type=str, default='gpt-4o')
+ parser.add_argument('--api_key', type=str, default=default_api_key)
+
+ # Agent arguments
+ parser.add_argument('--agent', type=str, default='reasoner')
+ parser.add_argument('--config_name', type=str, default='browsergym')
+
+ # Parse the arguments
+ args = parser.parse_args()
+
+ questions = get_dataset(args.dataset, args.data_root)
+
+ for i in range(args.start_idx, min(args.end_idx, len(questions))):
+ instruction = questions[i]
+ job_name = args.job_name + f'_{i}'
+ if glob(os.path.join(args.output_dir, f'{job_name}_*.json')) == []:
+ main(job_name,
+ args.model,
+ args.api_key,
+ args.output_dir,
+ instruction,
+ args.agent,
+ args.config_name,
+ args.max_steps,
+ args.timeout)
+ else:
+ print(f"Existing log detected for {job_name}, skipping ...")
\ No newline at end of file
diff --git a/examples/WebAgent/requirements.txt b/examples/WebAgent/requirements.txt
new file mode 100644
index 00000000..f3f90114
--- /dev/null
+++ b/examples/WebAgent/requirements.txt
@@ -0,0 +1,3 @@
+litellm
+tenacity
+browsergym==0.3.6.dev0
\ No newline at end of file
diff --git a/examples/WebAgent/utils/browser.py b/examples/WebAgent/utils/browser.py
new file mode 100644
index 00000000..389d9231
--- /dev/null
+++ b/examples/WebAgent/utils/browser.py
@@ -0,0 +1,57 @@
+import io
+import base64
+import numpy as np
+from PIL import Image
+
+def get_scroll_position(page):
+ return page.evaluate("""() => {
+ const scrollTop = window.scrollY;
+ const windowHeight = window.innerHeight;
+ const documentHeight = document.documentElement.scrollHeight;
+ const remainingPixels = documentHeight - (scrollTop + windowHeight);
+
+ return {
+ 'scrollTop': scrollTop,
+ 'windowHeight': windowHeight,
+ 'documentHeight': documentHeight,
+ 'remainingPixels': remainingPixels
+ };
+ }""")
+
+def image_to_jpg_base64_url(
+ image: np.ndarray | Image.Image, add_data_prefix: bool = False
+):
+ """Convert a numpy array to a base64 encoded jpeg image url."""
+
+ if isinstance(image, np.ndarray):
+ image = Image.fromarray(image)
+ if image.mode in ('RGBA', 'LA'):
+ image = image.convert('RGB')
+ width, height = image.size
+ # logger.info(f'Width: {width}, Height: {height}')
+ buffered = io.BytesIO()
+ image.save(buffered, format='JPEG', quality=10)
+
+ image_base64 = base64.b64encode(buffered.getvalue()).decode()
+ return (
+ f'data:image/jpeg;base64,{image_base64}'
+ if add_data_prefix
+ else f'{image_base64}'
+ )
+
+def get_serializable_obs(env, obs):
+ scroll_position = get_scroll_position(env.page)
+ obs['scroll_position'] = scroll_position
+ # make observation serializable
+ obs['screenshot'] = image_to_jpg_base64_url(obs['screenshot'])
+ obs['active_page_index'] = obs['active_page_index'].item()
+ obs['elapsed_time'] = obs['elapsed_time'].item()
+ return obs
+
+
+# Define a custom exception for timeout
+class TimeoutException(Exception): ...
+
+# Function to handle the alarm signal
+def timeout_handler(signum, frame):
+ raise TimeoutException("Environment step timed out")
\ No newline at end of file
diff --git a/examples/WebAgent/utils/config.py b/examples/WebAgent/utils/config.py
new file mode 100644
index 00000000..05e46b35
--- /dev/null
+++ b/examples/WebAgent/utils/config.py
@@ -0,0 +1,268 @@
+# import argparse
+import logging
+import os
+# import pathlib
+# import platform
+import uuid
+from dataclasses import dataclass, field, fields, is_dataclass
+from types import UnionType
+from typing import Any, ClassVar, get_args, get_origin
+
+# import toml
+from dotenv import load_dotenv
+
+from .singleton import Singleton
+
+logger = logging.getLogger(__name__)
+
+load_dotenv()
+
+@dataclass
+class LLMConfig(metaclass=Singleton):
+ """
+ Configuration for the LLM model.
+
+ Attributes:
+ model: The model to use.
+ api_key: The API key to use.
+ base_url: The base URL for the API. This is necessary for local LLMs. It is also used for Azure embeddings.
+ api_version: The version of the API.
+ embedding_model: The embedding model to use.
+ embedding_base_url: The base URL for the embedding API.
+ embedding_deployment_name: The name of the deployment for the embedding API. This is used for Azure OpenAI.
+ aws_access_key_id: The AWS access key ID.
+ aws_secret_access_key: The AWS secret access key.
+ aws_region_name: The AWS region name.
+ num_retries: The number of retries to attempt.
+ retry_min_wait: The minimum time to wait between retries, in seconds. This is exponential backoff minimum. For models with very low limits, this can be set to 15-20.
+ retry_max_wait: The maximum time to wait between retries, in seconds. This is exponential backoff maximum.
+ timeout: The timeout for the API.
+ max_chars: The maximum number of characters to send to and receive from the API. This is a fallback for token counting, which doesn't work in all cases.
+ temperature: The temperature for the API.
+ top_p: The top p for the API.
+ custom_llm_provider: The custom LLM provider to use. This is undocumented in opendevin, and normally not used. It is documented on the litellm side.
+ max_input_tokens: The maximum number of input tokens. Note that this is currently unused, and the value at runtime is actually the total tokens in OpenAI (e.g. 128,000 tokens for GPT-4).
+ max_output_tokens: The maximum number of output tokens. This is sent to the LLM.
+ input_cost_per_token: The cost per input token. This will available in logs for the user to check.
+ output_cost_per_token: The cost per output token. This will available in logs for the user to check.
+ """
+
+ model: str = 'gpt-4o'
+ api_key: str | None = None
+ base_url: str | None = None
+ model_port_config_file: str | None = None
+ api_version: str | None = None
+ embedding_model: str = 'local'
+ embedding_base_url: str | None = None
+ embedding_deployment_name: str | None = None
+ aws_access_key_id: str | None = None
+ aws_secret_access_key: str | None = None
+ aws_region_name: str | None = None
+ num_retries: int = 5
+ retry_min_wait: int = 3
+ retry_max_wait: int = 60
+ timeout: int | None = None
+ max_chars: int = 5_000_000 # fallback for token counting
+ temperature: float = 0
+ top_p: float = 0.5
+ custom_llm_provider: str | None = None
+ max_input_tokens: int | None = None
+ max_output_tokens: int | None = None
+ input_cost_per_token: float | None = None
+ output_cost_per_token: float | None = None
+
+ def defaults_to_dict(self) -> dict:
+ """
+ Serialize fields to a dict for the frontend, including type hints, defaults, and whether it's optional.
+ """
+ dict = {}
+ for f in fields(self):
+ dict[f.name] = get_field_info(f)
+ return dict
+
+ def __str__(self):
+ attr_str = []
+ for f in fields(self):
+ attr_name = f.name
+ attr_value = getattr(self, f.name)
+
+ if attr_name in ['api_key', 'aws_access_key_id', 'aws_secret_access_key']:
+ attr_value = '******' if attr_value else None
+
+ attr_str.append(f'{attr_name}={repr(attr_value)}')
+
+ return f"LLMConfig({', '.join(attr_str)})"
+
+ def __repr__(self):
+ return self.__str__()
+
+
+@dataclass
+class AgentConfig(metaclass=Singleton):
+ """
+ Configuration for the agent.
+
+ Attributes:
+ name: The name of the agent.
+ memory_enabled: Whether long-term memory (embeddings) is enabled.
+ memory_max_threads: The maximum number of threads indexing at the same time for embeddings.
+ """
+
+ name: str = 'CodeActAgent'
+ memory_enabled: bool = False
+ memory_max_threads: int = 2
+
+ def defaults_to_dict(self) -> dict:
+ """
+ Serialize fields to a dict for the frontend, including type hints, defaults, and whether it's optional.
+ """
+ dict = {}
+ for f in fields(self):
+ dict[f.name] = get_field_info(f)
+ return dict
+
+
+@dataclass
+class AppConfig(metaclass=Singleton):
+ """
+ Configuration for the app.
+
+ Attributes:
+ llm: The LLM configuration.
+ agent: The agent configuration.
+ runtime: The runtime environment.
+ file_store: The file store to use.
+ file_store_path: The path to the file store.
+ workspace_base: The base path for the workspace. Defaults to ./workspace as an absolute path.
+ workspace_mount_path: The path to mount the workspace. This is set to the workspace base by default.
+ workspace_mount_path_in_sandbox: The path to mount the workspace in the sandbox. Defaults to /workspace.
+ workspace_mount_rewrite: The path to rewrite the workspace mount path to.
+ cache_dir: The path to the cache directory. Defaults to /tmp/cache.
+ sandbox_container_image: The container image to use for the sandbox.
+ run_as_devin: Whether to run as devin.
+ max_iterations: The maximum number of iterations.
+ max_budget_per_task: The maximum budget allowed per task, beyond which the agent will stop.
+ e2b_api_key: The E2B API key.
+ sandbox_type: The type of sandbox to use. Options are: ssh, exec, e2b, local.
+ use_host_network: Whether to use the host network.
+ ssh_hostname: The SSH hostname.
+ disable_color: Whether to disable color. For terminals that don't support color.
+ sandbox_user_id: The user ID for the sandbox.
+ sandbox_timeout: The timeout for the sandbox.
+ debug: Whether to enable debugging.
+ enable_auto_lint: Whether to enable auto linting. This is False by default, for regular runs of the app. For evaluation, please set this to True.
+ """
+
+ llm: LLMConfig = field(default_factory=LLMConfig)
+ agent: AgentConfig = field(default_factory=AgentConfig)
+ runtime: str = 'server'
+ file_store: str = 'memory'
+ file_store_path: str = '/tmp/file_store'
+ workspace_base: str = os.path.join(os.getcwd(), 'workspace')
+ workspace_mount_path: str | None = None
+ workspace_mount_path_in_sandbox: str = '/workspace'
+ workspace_mount_rewrite: str | None = None
+ cache_dir: str = '/tmp/cache'
+ sandbox_container_image: str = 'ghcr.io/opendevin/sandbox' + (
+ f':{os.getenv("OPEN_DEVIN_BUILD_VERSION")}'
+ if os.getenv('OPEN_DEVIN_BUILD_VERSION')
+ else ':main'
+ )
+ run_as_devin: bool = True
+ max_iterations: int = 100
+ max_budget_per_task: float | None = None
+ e2b_api_key: str = ''
+ sandbox_type: str = 'ssh' # Can be 'ssh', 'exec', or 'e2b'
+ use_host_network: bool = False
+ ssh_hostname: str = 'localhost'
+ disable_color: bool = False
+ sandbox_user_id: int = os.getuid() if hasattr(os, 'getuid') else 1000
+ sandbox_timeout: int = 120
+ initialize_plugins: bool = True
+ persist_sandbox: bool = False
+ ssh_port: int = 63710
+ ssh_password: str | None = None
+ jwt_secret: str = uuid.uuid4().hex
+ debug: bool = False
+ enable_auto_lint: bool = (
+ False # once enabled, OpenDevin would lint files after editing
+ )
+
+ defaults_dict: ClassVar[dict] = {}
+
+ def __post_init__(self):
+ """
+ Post-initialization hook, called when the instance is created with only default values.
+ """
+ AppConfig.defaults_dict = self.defaults_to_dict()
+
+ def defaults_to_dict(self) -> dict:
+ """
+ Serialize fields to a dict for the frontend, including type hints, defaults, and whether it's optional.
+ """
+ dict = {}
+ for f in fields(self):
+ field_value = getattr(self, f.name)
+
+ # dataclasses compute their defaults themselves
+ if is_dataclass(type(field_value)):
+ dict[f.name] = field_value.defaults_to_dict()
+ else:
+ dict[f.name] = get_field_info(f)
+ return dict
+
+ def __str__(self):
+ attr_str = []
+ for f in fields(self):
+ attr_name = f.name
+ attr_value = getattr(self, f.name)
+
+ if attr_name in ['e2b_api_key', 'github_token']:
+ attr_value = '******' if attr_value else None
+
+ attr_str.append(f'{attr_name}={repr(attr_value)}')
+
+ return f"AppConfig({', '.join(attr_str)}"
+
+ def __repr__(self):
+ return self.__str__()
+
+
+def get_field_info(field):
+ """
+ Extract information about a dataclass field: type, optional, and default.
+
+ Args:
+ field: The field to extract information from.
+
+ Returns: A dict with the field's type, whether it's optional, and its default value.
+ """
+ field_type = field.type
+ optional = False
+
+ # for types like str | None, find the non-None type and set optional to True
+ # this is useful for the frontend to know if a field is optional
+ # and to show the correct type in the UI
+ # Note: this only works for UnionTypes with None as one of the types
+ if get_origin(field_type) is UnionType:
+ types = get_args(field_type)
+ non_none_arg = next((t for t in types if t is not type(None)), None)
+ if non_none_arg is not None:
+ field_type = non_none_arg
+ optional = True
+
+ # type name in a pretty format
+ type_name = (
+ field_type.__name__ if hasattr(field_type, '__name__') else str(field_type)
+ )
+
+ # default is always present
+ default = field.default
+
+ # return a schema with the useful info for frontend
+ return {'type': type_name.lower(), 'optional': optional, 'default': default}
+
+
+# llm_config = LLMConfig()
+
+config = AppConfig()
\ No newline at end of file
diff --git a/examples/WebAgent/utils/datasets.py b/examples/WebAgent/utils/datasets.py
new file mode 100644
index 00000000..67dee25b
--- /dev/null
+++ b/examples/WebAgent/utils/datasets.py
@@ -0,0 +1,29 @@
+import argparse
+import json
+import os
+from glob import glob
+# from main import main
+import pandas as pd
+
+def get_fanoutqa_dataset(data_root, filename='fanout-final-dev.json'):
+ data_path = os.path.join(data_root, filename)
+ with open(data_path) as f:
+ data = json.load(f)
+
+ questions = [row['question'] for row in data]
+ return questions
+
+def get_flightqa_dataset(data_root, filename='flightqa_counterfactual.csv'):
+ data_path = os.path.join(data_root, filename)
+ data_df = pd.read_csv(data_path)
+ questions = data_df['question'].tolist()
+ return questions
+
+def get_dataset(dataset, data_root):
+ if dataset == 'fanout':
+ questions = get_fanoutqa_dataset(data_root)
+ elif dataset == 'flightqa':
+ questions = get_flightqa_dataset(data_root)
+ else:
+ raise ValueError(f'Invalid dataset: {dataset}')
+ return questions
\ No newline at end of file
diff --git a/examples/WebAgent/utils/llm.py b/examples/WebAgent/utils/llm.py
new file mode 100644
index 00000000..5754803c
--- /dev/null
+++ b/examples/WebAgent/utils/llm.py
@@ -0,0 +1,309 @@
+import warnings
+from functools import partial
+
+with warnings.catch_warnings():
+ warnings.simplefilter('ignore')
+ import litellm
+from litellm import completion as litellm_completion
+from litellm import completion_cost as litellm_completion_cost
+from litellm.exceptions import (
+ APIConnectionError,
+ RateLimitError,
+ ServiceUnavailableError,
+)
+from litellm.types.utils import CostPerToken
+from tenacity import (
+ retry,
+ retry_if_exception_type,
+ stop_after_attempt,
+ wait_random_exponential,
+)
+
+from .config import config
+from .metrics import Metrics
+from .logger import reasoners_logger as logger
+
+__all__ = ['LLM']
+
+message_separator = '\n\n----------\n\n'
+
+class LLM:
+ """
+ The LLM class represents a Language Model instance.
+
+ Attributes:
+ model_name (str): The name of the language model.
+ api_key (str): The API key for accessing the language model.
+ base_url (str): The base URL for the language model API.
+ api_version (str): The version of the API to use.
+ max_input_tokens (int): The maximum number of tokens to send to the LLM per task.
+ max_output_tokens (int): The maximum number of tokens to receive from the LLM per task.
+ llm_timeout (int): The maximum time to wait for a response in seconds.
+ custom_llm_provider (str): A custom LLM provider.
+ """
+
+ def __init__(
+ self,
+ model=None,
+ api_key=None,
+ base_url=None,
+ api_version=None,
+ num_retries=None,
+ retry_min_wait=None,
+ retry_max_wait=None,
+ llm_timeout=None,
+ llm_temperature=None,
+ llm_top_p=None,
+ custom_llm_provider=None,
+ max_input_tokens=None,
+ max_output_tokens=None,
+ llm_config=None,
+ metrics=None,
+ ):
+ """
+ Initializes the LLM. If LLMConfig is passed, its values will be the fallback.
+
+ Passing simple parameters always overrides config.
+
+ Args:
+ model (str, optional): The name of the language model. Defaults to LLM_MODEL.
+ api_key (str, optional): The API key for accessing the language model. Defaults to LLM_API_KEY.
+ base_url (str, optional): The base URL for the language model API. Defaults to LLM_BASE_URL. Not necessary for OpenAI.
+ api_version (str, optional): The version of the API to use. Defaults to LLM_API_VERSION. Not necessary for OpenAI.
+ num_retries (int, optional): The number of retries for API calls. Defaults to LLM_NUM_RETRIES.
+ retry_min_wait (int, optional): The minimum time to wait between retries in seconds. Defaults to LLM_RETRY_MIN_TIME.
+ retry_max_wait (int, optional): The maximum time to wait between retries in seconds. Defaults to LLM_RETRY_MAX_TIME.
+ max_input_tokens (int, optional): The maximum number of tokens to send to the LLM per task. Defaults to LLM_MAX_INPUT_TOKENS.
+ max_output_tokens (int, optional): The maximum number of tokens to receive from the LLM per task. Defaults to LLM_MAX_OUTPUT_TOKENS.
+ custom_llm_provider (str, optional): A custom LLM provider. Defaults to LLM_CUSTOM_LLM_PROVIDER.
+ llm_timeout (int, optional): The maximum time to wait for a response in seconds. Defaults to LLM_TIMEOUT.
+ llm_temperature (float, optional): The temperature for LLM sampling. Defaults to LLM_TEMPERATURE.
+ metrics (Metrics, optional): The metrics object to use. Defaults to None.
+ """
+ if llm_config is None:
+ llm_config = config.llm
+
+ model = model if model is not None else llm_config.model
+ api_key = api_key if api_key is not None else llm_config.api_key
+ base_url = base_url if base_url is not None else llm_config.base_url
+ api_version = api_version if api_version is not None else llm_config.api_version
+ num_retries = num_retries if num_retries is not None else llm_config.num_retries
+ retry_min_wait = (
+ retry_min_wait if retry_min_wait is not None else llm_config.retry_min_wait
+ )
+ retry_max_wait = (
+ retry_max_wait if retry_max_wait is not None else llm_config.retry_max_wait
+ )
+ llm_timeout = llm_timeout if llm_timeout is not None else llm_config.timeout
+ llm_temperature = (
+ llm_temperature if llm_temperature is not None else llm_config.temperature
+ )
+ llm_top_p = llm_top_p if llm_top_p is not None else llm_config.top_p
+ custom_llm_provider = (
+ custom_llm_provider
+ if custom_llm_provider is not None
+ else llm_config.custom_llm_provider
+ )
+ max_input_tokens = (
+ max_input_tokens
+ if max_input_tokens is not None
+ else llm_config.max_input_tokens
+ )
+ max_output_tokens = (
+ max_output_tokens
+ if max_output_tokens is not None
+ else llm_config.max_output_tokens
+ )
+ metrics = metrics if metrics is not None else Metrics()
+
+ # logger.info(f'Initializing LLM with model: {model}')
+ self.llm_config = llm_config
+ self.model_name = model
+ self.api_key = api_key
+ self.base_url = base_url
+ self.api_version = api_version
+ self.max_input_tokens = max_input_tokens
+ self.max_output_tokens = max_output_tokens
+ self.llm_timeout = llm_timeout
+ self.custom_llm_provider = custom_llm_provider
+ self.metrics = metrics
+
+ # litellm actually uses base Exception here for unknown model
+ self.model_info = None
+ try:
+ if not self.model_name.startswith('openrouter'):
+ self.model_info = litellm.get_model_info(self.model_name.split(':')[0])
+ else:
+ self.model_info = litellm.get_model_info(self.model_name)
+ # noinspection PyBroadException
+ except Exception:
+ logger.warning(f'Could not get model info for {self.model_name}')
+
+ if self.max_input_tokens is None:
+ if self.model_info is not None and 'max_input_tokens' in self.model_info:
+ self.max_input_tokens = self.model_info['max_input_tokens']
+ else:
+ # Max input tokens for gpt3.5, so this is a safe fallback for any potentially viable model
+ self.max_input_tokens = 4096
+
+ if self.max_output_tokens is None:
+ if self.model_info is not None and 'max_output_tokens' in self.model_info:
+ self.max_output_tokens = self.model_info['max_output_tokens']
+ else:
+ # Enough tokens for most output actions, and not too many for a bad llm to get carried away responding
+ # with thousands of unwanted tokens
+ self.max_output_tokens = 1024
+
+ self._completion = partial(
+ litellm_completion,
+ model=self.model_name,
+ api_key=self.api_key,
+ base_url=self.base_url,
+ api_version=self.api_version,
+ custom_llm_provider=custom_llm_provider,
+ max_tokens=self.max_output_tokens,
+ timeout=self.llm_timeout,
+ temperature=llm_temperature,
+ top_p=llm_top_p,
+ )
+
+ completion_unwrapped = self._completion
+
+ def attempt_on_error(retry_state):
+ logger.error(
+ f'{retry_state.outcome.exception()}. Attempt #{retry_state.attempt_number} | You can customize these settings in the configuration.',
+ exc_info=False,
+ )
+ return True
+
+ @retry(
+ reraise=True,
+ stop=stop_after_attempt(num_retries),
+ wait=wait_random_exponential(min=retry_min_wait, max=retry_max_wait),
+ retry=retry_if_exception_type(
+ (RateLimitError, APIConnectionError, ServiceUnavailableError)
+ ),
+ after=attempt_on_error,
+ )
+ def wrapper(*args, **kwargs):
+ if 'messages' in kwargs:
+ messages = kwargs['messages']
+ else:
+ messages = args[1]
+ debug_message = ''
+ for message in messages:
+ debug_message += message_separator + message['content']
+ # llm_prompt_logger.debug(debug_message)
+ resp = completion_unwrapped(*args, **kwargs)
+ message_back = resp['choices'][0]['message']['content']
+ # llm_response_logger.debug(message_back)
+ return resp
+
+ self._completion = wrapper # type: ignore
+
+ @property
+ def completion(self):
+ """
+ Decorator for the litellm completion function.
+ """
+ return self._completion
+
+ def do_completion(self, *args, **kwargs):
+ """
+ Wrapper for the litellm completion function.
+
+ Check the complete documentation at https://litellm.vercel.app/docs/completion
+ """
+ resp = self._completion(*args, **kwargs)
+ self.post_completion(resp)
+ return resp
+
+ def post_completion(self, response: str) -> None:
+ """
+ Post-process the completion response.
+ """
+ try:
+ cur_cost = self.completion_cost(response)
+ except Exception:
+ cur_cost = 0
+ logger.info(
+ 'Cost: %.2f USD | Accumulated Cost: %.2f USD',
+ cur_cost,
+ self.metrics.accumulated_cost,
+ )
+
+ def get_token_count(self, messages):
+ """
+ Get the number of tokens in a list of messages.
+
+ Args:
+ messages (list): A list of messages.
+
+ Returns:
+ int: The number of tokens.
+ """
+ return litellm.token_counter(model=self.model_name, messages=messages)
+
+ def is_local(self):
+ """
+ Determines if the system is using a locally running LLM.
+
+ Returns:
+ boolean: True if executing a local model.
+ """
+ if self.base_url is not None:
+ for substring in ['localhost', '127.0.0.1' '0.0.0.0']:
+ if substring in self.base_url:
+ return True
+ elif self.model_name is not None:
+ if self.model_name.startswith('ollama'):
+ return True
+ return False
+
+ def completion_cost(self, response):
+ """
+ Calculate the cost of a completion response based on the model. Local models are treated as free.
+ Add the current cost into total cost in metrics.
+
+ Args:
+ response (list): A response from a model invocation.
+
+ Returns:
+ number: The cost of the response.
+ """
+ extra_kwargs = {}
+ if (
+ # config.llm.input_cost_per_token is not None
+ # and config.llm.output_cost_per_token is not None
+ self.llm_config.input_cost_per_token is not None
+ and self.llm_config.output_cost_per_token is not None
+ ):
+ cost_per_token = CostPerToken(
+ # input_cost_per_token=config.llm.input_cost_per_token,
+ # output_cost_per_token=config.llm.output_cost_per_token,
+ input_cost_per_token=self.llm_config.input_cost_per_token,
+ output_cost_per_token=self.llm_config.output_cost_per_token,
+ )
+ logger.info(f'Using custom cost per token: {cost_per_token}')
+ extra_kwargs['custom_cost_per_token'] = cost_per_token
+
+ if not self.is_local():
+ try:
+ cost = litellm_completion_cost(
+ completion_response=response, **extra_kwargs
+ )
+ self.metrics.add_cost(cost)
+ return cost
+ except Exception:
+ logger.warning('Cost calculation not supported for this model.')
+ return 0.0
+
+ def __str__(self):
+ if self.api_version:
+ return f'LLM(model={self.model_name}, api_version={self.api_version}, base_url={self.base_url})'
+ elif self.base_url:
+ return f'LLM(model={self.model_name}, base_url={self.base_url})'
+ return f'LLM(model={self.model_name})'
+
+ def __repr__(self):
+ return str(self)
diff --git a/examples/WebAgent/utils/logger.py b/examples/WebAgent/utils/logger.py
new file mode 100644
index 00000000..1ba7445c
--- /dev/null
+++ b/examples/WebAgent/utils/logger.py
@@ -0,0 +1,194 @@
+import logging
+import os
+import re
+import sys
+import traceback
+from datetime import datetime
+from typing import Literal, Mapping
+
+from termcolor import colored
+
+from .config import config
+
+DISABLE_COLOR_PRINTING = config.disable_color
+
+ColorType = Literal[
+ 'red',
+ 'green',
+ 'yellow',
+ 'blue',
+ 'magenta',
+ 'cyan',
+ 'light_grey',
+ 'dark_grey',
+ 'light_red',
+ 'light_green',
+ 'light_yellow',
+ 'light_blue',
+ 'light_magenta',
+ 'light_cyan',
+ 'white',
+]
+
+LOG_COLORS: Mapping[str, ColorType] = {
+ 'BACKGROUND LOG': 'blue',
+ 'ACTION': 'green',
+ 'OBSERVATION': 'yellow',
+ 'DETAIL': 'cyan',
+ 'ERROR': 'red',
+ 'PLAN': 'light_magenta',
+}
+
+
+class ColoredFormatter(logging.Formatter):
+ def format(self, record):
+ msg_type = record.__dict__.get('msg_type', None)
+ if msg_type in LOG_COLORS and not DISABLE_COLOR_PRINTING:
+ msg_type_color = colored(msg_type, LOG_COLORS[msg_type])
+ msg = colored(record.msg, LOG_COLORS[msg_type])
+ time_str = colored(
+ self.formatTime(record, self.datefmt), LOG_COLORS[msg_type]
+ )
+ name_str = colored(record.name, LOG_COLORS[msg_type])
+ level_str = colored(record.levelname, LOG_COLORS[msg_type])
+ if msg_type in ['ERROR']:
+ return f'{time_str} - {name_str}:{level_str}: {record.filename}:{record.lineno}\n{msg_type_color}\n{msg}'
+ return f'{time_str} - {msg_type_color}\n{msg}'
+ elif msg_type == 'STEP':
+ msg = '\n\n==============\n' + record.msg + '\n'
+ return f'{msg}'
+ return super().format(record)
+
+
+console_formatter = ColoredFormatter(
+ '\033[92m%(asctime)s - %(name)s:%(levelname)s\033[0m: %(filename)s:%(lineno)s - %(message)s',
+ datefmt='%H:%M:%S',
+)
+
+file_formatter = logging.Formatter(
+ '%(asctime)s - %(name)s:%(levelname)s: %(filename)s:%(lineno)s - %(message)s',
+ datefmt='%H:%M:%S',
+)
+llm_formatter = logging.Formatter('%(message)s')
+
+
+class SensitiveDataFilter(logging.Filter):
+ def filter(self, record):
+ # start with attributes
+ sensitive_patterns = [
+ 'api_key',
+ 'aws_access_key_id',
+ 'aws_secret_access_key',
+ 'e2b_api_key',
+ 'github_token',
+ ]
+
+ # add env var names
+ env_vars = [attr.upper() for attr in sensitive_patterns]
+ sensitive_patterns.extend(env_vars)
+
+ # and some special cases
+ sensitive_patterns.append('LLM_API_KEY')
+ sensitive_patterns.append('SANDBOX_ENV_GITHUB_TOKEN')
+
+ # this also formats the message with % args
+ msg = record.getMessage()
+ record.args = ()
+
+ for attr in sensitive_patterns:
+ pattern = rf"{attr}='?([\w-]+)'?"
+ msg = re.sub(pattern, f"{attr}='******'", msg)
+
+ # passed with msg
+ record.msg = msg
+ return True
+
+
+def get_console_handler():
+ """
+ Returns a console handler for logging.
+ """
+ console_handler = logging.StreamHandler()
+ console_handler.setLevel(logging.INFO)
+ console_handler.setFormatter(console_formatter)
+ return console_handler
+
+
+def get_file_handler(log_dir=None):
+ """
+ Returns a file handler for logging.
+ """
+ log_dir = os.path.join(os.getcwd(), 'logs') if log_dir is None else log_dir
+ os.makedirs(log_dir, exist_ok=True)
+ timestamp = datetime.now().strftime('%Y-%m-%d')
+ file_name = f'opendevin_{timestamp}.log'
+ file_handler = logging.FileHandler(os.path.join(log_dir, file_name))
+ if config.debug:
+ file_handler.setLevel(logging.DEBUG)
+ file_handler.setFormatter(file_formatter)
+ return file_handler
+
+
+# Set up logging
+logging.basicConfig(level=logging.ERROR)
+
+
+def log_uncaught_exceptions(ex_cls, ex, tb):
+ """
+ Logs uncaught exceptions along with the traceback.
+
+ Args:
+ ex_cls (type): The type of the exception.
+ ex (Exception): The exception instance.
+ tb (traceback): The traceback object.
+
+ Returns:
+ None
+ """
+ logging.error(''.join(traceback.format_tb(tb)))
+ logging.error('{0}: {1}'.format(ex_cls, ex))
+
+
+sys.excepthook = log_uncaught_exceptions
+
+reasoners_logger = logging.getLogger('reasoners_logger')
+reasoners_logger.setLevel(logging.INFO)
+reasoners_logger.addHandler(get_file_handler())
+reasoners_logger.addHandler(get_console_handler())
+reasoners_logger.addFilter(SensitiveDataFilter(reasoners_logger.name))
+reasoners_logger.propagate = False
+reasoners_logger.debug('Logging initialized')
+reasoners_logger.debug(
+ 'Logging to %s', os.path.join(os.getcwd(), 'logs', 'agent_model.log')
+)
+
+# Exclude LiteLLM from logging output
+logging.getLogger('LiteLLM').disabled = True
+logging.getLogger('LiteLLM Router').disabled = True
+logging.getLogger('LiteLLM Proxy').disabled = True
+
+def get_agent_logger(log_file='default_log.log', log_dir=None):
+ current_file_path = os.path.dirname(os.path.abspath(__file__))
+ log_dir = os.path.join(current_file_path, '..', 'logs') if log_dir is None else log_dir
+ os.makedirs(log_dir, exist_ok=True)
+ logger_name = f"agent_{log_file.replace('.log', '')}"
+ logger = logging.getLogger(logger_name)
+ logger.setLevel(logging.INFO)
+
+ # Set log file
+ ## Clear existing handlers if any
+ if logger.hasHandlers():
+ logger.handlers.clear()
+
+ ## Set up file handler with the specified log file
+ file_handler = logging.FileHandler(os.path.join(log_dir, log_file))
+ file_handler.setFormatter(file_formatter)
+ logger.addHandler(file_handler)
+
+ logger.addHandler(get_console_handler())
+ logger.addFilter(SensitiveDataFilter(logger.name))
+ logger.propagate = False
+ logger.debug('Logging initialized')
+ logger.debug('Logging to %s', os.path.join(log_dir, log_file))
+ return logger
+
diff --git a/examples/WebAgent/utils/metrics.py b/examples/WebAgent/utils/metrics.py
new file mode 100644
index 00000000..863b4192
--- /dev/null
+++ b/examples/WebAgent/utils/metrics.py
@@ -0,0 +1,46 @@
+class Metrics:
+ """
+ Metrics class can record various metrics during running and evaluation.
+ Currently we define the following metrics:
+ accumulated_cost: the total cost (USD $) of the current LLM.
+ """
+
+ def __init__(self) -> None:
+ self._accumulated_cost: float = 0.0
+ self._costs: list[float] = []
+
+ @property
+ def accumulated_cost(self) -> float:
+ return self._accumulated_cost
+
+ @accumulated_cost.setter
+ def accumulated_cost(self, value: float) -> None:
+ if value < 0:
+ raise ValueError('Total cost cannot be negative.')
+ self._accumulated_cost = value
+
+ @property
+ def costs(self) -> list:
+ return self._costs
+
+ def add_cost(self, value: float) -> None:
+ if value < 0:
+ raise ValueError('Added cost cannot be negative.')
+ self._accumulated_cost += value
+ self._costs.append(value)
+
+ def get(self):
+ """
+ Return the metrics in a dictionary.
+ """
+ return {'accumulated_cost': self._accumulated_cost, 'costs': self._costs}
+
+ def log(self):
+ """
+ Log the metrics.
+ """
+ metrics = self.get()
+ logs = ''
+ for key, value in metrics.items():
+ logs += f'{key}: {value}\n'
+ return logs
\ No newline at end of file
diff --git a/examples/WebAgent/utils/singleton.py b/examples/WebAgent/utils/singleton.py
new file mode 100644
index 00000000..5247fcef
--- /dev/null
+++ b/examples/WebAgent/utils/singleton.py
@@ -0,0 +1,28 @@
+import dataclasses
+
+
+class Singleton(type):
+ _instances: dict = {}
+
+ def __call__(cls, *args, **kwargs):
+ if cls not in cls._instances:
+ cls._instances[cls] = super(Singleton, cls).__call__(*args, **kwargs)
+ else:
+ # allow updates, just update existing instance
+ # perhaps not the most orthodox way to do it, though it simplifies client code
+ # useful for pre-defined groups of settings
+ instance = cls._instances[cls]
+ for key, value in kwargs.items():
+ setattr(instance, key, value)
+ return cls._instances[cls]
+
+ @classmethod
+ def reset(cls):
+ # used by pytest to reset the state of the singleton instances
+ for instance_type, instance in cls._instances.items():
+ print('resetting... ', instance_type)
+ for field in dataclasses.fields(instance_type):
+ if dataclasses.is_dataclass(field.type):
+ setattr(instance, field.name, field.type())
+ else:
+ setattr(instance, field.name, field.default)
\ No newline at end of file
diff --git a/reasoners/__init__.py b/reasoners/__init__.py
index 9ee0a3fa..f4dc7c52 100644
--- a/reasoners/__init__.py
+++ b/reasoners/__init__.py
@@ -1 +1,4 @@
-from .base import WorldModel, LanguageModel, SearchConfig, Reasoner, SearchAlgorithm, GenerateOutput, State, Action, Example, Trace, Evaluator, DefaultWorldModel, Tool
\ No newline at end of file
+from .base import WorldModel, LanguageModel, SearchConfig, Reasoner, SearchAlgorithm, GenerateOutput, State, Action, Example, Trace, Evaluator, DefaultWorldModel, Tool
+from .agent import ReasonerAgent
+
+__all__ = ['WorldModel', 'LanguageModel', 'SearchConfig', 'Reasoner', 'SearchAlgorithm', 'GenerateOutput', 'State', 'Action', 'Example', 'Trace', 'Evaluator', 'DefaultWorldModel', 'Tool', 'ReasonerAgent']
\ No newline at end of file
diff --git a/reasoners/agent/__init__.py b/reasoners/agent/__init__.py
new file mode 100644
index 00000000..0987f82c
--- /dev/null
+++ b/reasoners/agent/__init__.py
@@ -0,0 +1,3 @@
+from .agent import ReasonerAgent
+
+__all__ = ['ReasonerAgent']
\ No newline at end of file
diff --git a/reasoners/agent/agent.py b/reasoners/agent/agent.py
new file mode 100644
index 00000000..b2abda28
--- /dev/null
+++ b/reasoners/agent/agent.py
@@ -0,0 +1,249 @@
+from typing import Any
+from logging import Logger
+from .base import AgentModule, AgentVariable
+from .llm import LLM, OpenDevinParserLLM, OpenDevinParserMultiResponseLLM
+from .modules import (
+ PolicyPlanner, ReasonerPlanner,
+ PromptedActor, PromptedCritic, PromptedEncoder,
+ PromptedPolicy, PromptedWorldModel
+)
+from .variables import (
+ AgentInstructionEnvironmentIdentity,
+ BrowserGymActionSpace, OpenDevinBrowserActionSpace,
+ BrowserGymObservationSpace, OpenDevinBrowserObservationSpace,
+ StepKeyValueMemory, StepPromptedMemory
+)
+
+from .prompts import (
+ actor_prompt_template_dict,
+ critic_prompt_template,
+ encoder_prompt_template_dict,
+ memory_update_prompt_template_dict,
+ policy_prompt_template_dict,
+ world_model_prompt_template_dict,
+)
+
+from .configs import (browsergym_config, browsergym_world_model_config,
+ opendevin_config, opendevin_world_model_config,
+ webarena_config, webarena_world_model_config)
+
+CONFIG_LIBRARY = {
+ 'browsergym': browsergym_config,
+ 'browsergym_world_model': browsergym_world_model_config,
+ 'opendevin': opendevin_config,
+ 'opendevin_llama': opendevin_config,
+ 'opendevin_world_model': opendevin_world_model_config,
+ 'webarena': webarena_config,
+ 'webarena_world_model': webarena_world_model_config,
+}
+
+class ReasonerAgent:
+ def __init__(self,
+ llm: Any,
+ config_name: str,
+ logger: Logger = None,
+ **kwargs):
+ self.llm = llm
+ self.config_name = config_name
+ self.config = CONFIG_LIBRARY[config_name]
+ self.logger = logger
+
+ self.environment = self.config['environment']
+ self.encoder_prompt_type = self.config['encoder_prompt_type']
+ self.planner_type = self.config['planner_type']
+ self.actor_prompt_type = self.config['actor_prompt_type']
+ self.memory_type = self.config['memory_type']
+
+ self.policy_output_name = self.config['policy_output_name']
+ self.module_error_message = self.config['module_error_message']
+
+ # Action space and observation space
+ if self.environment == 'browsergym':
+ self.action_space = BrowserGymActionSpace(
+ action_subsets=['chat', 'bid'],
+ use_nav=True,
+ strict=False,
+ multiaction=False,
+ )
+ self.observation_space = BrowserGymObservationSpace()
+ elif self.environment == 'opendevin':
+ self.action_space = OpenDevinBrowserActionSpace(
+ action_subsets=['chat', 'bid'],
+ use_nav=self.config['use_nav'],
+ strict=False,
+ multiaction=False,
+ )
+ self.observation_space = OpenDevinBrowserObservationSpace(
+ eval_mode=self.config['eval_mode'],
+ truncation=self.config['truncate_axtree']
+ )
+ else:
+ raise ValueError(f'Unsupported environment: {self.environment}')
+
+ # Agent identity
+ self.identity = AgentInstructionEnvironmentIdentity(
+ agent_name=self.config['agent_name'],
+ agent_description=self.config['agent_description'],
+ observation_space=self.observation_space,
+ action_space=self.action_space,
+ )
+
+ # Encoder
+ self.encoder_llm = OpenDevinParserLLM(llm, ['state'])
+ encoder_prompt_template = encoder_prompt_template_dict[self.encoder_prompt_type]
+ self.encoder = PromptedEncoder(
+ self.identity, self.encoder_llm, prompt_template=encoder_prompt_template
+ )
+
+ # Memory
+ if self.memory_type == 'step_prompted':
+ self.memory_update_llm = OpenDevinParserLLM(llm, ['memory_update'])
+ memory_update_prompt_template = memory_update_prompt_template_dict[self.config['memory_prompt_type']]
+ self.memory = StepPromptedMemory(self.identity, self.memory_update_llm,
+ prompt_template=memory_update_prompt_template,
+ keys=[self.policy_output_name])
+ elif self.memory_type == 'step_key_value':
+ self.memory = StepKeyValueMemory(['state', self.policy_output_name])
+ else:
+ raise ValueError(f'Invalid memory type: {self.memory_type}')
+
+ # Planner
+ if self.planner_type == 'world_model':
+ self.policy_prompt_type = self.config['policy_prompt_type']
+ self.world_model_prompt_type = self.config['world_model_prompt_type']
+ self.planner_search_num_actions = self.config['planner_search_num_actions']
+ self.planner_search_depth = self.config['planner_search_depth']
+ self.planner_critic_num_samples = self.config['planner_critic_num_samples']
+
+ self.policy_llm = OpenDevinParserMultiResponseLLM(
+ llm, [self.policy_output_name], ['think']
+ )
+ policy_prompt_template = policy_prompt_template_dict[self.policy_prompt_type]
+ self.policy = PromptedPolicy(
+ self.identity, self.policy_llm, prompt_template=policy_prompt_template
+ )
+
+ self.world_model_llm = OpenDevinParserLLM(
+ llm, ['next_state']
+ )
+ world_model_prompt_template = world_model_prompt_template_dict[self.world_model_prompt_type]
+ self.world_model = PromptedWorldModel(
+ self.identity,
+ self.world_model_llm,
+ prompt_template=world_model_prompt_template,
+ )
+
+ self.critic_llm = OpenDevinParserMultiResponseLLM(
+ llm, ['status', 'on_the_right_track'], ['think']
+ )
+ self.critic = PromptedCritic(
+ self.identity, self.critic_llm, prompt_template=critic_prompt_template
+ )
+
+ self.planner = ReasonerPlanner(self.policy, self.world_model, self.critic,
+ search_num_actions=self.planner_search_num_actions,
+ search_depth=self.planner_search_depth,
+ policy_output_name=self.policy_output_name,
+ critic_num_samples=self.planner_critic_num_samples,
+ llm_base_url=llm.base_url,
+ llm_api_key=llm.api_key)
+
+ elif self.planner_type == 'policy':
+ self.policy_prompt_type = self.config['policy_prompt_type']
+ policy_prompt_template = policy_prompt_template_dict[self.policy_prompt_type]
+
+ self.policy_llm = OpenDevinParserLLM(
+ llm, [self.policy_output_name], ['think']
+ )
+ self.policy = PromptedPolicy(
+ self.identity, self.policy_llm, prompt_template=policy_prompt_template
+ )
+
+ self.planner = PolicyPlanner(self.policy)
+
+ # Actor
+ self.actor_llm = OpenDevinParserLLM(llm, ['action'])
+ actor_prompt_template = actor_prompt_template_dict[self.actor_prompt_type]
+ self.actor = PromptedActor(
+ self.identity, self.actor_llm, prompt_template=actor_prompt_template
+ )
+
+ self.reset()
+
+ def reset(self):
+ for attr_name in dir(self):
+ # Skip special methods and attributes
+ if not attr_name.startswith('__'):
+ attr_value = getattr(self, attr_name)
+ if isinstance(attr_value, LLM) or isinstance(attr_value, AgentModule):
+ attr_value.logger = self.logger
+ elif isinstance(attr_value, AgentVariable):
+ attr_value.reset()
+
+ self.last_action = ''
+ self.num_repeats = 0
+ self.total_cost = 0
+
+ def _maybe_log(self, msg):
+ if self.logger is not None:
+ self.logger.info(msg)
+
+ def _finish_with_module_error(self, step_info):
+ return_action = self.module_error_message
+ step_info.update({'action': return_action})
+ return return_action, step_info
+
+ def _log_total_accumulated_cost(self):
+ total_cost = 0
+ for attr_name in dir(self):
+ # Skip special methods and attributes
+ if not attr_name.startswith('__'):
+ attr_value = getattr(self, attr_name)
+ if isinstance(attr_value, LLM):
+ total_cost += attr_value.cost_accumulator
+
+ self.total_cost = total_cost
+ self._maybe_log(f'*Total Accumulated Cost*: {total_cost:.2f}')
+
+ def step(self, raw_obs):
+ step_info = {}
+
+ # observation, info = self.observation_space.parse_observation(raw_obs)
+ obs, obs_info = self.observation_space.parse_observation(raw_obs)
+ self._maybe_log(f'*Observation*: {obs}')
+ step_info.update({'obs': obs, 'obs_info': obs_info})
+ if obs_info.get('return_action') is not None:
+ action = obs_info['return_action']
+ step_info.update({'action': action})
+ return self.action_space.parse_action(action, step_info)
+ self.identity.update(user_instruction=obs_info['goal'])
+
+ kwargs = {}
+ state = self.encoder(obs, self.memory).get('state')
+ self._maybe_log(f'*State*: {state}')
+ step_info.update({'state': state})
+ if not state: return self._finish_with_module_error(step_info)
+
+ plan = self.planner(state, self.memory, **kwargs).get(self.policy_output_name)
+ self._maybe_log(f'*Plan*: {plan}')
+ step_info.update({'plan': plan, self.policy_output_name: plan})
+ if not plan: return self._finish_with_module_error(step_info)
+
+ action = self.actor(obs, state, self.memory, plan, **kwargs).get('action')
+ self._maybe_log(f'*Action*: {action}')
+ step_info.update({'action': action})
+ if not action: return self._finish_with_module_error(step_info)
+
+ try:
+ self.memory.update(**step_info)
+ except KeyError as e:
+ print(e)
+ return self._finish_with_module_error(step_info)
+ step_info.update(self.memory.current_step)
+ if self.memory_type == 'step_prompted':
+ self._maybe_log(f"*Memory update*: {self.memory.current_step['memory_update']}")
+ self.memory.step()
+
+ self._log_total_accumulated_cost()
+
+ return self.action_space.parse_action(action, step_info)
diff --git a/reasoners/agent/base.py b/reasoners/agent/base.py
new file mode 100644
index 00000000..75f6ed6e
--- /dev/null
+++ b/reasoners/agent/base.py
@@ -0,0 +1,19 @@
+from abc import abstractmethod
+
+class AgentVariable:
+ @abstractmethod
+ def update(self, *args, **kwargs): ...
+
+ @abstractmethod
+ def get_value(self, *args, **kwargs): ...
+
+ def reset(self, *args, **kwargs):
+ pass
+
+ def __str__(self):
+ return self.get_value()
+
+
+class AgentModule:
+ @abstractmethod
+ def __call__(self, *args, **kwargs): ...
\ No newline at end of file
diff --git a/reasoners/agent/configs.py b/reasoners/agent/configs.py
new file mode 100644
index 00000000..2581e02b
--- /dev/null
+++ b/reasoners/agent/configs.py
@@ -0,0 +1,87 @@
+import copy
+
+default_web_agent_config = {
+ 'agent_name': 'Web Browsing Agent',
+ 'agent_description': """An information and automation assistant who responds to \
+user instructions by browsing the internet. The assistant strives to answer each question \
+accurately, thoroughly, efficiently, and politely, and to be forthright when it is \
+impossible to answer the question or carry out the instruction. The assistant will \
+end the task once it sends a message to the user.""",
+ 'memory_type': 'step_prompted',
+ 'memory_prompt_type': 'default',
+ 'encoder_prompt_type': 'no_memory',
+ 'planner_type': 'policy',
+ 'policy_prompt_type': 'no_update',
+ 'policy_output_name': 'intent',
+ 'actor_prompt_type': 'with_memory',
+ 'module_error_message': 'send_msg_to_user("LLM output parsing error")'
+}
+
+browsergym_config = copy.copy(default_web_agent_config)
+browsergym_config.update({
+ 'environment': 'browsergym',
+})
+
+browsergym_world_model_config = copy.copy(browsergym_config)
+browsergym_world_model_config.update({
+ 'planner_type': 'world_model',
+ 'world_model_prompt_type': 'with_update',
+ 'planner_search_num_actions': 5,
+ 'planner_search_depth': 1,
+ 'planner_critic_num_samples': 20,
+})
+
+opendevin_config = copy.copy(default_web_agent_config)
+opendevin_config.update({
+ 'environment': 'opendevin',
+ 'use_nav': True,
+ 'eval_mode': False,
+ 'truncate_axtree': True,
+})
+
+opendevin_llama_config = copy.copy(opendevin_config)
+opendevin_llama_config.update({
+ 'agent_description': 'An information and automation assistant who responds to \
+user instructions by browsing the internet. The assistant strives to answer each question \
+accurately, thoroughly, efficiently, and politely, and to be forthright when it is \
+impossible to answer the question or carry out the instruction. The assistant will \
+end the task once it sends a message to the user. The assistant remembers that bids \
+are numbers in square brackets at the beginning of each line, and prioritizes reputable \
+or stable websites like Google, Wikipedia, and Google Flights.',
+ 'memory_prompt_type': 'llama'
+})
+
+opendevin_world_model_config = copy.copy(opendevin_config)
+opendevin_world_model_config.update({
+ 'planner_type': 'world_model',
+ 'world_model_prompt_type': 'with_update',
+ 'planner_search_num_actions': 5,
+ 'planner_search_depth': 1,
+ 'planner_critic_num_samples': 20,
+})
+
+webarena_config = copy.copy(opendevin_config)
+webarena_config.update({
+ 'agent_description': """An information and automation assistant that interacts with the browser \
+and responds to user instructions. The response follows the following rules: \
+1. When the intent is a question, and a complete answer to the question has been found, \
+then send the answer to the user; 2. the intent wants to locate specific information or navigate to \
+a particular section of a site, and the current page satisfies, then stop and tell the user you found the required information; \
+3. the intent want to conduct an operation, and has been done, then stop and tell the user the operation has been completed."
+The assistatnt should try to acheive the goal in the current site without navigating to sites \
+like Google. Be forthright when it is impossible to answer the question or carry out the task. \
+The assistant will end the task once it sends a message to the user.""",
+ 'use_nav': False,
+ 'eval_mode': True,
+ 'truncate_axtree': False,
+ 'actor_prompt_type': 'with_memory_concise_instruction',
+})
+
+webarena_world_model_config = copy.copy(webarena_config)
+webarena_world_model_config.update({
+ 'planner_type': 'world_model',
+ 'world_model_prompt_type': 'with_update',
+ 'planner_search_num_actions': 5,
+ 'planner_search_depth': 1,
+ 'planner_critic_num_samples': 20,
+})
\ No newline at end of file
diff --git a/reasoners/agent/llm.py b/reasoners/agent/llm.py
new file mode 100644
index 00000000..6c829948
--- /dev/null
+++ b/reasoners/agent/llm.py
@@ -0,0 +1,209 @@
+from abc import abstractmethod
+
+from functools import partial
+import os
+import time
+import traceback
+from typing import TYPE_CHECKING, Callable, Optional, Tuple, List, Union
+from logging import Logger
+
+from .utils import ParseError, parse_html_tags_raise
+
+if TYPE_CHECKING:
+ from opendevin.llm.llm import LLM as OpenDevinLLM
+
+class LLM:
+ @abstractmethod
+ def __call__(self, *args, **kargs): ...
+
+
+# DEBUG
+# LOG_FOLDER = '../ama-logs'
+
+def identity(x):
+ return x, True, None
+
+def parser(text, keys, optional_keys=()):
+ try:
+ ans_dict = parse_html_tags_raise(text, keys, optional_keys)
+ except ParseError as e:
+ return None, False, str(e)
+ return ans_dict, True, ''
+
+class OpenDevinParserLLM(LLM):
+ def __init__(
+ self,
+ opendevin_llm: 'OpenDevinLLM',
+ keys: Union[List[str], Tuple[str]] = (),
+ optional_keys: Union[List[str], Tuple[str]] = (),
+ logger: Logger = None,
+ max_retries: int = 4,
+ ):
+ super().__init__()
+ self.opendevin_llm = opendevin_llm
+ self.logger = logger
+ self.keys = keys
+ self.optional_keys = optional_keys
+ if not self.keys and not self.optional_keys:
+ self.parser = identity
+ else:
+ self.parser = partial(parser, keys=keys, optional_keys=optional_keys)
+ self.max_retries = max_retries
+ self.cost_accumulator = 0
+
+ def __call__(self, user_prompt, system_prompt=None, **kwargs):
+ messages = []
+ if system_prompt:
+ messages.append({'role': 'system', 'content': system_prompt})
+ messages.append({'role': 'user', 'content': user_prompt})
+
+ try:
+ ans_dict = self._retry(
+ messages, self.parser, n_retries=self.max_retries, **kwargs
+ )
+ ans_dict['n_retry'] = (len(messages) - 3) / 2
+ except ValueError as e:
+ # Likely due to maximum retry. We catch it here to be able to return
+ # the list of messages for further analysis
+ ans_dict = {}
+ ans_dict['err_msg'] = str(e)
+ ans_dict['stack_trace'] = traceback.format_exc()
+ ans_dict['n_retries'] = self.max_retries
+
+ ans_dict['messages'] = messages
+ ans_dict['prompt'] = user_prompt
+
+ # DEBUG
+ # if LOG_FOLDER and os.path.isdir(LOG_FOLDER):
+ # with open(f'{LOG_FOLDER}/{str(int(time.time()))}.log', 'w') as f:
+ # for m in messages:
+ # f.write(f"{m['role']}\n\n{m['content']}\n\n\n")
+
+ return ans_dict
+
+ def _retry(
+ self,
+ messages,
+ parser,
+ n_retries=4,
+ min_retry_wait_time=60,
+ rate_limit_max_wait_time=60 * 30,
+ **kwargs,
+ ):
+ tries = 0
+ rate_limit_total_delay = 0
+ while tries < n_retries and rate_limit_total_delay < rate_limit_max_wait_time:
+ response = self.opendevin_llm.completion(
+ messages=messages,
+ # messages=truncated_messages, # added
+ **kwargs,
+ )
+ answer = response['choices'][0]['message']['content'].strip()
+
+ messages.append({'role': 'assistant', 'content': answer})
+
+ value, valid, retry_message = parser(answer)
+ if valid:
+ self.log_cost(response)
+ return value
+
+ tries += 1
+ msg = f'Query failed. Retrying {tries}/{n_retries}.\n[LLM]:\n{answer}\n[User]:\n{retry_message}'
+ if self.logger:
+ self.logger.info(msg)
+ messages.append({'role': 'user', 'content': retry_message})
+
+ raise ValueError(f'Could not parse a valid value after {n_retries} retries.')
+
+ def log_cost(self, response):
+ # TODO: refactor to unified cost tracking
+ try:
+ cur_cost = self.opendevin_llm.completion_cost(response)
+ except Exception:
+ cur_cost = 0
+ self.cost_accumulator += cur_cost
+ if self.logger:
+ self.logger.info(
+ 'Cost: %.2f USD | Accumulated Cost: %.2f USD',
+ cur_cost,
+ self.cost_accumulator,
+ )
+
+
+class OpenDevinParserMultiResponseLLM(OpenDevinParserLLM):
+ def __call__(self, user_prompt, system_prompt=None, **kwargs):
+ messages = []
+ if system_prompt:
+ messages.append({'role': 'system', 'content': system_prompt})
+ messages.append({'role': 'user', 'content': user_prompt})
+
+ try:
+ ans_dicts = self._retry(
+ messages, self.parser, n_retries=self.max_retries, **kwargs
+ )
+ ans_dict = {'answers': ans_dicts}
+ ans_dict['n_retry'] = (len(messages) - 3) / 2
+ except ValueError as e:
+ # Likely due to maximum retry. We catch it here to be able to return
+ # the list of messages for further analysis
+ ans_dict = {}
+ ans_dict['err_msg'] = str(e)
+ ans_dict['stack_trace'] = traceback.format_exc()
+ ans_dict['n_retries'] = self.max_retries
+
+ ans_dict['messages'] = messages
+ ans_dict['prompt'] = user_prompt
+
+ return ans_dict
+
+ def _retry(
+ self,
+ messages,
+ parser,
+ n_retries=4,
+ min_retry_wait_time=60,
+ rate_limit_max_wait_time=60 * 30,
+ n=1,
+ **kwargs,
+ ):
+ output_values = []
+ tries = 0
+ rate_limit_total_delay = 0
+ while tries < n_retries and rate_limit_total_delay < rate_limit_max_wait_time:
+ remaining_n = n - len(output_values)
+ response = self.opendevin_llm.completion(
+ messages=messages,
+ # messages=truncated_messages, # added
+ n=remaining_n,
+ **kwargs,
+ )
+ answers = [c['message']['content'].strip() for c in response['choices']]
+ # answer = response['choices'][0]['message']['content'].strip()
+
+ # messages.append({'role': 'assistant', 'content': answer})
+
+ # value, valid, retry_message = parser(answer)
+ self.log_cost(response)
+ outputs = [parser(answer) for answer in answers]
+ invalid_answer = None
+ invalid_retry_message = None
+ for answer, (value, valid, retry_message) in zip(answers, outputs):
+ if valid:
+ output_values.append(value)
+ if len(output_values) == n:
+ # self.log_cost(response)
+ return output_values
+ else:
+ invalid_answer = value
+ invalid_retry_message = retry_message
+ # if valid:
+ # self.log_cost(response)
+ # return value
+
+ tries += 1
+ msg = f'Query failed. Retrying {tries}/{n_retries}.\n[LLM]:\n{invalid_answer}\n[User]:\n{invalid_retry_message}'
+ if self.logger:
+ self.logger.info(msg)
+ # messages.append({'role': 'user', 'content': retry_message})
+
+ raise ValueError(f'Could not parse a valid value after {n_retries} retries.')
\ No newline at end of file
diff --git a/reasoners/agent/modules/__init__.py b/reasoners/agent/modules/__init__.py
new file mode 100644
index 00000000..0002cbd4
--- /dev/null
+++ b/reasoners/agent/modules/__init__.py
@@ -0,0 +1,11 @@
+from .actor import PromptedActor
+from .critic import PromptedCritic
+from .encoder import PromptedEncoder
+from .planner import PolicyPlanner, ReasonerPlanner
+from .policy import PromptedPolicy
+from .world_model import PromptedWorldModel
+
+__all__ = [
+ 'PromptedActor', 'PromptedCritic', 'PromptedEncoder',
+ 'PolicyPlanner', 'ReasonerPlanner',
+ 'PromptedPolicy', 'PromptedWorldModel']
\ No newline at end of file
diff --git a/reasoners/agent/modules/actor.py b/reasoners/agent/modules/actor.py
new file mode 100644
index 00000000..b36bc111
--- /dev/null
+++ b/reasoners/agent/modules/actor.py
@@ -0,0 +1,25 @@
+from abc import abstractmethod
+from ..base import AgentModule
+
+class Actor(AgentModule):
+ @abstractmethod
+ def __call__(self, observation, state, memory, plan, **kwargs): ...
+
+class PromptedActor(Actor):
+ def __init__(self, identity, llm, prompt_template):
+ super().__init__()
+ self.identity = identity
+ self.llm = llm
+ self.prompt_template = prompt_template
+
+ def __call__(self, observation, state, memory, plan, llm_kwargs=None, **kwargs):
+ if llm_kwargs is None:
+ llm_kwargs = {}
+
+ user_prompt = self.prompt_template.format(
+ observation=observation, state=state, memory=memory, plan=plan, **kwargs
+ )
+ llm_response = self.llm(
+ system_prompt=str(self.identity), user_prompt=user_prompt, **llm_kwargs
+ )
+ return llm_response
diff --git a/reasoners/agent/modules/critic.py b/reasoners/agent/modules/critic.py
new file mode 100644
index 00000000..1021b21c
--- /dev/null
+++ b/reasoners/agent/modules/critic.py
@@ -0,0 +1,25 @@
+from abc import abstractmethod
+from ..base import AgentModule
+
+
+class Critic(AgentModule):
+ @abstractmethod
+ def __call__(self, state, memory, *args, **kwargs): ...
+
+
+class PromptedCritic(Critic):
+ def __init__(self, identity, llm, prompt_template):
+ super().__init__()
+ self.identity = identity
+ self.llm = llm
+ self.prompt_template = prompt_template
+
+ def __call__(self, state, memory, llm_kwargs=None, **kwargs):
+ if llm_kwargs is None:
+ llm_kwargs = {}
+ user_prompt = self.prompt_template.format(state=state, memory=memory, **kwargs)
+ llm_output = self.llm(
+ system_prompt=str(self.identity), user_prompt=user_prompt, **llm_kwargs
+ )
+
+ return llm_output
diff --git a/reasoners/agent/modules/encoder.py b/reasoners/agent/modules/encoder.py
new file mode 100644
index 00000000..51185403
--- /dev/null
+++ b/reasoners/agent/modules/encoder.py
@@ -0,0 +1,26 @@
+from abc import abstractmethod
+
+from ..base import AgentModule
+
+
+class Encoder(AgentModule):
+ @abstractmethod
+ def __call__(self, observation, *args, **kwargs): ...
+
+
+class PromptedEncoder(Encoder):
+ def __init__(self, identity, llm, prompt_template):
+ super().__init__()
+ self.identity = identity
+ self.llm = llm
+ self.prompt_template = prompt_template
+
+ def __call__(self, observation, memory, **kwargs):
+ user_prompt = self.prompt_template.format(
+ observation=observation, memory=memory, **kwargs
+ )
+ llm_output = self.llm(
+ system_prompt=str(self.identity), user_prompt=user_prompt, **kwargs
+ )
+
+ return llm_output
\ No newline at end of file
diff --git a/reasoners/agent/modules/planner.py b/reasoners/agent/modules/planner.py
new file mode 100644
index 00000000..42034f82
--- /dev/null
+++ b/reasoners/agent/modules/planner.py
@@ -0,0 +1,75 @@
+from abc import abstractmethod
+import copy
+
+from ..base import AgentModule
+from .policy import Policy
+from .world_model import WorldModel
+from .critic import Critic
+from .planner_utils import SearchConfigWrapper, WorldModelWrapper
+from reasoners import Reasoner
+from reasoners.algorithm import DFS
+
+
+class Planner(AgentModule):
+ @abstractmethod
+ def __call__(self, state, memory, *args, **kwargs): ...
+
+
+class PolicyPlanner(Planner):
+ def __init__(self, policy: Policy):
+ super().__init__()
+ self.policy = policy
+
+ def __call__(self, state, memory, **kwargs):
+ plan_response = self.policy(state=state, memory=memory, **kwargs)
+ return plan_response
+
+
+class ReasonerPlanner(Planner):
+ def __init__(self, policy: Policy, world_model: WorldModel, critic: Critic,
+ search_num_actions: int, search_depth: int, policy_output_name: str, critic_num_samples: int,
+ llm_base_url: str, llm_api_key: str,
+ **kwargs):
+ super().__init__()
+ self.policy = policy
+ self.world_model = world_model
+ self.critic = critic
+ self.policy_output_name = policy_output_name
+
+ self.reasoner_world_model = WorldModelWrapper(world_model, action_name=self.policy_output_name)
+ self.reasoner_search_config = SearchConfigWrapper(policy, critic,
+ policy_freq_top_k=search_num_actions,
+ policy_output_name=policy_output_name,
+ critic_n=critic_num_samples,
+ search_depth=search_depth,
+ llm_base_url=llm_base_url,
+ llm_api_key=llm_api_key,
+ return_if_single_first_action=True)
+ # self.reasoner_search_algo = MCTS(output_trace_in_each_iter=True, disable_tqdm=False)
+ self.reasoner_search_algo = DFS(max_per_state=search_num_actions,
+ depth=search_depth,
+ prior=False,
+ return_if_single_first_action=True)
+ self.reasoner = Reasoner(
+ world_model=self.reasoner_world_model,
+ search_config=self.reasoner_search_config,
+ search_algo=self.reasoner_search_algo,
+ )
+
+ self.logger = None
+
+ def __call__(self, state, memory, **kwargs):
+ # We need to define the llm reasoner
+ example = {'state': state, 'memory': copy.deepcopy(memory)}
+ example.update(kwargs)
+ self.reasoner_world_model.logger = self.logger
+ self.reasoner_search_config.logger = self.logger
+
+ result = self.reasoner(example)
+ cur_node = result.terminal_nodes[0]
+ while cur_node.depth > 1: # go to the first layer
+ cur_node = cur_node.parent
+
+ # intent = result.terminal_state['action_history'][0]
+ plan = cur_node.action['action']
+ return {self.policy_output_name: plan}
diff --git a/reasoners/agent/modules/planner_utils.py b/reasoners/agent/modules/planner_utils.py
new file mode 100644
index 00000000..34554d5d
--- /dev/null
+++ b/reasoners/agent/modules/planner_utils.py
@@ -0,0 +1,402 @@
+import copy
+import json
+
+from openai import OpenAI
+
+# from opendevin.core.logger import opendevin_logger as logger
+
+from reasoners import SearchConfig as ReasonersSearchConfig
+from reasoners import WorldModel as ReasonersWorldModel
+
+
+class WorldModelWrapper(ReasonersWorldModel):
+ def __init__(self, world_model, action_name, **kwargs):
+ super().__init__()
+ self.world_model = world_model
+ self.action_name = action_name
+ self.logger = None
+
+ def init_state(self):
+ return {
+ 'memory': copy.deepcopy(self.example['memory']),
+ 'state': self.example['state'],
+ 'action_history': [],
+ }
+
+ def step(self, state, action):
+ """World Model"""
+ # h[t+1] = f(h[t], s[t], a[t])
+ next_memory = copy.deepcopy(state['memory'])
+ memory_update = {
+ 'state': state['state'],
+ self.action_name: action['action'],
+ 'plan': action['action'],
+ }
+ next_memory.update(**memory_update)
+
+ llm_output = self.world_model(memory=next_memory, **next_memory.current_step)
+ next_memory.step()
+
+ next_state = {
+ 'state': llm_output['next_state'],
+ # 'memory': copy.deepcopy(state['memory']),
+ 'memory': next_memory,
+ 'action_history': state['action_history'] + [action['action']],
+ }
+
+ # next_state['memory'].update(state=state['state'], intent=action['action'])
+ # next_state['memory'].step()
+
+ if self.logger:
+ self.logger.info(f"Proposed Action: {action['action']}")
+ if 'memory_update' in next_memory.history[-1]:
+ memory_update = next_memory.history[-1]['memory_update']
+ self.logger.info(f"Memory Update: {memory_update}")
+ self.logger.info(f"Next State: {next_state['state']}")
+ # else:
+ # logger.info(f"Proposed Action: {action['action']}")
+ # if 'memory_update' in next_memory.history[-1]:
+ # memory_update = next_memory.history[-1]['memory_update']
+ # logger.info(f"Memory Update: {memory_update}")
+ # logger.info(f"Next State: {next_state['state']}")
+
+ return next_state, {'next_state': next_state}
+
+ def is_terminal(self, state):
+ return False
+
+ def update_example(self, example, **kwargs):
+ super().update_example(example, **kwargs)
+
+
+class SearchConfigWrapper(ReasonersSearchConfig):
+ def __init__(
+ self,
+ policy,
+ critic,
+ policy_temperature=1.0,
+ policy_top_p=0.95,
+ policy_n=20,
+ policy_freq_top_k=5,
+ policy_output_name='action',
+ critic_temperature=1.0,
+ critic_top_p=0.95,
+ critic_n=20,
+ search_depth=1,
+ llm_base_url=None,
+ llm_api_key=None,
+ **kwargs
+ ):
+ super().__init__()
+ self.policy = policy
+ self.critic = critic
+
+ self.policy_temperature = policy_temperature
+ self.policy_top_p = policy_top_p
+ self.policy_n = policy_n
+ self.policy_freq_top_k = policy_freq_top_k
+ self.policy_output_name = policy_output_name
+
+ self.critic_temperature = critic_temperature
+ self.critic_top_p = critic_top_p
+ self.critic_n = critic_n
+
+ self.search_depth = search_depth
+
+ self.llm_base_url = llm_base_url
+ self.llm_api_key = llm_api_key
+
+ self.logger = None
+
+ def get_actions(self, state):
+ # Sample 20 actions
+ llm_output = self.policy(
+ state['state'],
+ state['memory'],
+ llm_kwargs={
+ 'temperature': self.policy_temperature,
+ 'top_p': self.policy_top_p,
+ 'n': self.policy_n,
+ },
+ )
+
+ action2freqs = {}
+ for ans_dict in llm_output['answers']:
+ action = ans_dict[self.policy_output_name]
+ freq, _ = action2freqs.get(action, (0, ''))
+ action2freqs[action] = (freq + 1, ans_dict.get('think'))
+ # total_freq = sum([freq for freq, _ in action2freqs.values()])
+
+ if self.logger:
+ # self.logger.info(f'Num Reward Samples: {len(thoughts)}')
+ self.logger.info(f'Action2Freqs: {action2freqs}')
+ # else:
+ # logger.info(f'Action2Freqs: {action2freqs}')
+ # logger.info(f"Action2Freqs: {action2freqs}")
+
+ cluster2freqs = {}
+ while len(cluster2freqs) == 0:
+ cluster2freqs = self._cluster_actions(action2freqs)
+ if self.logger:
+ self.logger.info(f'Cluster2Freqs: {cluster2freqs}')
+ # else:
+ # logger.info(f'Cluster2Freqs: {cluster2freqs}')
+
+ action_freq_thoughts = [
+ (action, freq, think) for action, (freq, think) in cluster2freqs.items()
+ ]
+ action_freq_thoughts.sort(key=lambda x: -x[1])
+ action_freq_thoughts = action_freq_thoughts[: self.policy_freq_top_k]
+
+ action_outputs = [
+ {'action': action, 'freq': freq, 'think': think}
+ for action, freq, think in action_freq_thoughts
+ ]
+
+ if self.logger:
+ self.logger.info(f'Num Actions Limit: {self.policy_freq_top_k}')
+ self.logger.info('Action Options:')
+ for a in action_outputs:
+ self.logger.info(
+ f"Action: {a['action']}, Freq: {a['freq']}, Think: {a['think']}"
+ )
+ # else:
+ # logger.info(f'Num Actions Limit: {self.policy_freq_top_k}')
+ # logger.info('Action Options:')
+ # for a in action_outputs:
+ # logger.info(
+ # f"Action: {a['action']}, Freq: {a['freq']}, Think: {a['think']}"
+ # )
+
+ return action_outputs
+
+ def fast_reward(self, state, action):
+ return 0.0, {}
+
+ def reward(self, state, action, next_state, **kwargs):
+ depth = len(next_state['action_history'])
+ if depth < self.search_depth:
+ reward = 0.0
+ if self.logger:
+ self.logger.info(f'Current depth is {depth}, less than search depth {self.search_depth}')
+ self.logger.info(f'Reward: {reward}')
+ # else:
+ # logger.info(f'Current depth is {depth}, less than search depth {self.search_depth}')
+ # logger.info(f'Reward: {reward}')
+ return reward, {}
+
+ llm_output = self.critic(
+ next_state['state'],
+ next_state['memory'],
+ llm_kwargs={
+ 'temperature': self.critic_temperature,
+ 'top_p': self.critic_top_p,
+ 'n': self.critic_n,
+ },
+ )
+
+ """Assuming the following response format:
+ Thoughts:
+ Status: “success” or “failure”
+ On the right track to success: “yes” or “no”
+ """
+ scores = []
+ thoughts = []
+ for ans_dict in llm_output['answers']:
+ # print(ans_dict)
+ if ans_dict['status'] == 'success':
+ score = 1
+ elif ans_dict['on_the_right_track'] == 'yes':
+ score = 0.5
+ else:
+ score = 0
+ scores.append(score)
+ thoughts.append(ans_dict.get('think'))
+ reward = sum(scores) / len(scores)
+
+ # logger.info(f"Score Examples: {scores[:5]}")
+ # logger.info(f"Thought Examples: {thoughts[:5]}")
+ if self.logger:
+ self.logger.info(f'Thought Example: {thoughts[0]}')
+ self.logger.info(f'Num Reward Samples: {len(thoughts)}')
+ self.logger.info(f'Reward: {reward}')
+ # else:
+ # logger.info(f'Thought Example: {thoughts[0]}')
+ # logger.info(f'Num Reward Samples: {len(thoughts)}')
+ # logger.info(f'Reward: {reward}')
+
+ # raise
+
+ return reward, {'scores': scores, 'thoughts': thoughts}
+
+ def _cluster_actions(self, action2freqs):
+ client = OpenAI(base_url=self.llm_base_url,
+ api_key=self.llm_api_key)
+ action_candidate_dict = {
+ i: action for i, action in enumerate(action2freqs.keys())
+ }
+ action_candidate_json = json.dumps(action_candidate_dict, indent=2)
+
+ input_prompt = self._get_cluster_input_template().format(
+ action_candidate_json=action_candidate_json
+ )
+ llm_prompt = (
+ self._get_cluster_instruction_prompt()
+ + '\n\n'
+ + self._get_cluster_example_prompt()
+ + '\n\n'
+ + input_prompt
+ )
+ # print(llm_prompt)
+
+ # Run LLM for clustering
+ system_prompt = 'You are an expert at clustering text.'
+ messages = [
+ {'role': 'system', 'content': system_prompt},
+ {'role': 'user', 'content': llm_prompt},
+ ]
+
+ num_retries = 5
+ for i in range(num_retries):
+ try:
+ completion = client.chat.completions.create(
+ model='gpt-4o', messages=messages, response_format={'type': 'json_object'}
+ )
+ response = completion.choices[0].message.content
+ clusters_dict = json.loads(response)
+ break
+ except Exception as e:
+ if i == num_retries - 1:
+ raise e
+ if self.logger:
+ self.logger.error(f'Error: {e}. Retrying...')
+ # else:
+ # logger.error(f'Error: {e}. Retrying...')
+ # completion = client.chat.completions.create(
+ # model='gpt-4o', messages=messages, response_format={'type': 'json_object'}
+ # )
+ # response = completion.choices[0].message.content
+ # clusters_dict = json.loads(response)
+
+ cluster2freqs = {}
+ for cluster_id, cluster_info in clusters_dict.items():
+ action = cluster_info[self.policy_output_name]
+ cluster2freqs[action] = (0, '')
+ for candidate_id in cluster_info['candidates']:
+ candidate = action_candidate_dict[int(candidate_id)]
+ candidate_freq, candidate_think = action2freqs.get(candidate, (0, ''))
+
+ cluster_freq, _ = cluster2freqs[action]
+ cluster2freqs[action] = (cluster_freq + candidate_freq, candidate_think)
+ # print(cluster2freqs)
+ return cluster2freqs
+
+ def _get_cluster_instruction_prompt(self):
+ return """\
+Here is the action space for a browser agent to navigate in a webpage:
+
+16 different types of actions are available:
+
+noop(wait_ms: float = 1000)
+
+send_msg_to_user(text: str)
+
+scroll(delta_x: float, delta_y: float)
+
+fill(bid: str, value: str)
+
+select_option(bid: str, options: str | list[str])
+
+click(bid: str, button: Literal['left', 'middle', 'right'] = 'left', modifiers: list[typing.Literal['Alt', 'Control', 'Meta', 'Shift']] = [])
+
+dblclick(bid: str, button: Literal['left', 'middle', 'right'] = 'left', modifiers: list[typing.Literal['Alt', 'Control', 'Meta', 'Shift']] = [])
+
+hover(bid: str)
+
+press(bid: str, key_comb: str)
+
+focus(bid: str)
+
+clear(bid: str)
+
+drag_and_drop(from_bid: str, to_bid: str)
+
+upload_file(bid: str, file: str | list[str])
+
+go_back()
+
+go_forward()
+
+goto(url: str)
+
+Only a single action can be provided at once. Example:
+ fill('a12', 'example with "quotes"')
+
+Below, you will find lists of intents, or natural language descriptions of actions that, when executed, will translate to one of the function calls above. \
+The intents will be provided in the following JSON format:
+
+```json
+{
+ "intent_id": "intent description"
+}
+```
+
+Your task is to cluster list of intents into semantically equivalent groups, where each group represents intents that lead to the same action when executed \
+(i.e., navigating to the Google homepage is translated to goto('https://www.google.com')) and would therefore correspond to the same API call \
+in a Playwright browser. Intents that use different wording but convey the same action should be grouped together. Try to minimize the number of clusters.
+
+Represent the clustering results using a JSON object where each cluster has a unique identifier, and each identifier maps to a list of actions in that cluster. \
+See below for an abstract example:
+
+```json
+{
+ "cluster_id": {
+ "intent": "representative intent name for this cluster",
+ "candidates": [
+ "
+ ]
+ }
+}
+```\
+"""
+
+ def _get_cluster_example_prompt(self):
+ return """\
+Concrete Example 1:
+
+Dictionary of Intents:
+
+```json
+{
+ "0": "Navigate to the Google homepage by entering its URL.",
+ "1": "Go to the Google homepage.",
+ "2": "Go to the Google homepage",
+ "3": "Go to the Google homepage by navigating to 'https://www.google.com'",
+ "4": "Go to the home page of Google"
+}
+```
+
+["Navigate to the Google homepage by entering its URL.", "Go to the Google homepage.", "Go to the Google homepage", "Go to the Google homepage by navigating to \"https://www.google.com\"", "Go to the home page of Google"]
+
+Clustering Results:
+
+```json
+{
+ "cluster_1": {
+ "intent": "Navigate to the Google homepage",
+ "candidates": [0, 1, 2, 3, 4]
+ }
+}
+```\
+"""
+
+ def _get_cluster_input_template(self):
+ return """\
+Concrete Example 2:
+
+Dictionary of Intents:
+
+{action_candidate_json}
+
+Clustering Results:
+"""
diff --git a/reasoners/agent/modules/policy.py b/reasoners/agent/modules/policy.py
new file mode 100644
index 00000000..5a924a45
--- /dev/null
+++ b/reasoners/agent/modules/policy.py
@@ -0,0 +1,24 @@
+from abc import abstractmethod
+from ..base import AgentModule
+
+
+class Policy(AgentModule):
+ @abstractmethod
+ def __call__(self, state, memory, *args, **kwargs): ...
+
+
+class PromptedPolicy(Policy):
+ def __init__(self, identity, llm, prompt_template):
+ self.identity = identity
+ self.llm = llm
+ self.prompt_template = prompt_template
+
+ def __call__(self, state, memory, llm_kwargs=None, **kwargs):
+ if llm_kwargs is None:
+ llm_kwargs = {}
+ user_prompt = self.prompt_template.format(state=state, memory=memory, **kwargs)
+ llm_output = self.llm(
+ system_prompt=str(self.identity), user_prompt=user_prompt, **llm_kwargs
+ )
+
+ return llm_output
diff --git a/reasoners/agent/modules/world_model.py b/reasoners/agent/modules/world_model.py
new file mode 100644
index 00000000..6e11f968
--- /dev/null
+++ b/reasoners/agent/modules/world_model.py
@@ -0,0 +1,27 @@
+from abc import abstractmethod
+from ..base import AgentModule
+
+
+class WorldModel(AgentModule):
+ @abstractmethod
+ def __call__(self, state, memory, plan, **kwargs): ...
+
+
+class PromptedWorldModel(WorldModel):
+ def __init__(self, identity, llm, prompt_template):
+ super().__init__()
+ self.identity = identity
+ self.llm = llm
+ self.prompt_template = prompt_template
+
+ def __call__(self, state, memory, plan, llm_kwargs=None, **kwargs):
+ if llm_kwargs is None:
+ llm_kwargs = {}
+ user_prompt = self.prompt_template.format(
+ state=state, memory=memory, plan=plan, **kwargs
+ )
+ llm_output = self.llm(
+ system_prompt=str(self.identity), user_prompt=user_prompt, **llm_kwargs
+ )
+
+ return llm_output
\ No newline at end of file
diff --git a/reasoners/agent/prompts.py b/reasoners/agent/prompts.py
new file mode 100644
index 00000000..1a9aab46
--- /dev/null
+++ b/reasoners/agent/prompts.py
@@ -0,0 +1,420 @@
+# Encoder
+
+encoder_prompt_template_with_memory = """\
+{memory}
+
+# Observation:
+{observation}
+
+# State:
+Summarize the current state of the webpage observation, focusing on the most \
+recent action you took and any errors encountered. Note any dialogs, progress \
+indicators, or significant changes such as items in your cart or sites visited. \
+Describe the impact of your previous action on the webpage, including any new \
+interactive elements. Include any inferred information that may help achieve \
+the goal. Information from steps earlier are for reference only. Focus on \
+objective description of the current observation and any inferences you can \
+draw from it. Report any error messages displayed. Do not include your next \
+planned actions; focus solely on providing an objective summary.
+
+Wrap your response in the tag and .\
+"""
+
+encoder_prompt_template_no_memory = """\
+# Observation:
+{observation}
+
+# State:
+Describe all the elements in the current webpage observation. Note any dialogs, \
+progress indicators, or error messages. Include any interactive elements and their \
+values or if they are blank. \
+Note any detailed information such as facts, entities, or data that are relevant \
+to the task. Report any error messages like whether the last action was correct. \
+Try to be as comprehensive and detailed as possible.
+
+Wrap your response in the tag and .\
+"""
+
+encoder_prompt_template_dict = {
+ 'with_memory': encoder_prompt_template_with_memory,
+ 'no_memory': encoder_prompt_template_no_memory
+}
+
+memory_update_prompt_template = """\
+{memory}
+
+# State:
+{state}
+
+# Action Intent:
+{plan}
+
+# Memory Update:
+Summarize the changes in the webpage observation that should be remembered for \
+achieving your goal and for predicting the next state. Note any new elements, \
+any elements no longer visible, or any changes in the content of existing elements. \
+Also note if there is no change. Include any other inferred information that may help \
+you decide the next action, such as whether an action intent is successful, or whether \
+progress has been made or reversed. Do not include your next planned actions. Revise \
+your belief from previous history if the current state contradicts it.
+
+Wrap your response in the tag and .\
+"""
+
+memory_update_prompt_template_llama = """\
+{memory}
+
+# State:
+{state}
+
+# Action Intent:
+{plan}
+
+# Memory Update:
+Concisely summarize the changes in the webpage observation that should be remembered for \
+achieving your goal and for predicting the next state. Note any new elements, \
+any elements no longer visible, or any changes in the content of existing elements. \
+Also note if there is no change. Avoid including irrelevant information. \
+Include any other inferred information that may help \
+you decide the next action, such as whether the previous action intent is successful, or whether \
+progress has been made or reversed. Do not include your next planned actions. Revise \
+your belief from previous history if the current state contradicts it.
+
+Wrap your response in the tag and .\
+"""
+
+memory_update_prompt_template_dict = {
+ 'default': memory_update_prompt_template,
+ 'llama': memory_update_prompt_template_llama
+}
+
+# Memory
+
+memory_prompt_template = """\
+{memory}
+
+# State:
+{state}
+
+# Action Intent:
+{plan}
+
+# Updated Memory
+Edit your memory to include the key information and reasoning from the current state that should be remembered \
+for achieving your goal and for predicting the next state.
+
+Wrap your response in the tag and .\
+"""
+
+# Policy
+
+policy_prompt_template_no_memory_update = """\
+{memory}
+
+# Current State:
+{state}
+
+# Intent:
+Describe the action the assistant should take next to carry out the user's \
+instruction. \
+Avoid using phrases such as "To accomplish the goal," "I will," "To \
+proceed.". Avoid ending with phrases like "to execute the search." \
+Describe one action at a time and avoid combining multiple steps. \
+Refrain from mentioning specific element IDs as they may change \
+during execution. Limit your response to one phrase and include any details \
+that help select the correct action. Be creative and propose novel \
+methods to achieve the goal. Avoid creating accounts without user \
+permission or providing personal information. Concrete example \
+would be "Go to the home page of Google Flights." and "Click on the 'Search' button."
+
+Wrap your response in the following format:
+
+
+Your thoughts and reasoning process
+
+
+
+Description of the action to perform next
+\
+"""
+
+policy_prompt_template_with_memory_update = """\
+{memory}
+
+# Current State:
+{state}
+
+# Memory Update:
+{memory_update}
+
+# Intent:
+Describe the action the assistant should take next to carry out the user's \
+instruction. \
+Avoid using phrases such as "To accomplish the goal," "I will," "To \
+proceed.". Avoid ending with phrases like "to execute the search." \
+Describe one action at a time and avoid combining multiple steps. \
+Refrain from mentioning specific element IDs as they may change \
+during execution. Limit your response to one phrase and include any details \
+that help select the correct action. Be creative and propose novel \
+methods to achieve the goal. Avoid creating accounts without user \
+permission or providing personal information. Concrete example \
+would be "Go to the home page of Google Flights." and "Click on the 'Search' button."
+
+Wrap your response in the following format:
+
+
+Your thoughts and reasoning process
+
+
+
+Description of the action to perform next
+\
+"""
+
+policy_prompt_template_dict = {
+ 'no_update': policy_prompt_template_no_memory_update,
+ 'with_update': policy_prompt_template_with_memory_update
+}
+
+# World Model
+
+world_model_prompt_template_no_update = """\
+{memory}
+
+# Current State:
+{state}
+
+# Current Intent:
+{plan}
+
+# Next State:
+Your task is to predict the effect of an action by the agent on a webpage. You are given the interaction history, \
+the current state of the webpage, and the agent's current intent for what action to take next. The interaction \
+history includes the sequence of actions intended by the agent and the resulting changes to the webpage. \
+Note that the action intent may not be executed successfully, so you will have to infer whether the action was successful. \
+You are required to predict the new changes that will occur on the webpage \
+after the agent attempts to execute their intent, such as the appearance of new elements, the disappearance of existing \
+elements, or changes in the content of existing elements. The operation type and the element to operate \
+will be provided in the prompt.
+
+Wrap your response in the following format:
+
+
+Based on the interaction history, current state, and current intent, please predict the changes after \
+the agent attempts to carry out the intent. Use present tense. Try to be as comprehensive and detailed as possible. \
+Avoid starting phrases like "Based on the interaction history, current state, and current intent".
+\
+"""
+
+world_model_prompt_template_with_update = """\
+{memory}
+
+# Current State:
+{state}
+
+# Memory Update:
+{memory_update}
+
+# Action Intent:
+{plan}
+
+# Next State:
+Describe all the elements in the webpage after the agent attempts to carry out the intent. \
+Note that the execution may not be successful, so you will have to infer the result of the action. \
+Note any dialogs, progress indicators, or error messages. Include any interactive elements and their \
+values or if they are blank. Note any detailed information such as facts, entities, or data that are relevant \
+to the task. Report any error messages displayed. Try to be as comprehensive and detailed as possible.
+
+Wrap your response in the following format:
+
+
+Follow the format of the current state description. Use present tense. \
+Avoid starting phrases like "Based on the interaction history, current state, and current intent".
+\
+"""
+
+world_model_prompt_template_no_memory_with_update = """\
+# Current State:
+{state}
+
+# Memory Update:
+{memory_update}
+
+# Action Intent:
+{plan}
+
+# Next State:
+Describe all the elements in the webpage after the agent attempts to carry out the intent. \
+Note that the execution may not be successful, so you will have to infer the result of the action. \
+Note any dialogs, progress indicators, or error messages. Include any interactive elements and their \
+values or if they are blank. Note any detailed information such as facts, entities, or data that are relevant \
+to the task. Report any error messages displayed. Try to be as comprehensive and detailed as possible.
+
+Wrap your response in the following format:
+
+
+Follow the format of the current state description. Use present tense. \
+Avoid starting phrases like "Based on the interaction history, current state, and current intent".
+\
+"""
+
+world_model_prompt_template_no_memory_with_update_with_knowledge = """\
+{knowledge}
+
+# Current State:
+{state}
+
+# Memory Update:
+{memory_update}
+
+# Action Intent:
+{plan}
+
+# Next State:
+Describe all the elements in the webpage after the agent attempts to carry out the intent. \
+Note that the execution may not be successful, so you will have to infer the result of the action. \
+Note any dialogs, progress indicators, or error messages. Include any interactive elements and their \
+values or if they are blank. Note any detailed information such as facts, entities, or data that are relevant \
+to the task. Report any error messages displayed. Try to be as comprehensive and detailed as possible.
+
+Wrap your response in the following format:
+
+
+Follow the format of the current state description. Use present tense. \
+Avoid starting phrases like "Based on the interaction history, current state, and current intent".
+\
+"""
+
+world_model_prompt_template_dict = {
+ 'no_update': world_model_prompt_template_no_update,
+ 'with_update': world_model_prompt_template_with_update,
+ 'no_memory_with_update': world_model_prompt_template_no_memory_with_update,
+ 'no_memory_with_update_with_knowledge': world_model_prompt_template_no_memory_with_update_with_knowledge
+}
+
+# Critic
+
+critic_prompt_template = """\
+{memory}
+
+# Final State:
+{state}
+
+# Task Success and Progress:
+Your task is to evaluate the performance of the agent. Given the agent's instruction, interaction history, the final \
+state of the webpage, and the agent’s responses to the user if any, your goal is to decide whether the agent’s execution \
+is successful or not. If the current state is a failure but it looks like the agent is on the right track towards \
+success, you should also output as such.
+
+Wrap your response in the following format:
+
+
+Your thoughts and reasoning process
+
+
+
+"success" or "failure"
+
+
+
+"yes" or "no"
+\
+"""
+
+actor_prompt_template_with_memory = """\
+{memory}
+
+# Observation:
+{observation}
+
+# Current State:
+{state}
+
+# Current Intent:
+{plan}
+
+# Action:
+Choose an API call that will carry out the intent when executed in the webpage. \
+Use only one action at a time. You must not enclose bid inputs in [brackets] but instead in 'single quotes'. \
+Interact only with elements in the current step observation. Your response \
+will be executed as a Python function call, so ensure it adheres to the format \
+and argument data type specifications defined in the action space.
+
+Wrap your response in the tag and .\
+"""
+
+actor_prompt_template_with_memory_concise_instruction = """\
+{memory}
+
+# Observation:
+{observation}
+
+# Current State:
+{state}
+
+# Current Intent:
+{plan}
+
+# Action:
+Choose an API call that will carry out the intent when executed in the webpage. \
+Use only one action at a time. You must not enclose bid inputs in [brackets] but instead in 'single quotes'. \
+Interact only with elements in the current step observation. Your response \
+will be executed as a Python function call, so ensure it adheres to the format \
+and argument data type specifications defined in the action space.
+If you are sending a message to the user, give very short answer in words, numerics, or the requested url \
+and only include the direct answer to the question given in the user instruction.
+
+Wrap your response in the tag and .\
+"""
+
+actor_prompt_template_no_memory = """\
+# Observation:
+{observation}
+
+# Current State:
+{state}
+
+# Current Intent:
+{plan}
+
+# Action:
+Choose an API call that will carry out the intent when executed in the webpage. \
+Use only one action at a time. You must not enclose bid inputs in [brackets] but instead in 'single quotes'. \
+Interact only with elements in the current step observation. Your response \
+will be executed as a Python function call, so ensure it adheres to the format \
+and argument data type specifications defined in the action space.
+
+Wrap your response in the tag and .\
+"""
+
+actor_prompt_template_with_memory_with_update = """\
+{memory}
+
+# Observation:
+{observation}
+
+# Current State:
+{state}
+
+# Memory Update:
+{memory_update}
+
+# Current Intent:
+{plan}
+
+# Action:
+Choose an API call that will carry out the intent when executed in the webpage. \
+Use only one action at a time. You must not enclose bid inputs in [brackets] but instead in 'single quotes'. \
+Interact only with elements in the current step observation. Your response \
+will be executed as a Python function call, so ensure it adheres to the format \
+and argument data type specifications defined in the action space.
+
+Wrap your response in the tag and .\
+"""
+
+actor_prompt_template_dict = {
+ 'with_memory': actor_prompt_template_with_memory,
+ 'with_memory_concise_instruction': actor_prompt_template_with_memory,
+ 'no_memory': actor_prompt_template_no_memory,
+ 'with_memory_with_update': actor_prompt_template_with_memory_with_update
+}
\ No newline at end of file
diff --git a/reasoners/agent/utils.py b/reasoners/agent/utils.py
new file mode 100644
index 00000000..e98ae3c5
--- /dev/null
+++ b/reasoners/agent/utils.py
@@ -0,0 +1,160 @@
+import collections
+import re
+from warnings import warn
+
+import yaml
+
+
+def yaml_parser(message):
+ """Parse a yaml message for the retry function."""
+
+ # saves gpt-3.5 from some yaml parsing errors
+ message = re.sub(r':\s*\n(?=\S|\n)', ': ', message)
+
+ try:
+ value = yaml.safe_load(message)
+ valid = True
+ retry_message = ''
+ except yaml.YAMLError as e:
+ warn(str(e), stacklevel=2)
+ value = {}
+ valid = False
+ retry_message = "Your response is not a valid yaml. Please try again and be careful to the format. Don't add any apology or comment, just the answer."
+ return value, valid, retry_message
+
+
+def _compress_chunks(text, identifier, skip_list, split_regex='\n\n+'):
+ """Compress a string by replacing redundant chunks by identifiers. Chunks are defined by the split_regex."""
+ text_list = re.split(split_regex, text)
+ text_list = [chunk.strip() for chunk in text_list]
+ counter = collections.Counter(text_list)
+ def_dict = {}
+ id = 0
+
+ # Store items that occur more than once in a dictionary
+ for item, count in counter.items():
+ if count > 1 and item not in skip_list and len(item) > 10:
+ def_dict[f'{identifier}-{id}'] = item
+ id += 1
+
+ # Replace redundant items with their identifiers in the text
+ compressed_text = '\n'.join(text_list)
+ for key, value in def_dict.items():
+ compressed_text = compressed_text.replace(value, key)
+
+ return def_dict, compressed_text
+
+
+def compress_string(text):
+ """Compress a string by replacing redundant paragraphs and lines with identifiers."""
+
+ # Perform paragraph-level compression
+ def_dict, compressed_text = _compress_chunks(
+ text, identifier='§', skip_list=[], split_regex='\n\n+'
+ )
+
+ # Perform line-level compression, skipping any paragraph identifiers
+ line_dict, compressed_text = _compress_chunks(
+ compressed_text, '¶', list(def_dict.keys()), split_regex='\n+'
+ )
+ def_dict.update(line_dict)
+
+ # Create a definitions section
+ def_lines = ['']
+ for key, value in def_dict.items():
+ def_lines.append(f'{key}:\n{value}')
+ def_lines.append('')
+ definitions = '\n'.join(def_lines)
+
+ return definitions + '\n' + compressed_text
+
+
+def extract_html_tags(text, keys):
+ """Extract the content within HTML tags for a list of keys.
+
+ Parameters
+ ----------
+ text : str
+ The input string containing the HTML tags.
+ keys : list of str
+ The HTML tags to extract the content from.
+
+ Returns
+ -------
+ dict
+ A dictionary mapping each key to a list of subset in `text` that match the key.
+
+ Notes
+ -----
+ All text and keys will be converted to lowercase before matching.
+
+ """
+ content_dict = {}
+ # text = text.lower()
+ # keys = set([k.lower() for k in keys])
+ for key in keys:
+ pattern = f'<{key}>(.*?){key}>'
+ matches = re.findall(pattern, text, re.DOTALL)
+ if matches:
+ content_dict[key] = [match.strip() for match in matches]
+ return content_dict
+
+
+class ParseError(Exception):
+ pass
+
+
+def parse_html_tags_raise(text, keys=(), optional_keys=(), merge_multiple=False):
+ """A version of parse_html_tags that raises an exception if the parsing is not successful."""
+ content_dict, valid, retry_message = parse_html_tags(
+ text, keys, optional_keys, merge_multiple=merge_multiple
+ )
+ if not valid:
+ raise ParseError(retry_message)
+ return content_dict
+
+
+def parse_html_tags(text, keys=(), optional_keys=(), merge_multiple=False):
+ """Satisfy the parse api, extracts 1 match per key and validates that all keys are present
+
+ Parameters
+ ----------
+ text : str
+ The input string containing the HTML tags.
+ keys : list of str
+ The HTML tags to extract the content from.
+ optional_keys : list of str
+ The HTML tags to extract the content from, but are optional.
+
+ Returns
+ -------
+ dict
+ A dictionary mapping each key to subset of `text` that match the key.
+ bool
+ Whether the parsing was successful.
+ str
+ A message to be displayed to the agent if the parsing was not successful.
+ """
+ all_keys = tuple(keys) + tuple(optional_keys)
+ content_dict = extract_html_tags(text, all_keys)
+ retry_messages = []
+
+ for key in all_keys:
+ if key not in content_dict:
+ if key not in optional_keys:
+ retry_messages.append(f'Missing the key <{key}> in the answer.')
+ else:
+ val = content_dict[key]
+ content_dict[key] = val[0]
+ if len(val) > 1:
+ if not merge_multiple:
+ retry_messages.append(
+ f'Found multiple instances of the key {key}. You should have only one of them.'
+ )
+ else:
+ # merge the multiple instances
+ content_dict[key] = '\n'.join(val)
+
+ valid = len(retry_messages) == 0
+ retry_message = '\n'.join(retry_messages)
+ return content_dict, valid, retry_message
diff --git a/reasoners/agent/variables/__init__.py b/reasoners/agent/variables/__init__.py
new file mode 100644
index 00000000..86668a85
--- /dev/null
+++ b/reasoners/agent/variables/__init__.py
@@ -0,0 +1,14 @@
+from .action_space import BrowserGymActionSpace, OpenDevinBrowserActionSpace
+from .identity import AgentInstructionEnvironmentIdentity
+from .memory import StepKeyValueMemory, StepPromptedMemory
+from .observation_space import BrowserGymObservationSpace, OpenDevinBrowserObservationSpace
+
+__all__ = [
+ 'AgentInstructionEnvironmentIdentity',
+ 'BrowserGymObservationSpace',
+ 'BrowserGymActionSpace',
+ 'OpenDevinBrowserActionSpace',
+ 'OpenDevinBrowserObservationSpace',
+ 'StepKeyValueMemory',
+ 'StepPromptedMemory',
+]
diff --git a/reasoners/agent/variables/action_space.py b/reasoners/agent/variables/action_space.py
new file mode 100644
index 00000000..dcd86ba6
--- /dev/null
+++ b/reasoners/agent/variables/action_space.py
@@ -0,0 +1,88 @@
+import ast
+from abc import abstractmethod
+import json
+from ..base import AgentVariable
+
+
+class ActionSpace(AgentVariable):
+ @abstractmethod
+ def parse_action(self, action, *args, **kwargs): ...
+
+class BrowserGymActionSpace(ActionSpace):
+ def __init__(
+ self,
+ action_subsets=('chat', 'bid'),
+ use_nav=True,
+ strict=False,
+ multiaction=False,
+ ):
+ super().__init__()
+
+ self.action_subsets = action_subsets
+ self.use_nav = use_nav
+ self.strict = strict
+ self.multiaction = multiaction
+
+ if self.use_nav:
+ self.action_subsets.append('nav')
+
+ from browsergym.core.action.highlevel import HighLevelActionSet
+ self.action_space = HighLevelActionSet(
+ subsets=self.action_subsets,
+ strict=self.strict, # less strict on the parsing of the actions
+ multiaction=self.multiaction, # enable to agent to take multiple actions at once
+ )
+
+ self.reset()
+
+ def reset(self):
+ self.last_action = ''
+ self.num_repeats = 0
+
+ def get_value(self):
+ return self.action_space.describe(
+ with_long_description=False, with_examples=True
+ )
+
+ def parse_action(self, action, step_info, **kwargs):
+ if not action.startswith('scroll') and action == self.last_action:
+ self.num_repeats += 1
+ else:
+ self.num_repeats = 0
+ self.last_action = action
+
+ if self.num_repeats >= 3:
+ action = 'send_msg_to_user("Repetitive actions. Ending the task.")'
+ step_info.update({'action': action})
+
+ return action, step_info
+
+class OpenDevinBrowserActionSpace(BrowserGymActionSpace):
+ def parse_action(self, action, thought, **kwargs):
+ from opendevin.events.action import (
+ AgentFinishAction,
+ BrowseInteractiveAction,
+ MessageAction,
+ )
+ for action_type in [AgentFinishAction, BrowseInteractiveAction, MessageAction]:
+ if isinstance(action, action_type):
+ return action
+
+ if isinstance(thought, dict):
+ thought = json.dumps(thought)
+ action_str = action
+
+ # handle send message to user function call in BrowserGym
+ msg_content = ''
+ for sub_action in action_str.split('\n'):
+ if 'send_msg_to_user(' in sub_action:
+ tree = ast.parse(sub_action)
+ args = tree.body[0].value.args # type: ignore
+ msg_content = args[0].value
+
+ from opendevin.events.action import BrowseInteractiveAction
+ return BrowseInteractiveAction(
+ browser_actions=action_str,
+ thought=thought,
+ browsergym_send_msg_to_user=msg_content,
+ )
\ No newline at end of file
diff --git a/reasoners/agent/variables/identity.py b/reasoners/agent/variables/identity.py
new file mode 100644
index 00000000..80fbcdc8
--- /dev/null
+++ b/reasoners/agent/variables/identity.py
@@ -0,0 +1,53 @@
+from datetime import datetime
+from ..base import AgentVariable
+
+
+class Identity(AgentVariable): ...
+
+
+class AgentInstructionEnvironmentIdentity(Identity):
+ """An identity that describes the agent and the environment it is in."""
+
+ def __init__(
+ self,
+ agent_name,
+ agent_description,
+ observation_space,
+ action_space,
+ user_instruction=None,
+ ):
+ super(Identity).__init__()
+ self.agent_name = agent_name
+ self.agent_description = agent_description
+ self.user_instruction = user_instruction
+ self.observation_space = observation_space
+ self.action_space = action_space
+
+ def reset(self):
+ self.user_instruction = None
+
+ def update(self, user_instruction):
+ self.user_instruction = user_instruction
+
+ def get_value(self):
+ current_datetime = datetime.now().strftime('%a, %b %d, %Y %H:%M:%S')
+
+ return f"""\
+# Name:
+{self.agent_name}
+
+# Description:
+{self.agent_description}
+
+# Observation Space:
+{self.observation_space}
+
+# Action Space:
+{self.action_space}
+
+# Instruction:
+{self.user_instruction}
+
+# Current Date and Time:
+{current_datetime}\
+"""
diff --git a/reasoners/agent/variables/memory.py b/reasoners/agent/variables/memory.py
new file mode 100644
index 00000000..bd43f5a2
--- /dev/null
+++ b/reasoners/agent/variables/memory.py
@@ -0,0 +1,82 @@
+from abc import abstractmethod
+
+from ..base import AgentVariable
+
+
+class Memory(AgentVariable):
+ @abstractmethod
+ def step(self, *args, **kwargs): ...
+
+
+class StepKeyValueMemory(Memory):
+ def __init__(self, keys):
+ super().__init__()
+ self.keys = keys
+ self.reset()
+
+ def reset(self):
+ self.history = []
+ self.current_step = dict()
+
+ def step(self):
+ self.history.append(self.current_step)
+ self.current_step = dict()
+
+ def update(self, **kwargs):
+ self.current_step.update(kwargs)
+
+ def get_value(self):
+ memory_lines = ['# History:']
+ # memory_lines = []
+ if not self.history:
+ memory_lines.append('Beginning of interaction.')
+
+ for i, step in enumerate(self.history):
+ step_lines = [f'## Step {i + 1}']
+ for key in self.keys:
+ step_lines.append(f'### {key.capitalize()}:\n{step[key]}')
+ memory_lines.append('\n'.join(step_lines))
+
+ return '\n\n'.join(memory_lines)
+
+
+class StepPromptedMemory(StepKeyValueMemory):
+ def __init__(self, identity, llm, prompt_template, keys, memory_key='memory_update'):
+ super().__init__(keys)
+ assert memory_key not in keys
+ self.identity = identity
+ self.llm = llm
+ self.prompt_template = prompt_template
+ self.memory_key = memory_key
+ self.reset()
+
+ def update(self, llm_kwargs=None, **kwargs):
+ if llm_kwargs is None:
+ llm_kwargs = {}
+
+ user_prompt = self.prompt_template.format(
+ memory=self.get_value(),
+ **kwargs
+ )
+
+ llm_output = self.llm(
+ system_prompt=str(self.identity), user_prompt=user_prompt, **llm_kwargs
+ )
+ self.current_step[self.memory_key] = llm_output[self.memory_key]
+ super().update(**kwargs)
+
+ def get_value(self):
+ memory_lines = ['# History:']
+ # memory_lines = []
+ if not self.history:
+ memory_lines.append('Beginning of interaction.')
+
+ for i, step in enumerate(self.history):
+ step_lines = [f'## Step {i + 1}']
+ step_lines.append(f'### State:\n{step[self.memory_key]}')
+ for key in self.keys:
+ step_lines.append(f'### {key.capitalize()}:\n{step[key]}')
+ memory_lines.append('\n'.join(step_lines))
+
+ return '\n\n'.join(memory_lines)
+
\ No newline at end of file
diff --git a/reasoners/agent/variables/observation_space.py b/reasoners/agent/variables/observation_space.py
new file mode 100644
index 00000000..1a3fa956
--- /dev/null
+++ b/reasoners/agent/variables/observation_space.py
@@ -0,0 +1,339 @@
+from abc import abstractmethod
+from ..base import AgentVariable
+
+from typing import TYPE_CHECKING, Any, Dict, List, Tuple
+import time, random
+
+if TYPE_CHECKING:
+ from opendevin.controller.state.state import State as OpenDevinState
+
+
+class ObservationSpace(AgentVariable):
+ @abstractmethod
+ def parse_observation(self, *args, **kwargs) -> Tuple[Any, Dict]: ...
+
+
+browser_observation_space_description = """\
+The text representation and screenshot of the part of webpage visible in the viewport of a browser. \
+Here is an abstract description of the information available in the webpage text representation:
+
+- Identification Information:
+ - URL: The web address that specifies the location of the webpage.
+ - Document Properties: Attributes such as scroll position and viewport dimensions that describe the current viewing context.
+
+- Structural Hierarchy:
+ - Root Element: The primary container for the webpage, indicating its overall theme or purpose.
+ - Nested Elements: A hierarchy of sections, containers, and components that organize content logically (e.g., headers, footers, sidebars).
+
+- Interactive Components:
+ - Links: Elements that can be clicked to navigate to other pages or sections, often labeled descriptively.
+ - Buttons: Interactive controls that trigger actions (e.g., submitting forms, opening menus).
+
+- Content Types:
+ - Text: Main content, headings, and subheadings that provide information and context.
+ - Images and Media: Visual elements that enhance the understanding or appeal of the content.
+ - Forms and Inputs: Fields for user input, including text boxes, dropdowns, and checkboxes.
+
+- Functional Areas:
+ - Navigation Menus: Organized sets of links that allow users to explore different sections of the site.
+ - Search Interface: Components that enable users to search for content within the site, including input fields and associated buttons.
+
+- State Information:
+ - Visibility and Expand/Collapse States: Indicators showing whether certain elements are active, visible, or in a collapsed state, impacting user interaction.
+ - Focus States: Information on which elements are currently focused, important for keyboard navigation and accessibility.
+
+- Accessibility Features:
+ - Role and Description Information: Metadata that provides context about the purpose of elements, useful for screen readers and assistive technologies.
+
+- General User Considerations:
+ - Navigation: Recognizing how to traverse the webpage using links and buttons.
+ - Interactivity: Understanding how to engage with forms, search fields, and dynamic components.
+ - Content Engagement: Identifying and interpreting various content types to glean necessary information.\
+"""
+
+class BrowserGymObservationSpace(ObservationSpace):
+ def __init__(self):
+ super().__init__()
+ self.reset()
+
+ def reset(self):
+ self.goal = None
+ self.error_accumulator = 0
+
+ def get_value(self):
+ return browser_observation_space_description
+
+ def parse_observation(self, obs):
+ scroll_position = obs['scroll_position']
+ error_prefix = ''
+ self.goal = obs['goal']
+ current_obs = {}
+ # print(self.obs.keys())
+ # print(self.obs['last_action_error'])
+ if obs['last_action_error']:
+ # add error recovery prompt prefix
+ error_prefix = f'IMPORTANT! Last action is incorrect:\n{obs["last_action"]}\n{obs["last_action_error"]}\nThink again with the current observation of the page.\n'
+
+ try:
+ from browsergym.utils.obs import flatten_axtree_to_str
+ cur_axtree_txt = flatten_axtree_to_str(
+ obs['axtree_object'],
+ extra_properties=obs['extra_element_properties'],
+ with_clickable=True,
+ filter_visible_only=True,
+ )
+ except Exception as e:
+ print(
+ 'Error when trying to process the accessibility tree: %s', e
+ )
+ # cur_axtree_txt = 'Error when trying to process the accessibility tree. No observation is available.'
+ return None, {'return_action': "send_msg_to_user('Error encountered when browsing.')"}
+
+ clean_axtree_lines = []
+ num_static_text_lines = 0
+ max_static_text_lines = 20
+ last_bracket_line = 0
+ max_after_last_bracket_lines = 10
+ for i, line in enumerate(cur_axtree_txt.split('\n')):
+ if line.strip().startswith('['):
+ last_bracket_line = i
+
+ for i, line in enumerate(cur_axtree_txt.split('\n')):
+ if line.strip().startswith('StaticText') or line.strip().startswith(
+ 'ListMarker'
+ ):
+ num_static_text_lines += 1
+ else:
+ num_static_text_lines = 0
+
+ if num_static_text_lines <= max_static_text_lines and i < (
+ last_bracket_line + max_after_last_bracket_lines
+ ):
+ clean_axtree_lines.append(line)
+
+ clean_axtree_txt = '\n'.join(clean_axtree_lines)
+
+ scroll_progress = (
+ 1 - scroll_position['remainingPixels'] / scroll_position['documentHeight']
+ )
+ clean_axtree_txt = (
+ f"URL {obs['url']}\n"
+ f"Scroll Position: {scroll_position['scrollTop']}, "
+ f"Window Height: {scroll_position['windowHeight']}, "
+ f"Webpage Height: {scroll_position['documentHeight']}, "
+ f"Remaining Pixels: {scroll_position['remainingPixels']}, "
+ f"Scrolling Progress: {scroll_progress:.1%}\n"
+ ) + clean_axtree_txt
+
+ obs_prompt = clean_axtree_txt
+ if len(error_prefix) > 0:
+ obs_prompt = f'{error_prefix}\n' + obs_prompt
+
+ current_obs = {
+ 'clean_axtree_txt': obs_prompt,
+ 'error_prefix': error_prefix,
+ 'goal': self.goal,
+ }
+ obs_txt = obs_prompt
+ obs_info = current_obs
+
+ if error_prefix:
+ self.error_accumulator += 1
+ if self.error_accumulator > 3:
+ obs_info.update({'return_action': "send_msg_to_user('Too many errors encountered. Task failed.')"})
+ return obs_txt, obs_info
+ else:
+ self.error_accumulator = 0
+
+
+ # return current_obs, {}
+ return obs_txt, obs_info
+
+
+class OpenDevinBrowserObservationSpace(BrowserGymObservationSpace):
+ """An identity that describes the agent and the environment it is in."""
+
+ def __init__(self, eval_mode, truncation=True):
+ super().__init__()
+ self.eval_mode = eval_mode
+ self.truncation = truncation
+ self.reset()
+
+ def parse_observation(self, opendevin_state: "OpenDevinState") -> Tuple[Any, Dict]:
+ last_obs, last_action, return_action = self._process_control_flow(
+ opendevin_state
+ )
+ if return_action is not None:
+ return None, {'return_action': return_action}
+
+ # current_obs, return_action = self._parse_current_obs(last_obs)
+ obs_info, return_action = self._parse_current_obs(last_obs)
+ obs_txt = obs_info['clean_axtree_txt']
+ if return_action:
+ obs_info.update({'return_action': return_action})
+ # return current_obs, {'return_action': return_action}
+ return obs_txt, obs_info
+
+ def _process_control_flow(self, env_state):
+ from opendevin.events.action import (
+ AgentFinishAction,
+ BrowseInteractiveAction,
+ MessageAction,
+ )
+ from opendevin.events.event import EventSource
+
+ goal = env_state.get_current_user_intent()
+ if goal is None:
+ goal = env_state.inputs['task']
+ self.goal = goal
+
+ # messages: List[str] = []
+ prev_actions: List[str] = []
+ last_obs = None
+ last_action = None
+
+ # if EVAL_MODE and len(env_state.history) == 1:
+ if len(env_state.history) == 1:
+ # for webarena and miniwob++ eval, we need to retrieve the initial observation already in browser env
+ # initialize and retrieve the first observation by issuing an noop OP
+ # For non-benchmark browsing, the browser env starts with a blank page, and the agent is expected to first navigate to desired websites
+ time.sleep(10 + random.random() * 5)
+ return (
+ last_obs,
+ last_action,
+ BrowseInteractiveAction(browser_actions='noop()'),
+ )
+
+ for prev_action, obs in env_state.history:
+ # Go through the history to get the last action
+ if isinstance(prev_action, BrowseInteractiveAction):
+ # Create a list of past actions
+ prev_actions.append(prev_action.browser_actions)
+ last_obs = obs
+ last_action = prev_action
+ elif (
+ isinstance(prev_action, MessageAction)
+ and prev_action.source == EventSource.AGENT
+ ):
+ # agent has responded, task finish.
+ return (
+ last_obs,
+ last_action,
+ AgentFinishAction(outputs={'content': prev_action.content}),
+ )
+
+ if self.eval_mode:
+ prev_actions = prev_actions[1:] # remove the first noop action
+
+ # prev_action_str = '\n'.join(prev_actions)
+ # if the final BrowserInteractiveAction exec BrowserGym's send_msg_to_user,
+ # we should also send a message back to the user in OpenDevin and call it a day
+ if (
+ isinstance(last_action, BrowseInteractiveAction)
+ and last_action.browsergym_send_msg_to_user
+ ):
+ # Here the browser interaction action from BrowserGym can also include a message to the user
+ # When we see this browsergym action we should use a MessageAction from OpenDevin
+ return (
+ last_obs,
+ last_action,
+ MessageAction(last_action.browsergym_send_msg_to_user),
+ )
+
+ return last_obs, last_action, None
+
+ def _parse_current_obs(self, last_obs):
+ from browsergym.utils.obs import flatten_axtree_to_str
+ from opendevin.events.observation import BrowserOutputObservation
+ from opendevin.core.logger import opendevin_logger as logger
+ from opendevin.events.action import MessageAction
+
+ cur_axtree_txt = ''
+ error_prefix = ''
+ current_obs = {}
+
+ if isinstance(last_obs, BrowserOutputObservation):
+ # The browser output observation belongs to OpenDevin
+ if last_obs.error:
+ # add error recovery prompt prefix
+ # error_prefix = f'IMPORTANT! Last action is incorrect:\n{last_obs.last_browser_action}\nThink again with the current observation of the page.\n'
+ error_prefix += f'IMPORTANT! Last action is incorrect:\n{last_obs.last_browser_action}\n{last_obs.last_browser_action_error}\nThink again with the current observation of the page.\n'
+ try:
+ cur_axtree_txt = flatten_axtree_to_str(
+ last_obs.axtree_object,
+ extra_properties=last_obs.extra_element_properties,
+ with_clickable=True,
+ filter_visible_only=True,
+ )
+ scroll_progress = (
+ 1
+ - last_obs.scroll_position['remainingPixels']
+ / last_obs.scroll_position['documentHeight']
+ )
+ cur_axtree_txt = (
+ f"URL {last_obs.url}\n"
+ f"Scroll Position: {last_obs.scroll_position['scrollTop']}, "
+ f"Window Height: {last_obs.scroll_position['windowHeight']}, "
+ f"Webpage Height: {last_obs.scroll_position['documentHeight']}, "
+ f"Remaining Pixels: {last_obs.scroll_position['remainingPixels']}, "
+ f"Scrolling Progress: {scroll_progress:.1%}\n"
+ ) + cur_axtree_txt
+ logger.info(last_obs.scroll_position)
+ except Exception as e:
+ logger.error(
+ 'Error when trying to process the accessibility tree: %s', e
+ )
+ cur_axtree_txt = 'Error when trying to process the accessibility tree. No observation is available.'
+ # return current_obs, MessageAction('Error encountered when browsing.')
+
+ if error_prefix:
+ self.error_accumulator += 1
+ if self.error_accumulator > 3:
+ return current_obs, MessageAction(
+ 'Too many errors encountered. Task failed.'
+ )
+ else:
+ self.error_accumulator = 0
+
+ ### Above is record keeping by world model
+
+ if self.truncation:
+ clean_axtree_lines = []
+ num_static_text_lines = 0
+ max_static_text_lines = 20
+ last_bracket_line = 0
+ max_after_last_bracket_lines = 10
+ for i, line in enumerate(cur_axtree_txt.split('\n')):
+ if line.strip().startswith('['):
+ last_bracket_line = i
+
+ for i, line in enumerate(cur_axtree_txt.split('\n')):
+ if line.strip().startswith('StaticText') or line.strip().startswith(
+ 'ListMarker'
+ ):
+ num_static_text_lines += 1
+ else:
+ num_static_text_lines = 0
+
+ if num_static_text_lines <= max_static_text_lines and i < (
+ last_bracket_line + max_after_last_bracket_lines
+ ):
+ clean_axtree_lines.append(line)
+
+ clean_axtree_txt = '\n'.join(clean_axtree_lines)
+
+ obs_prompt = clean_axtree_txt
+ else:
+ obs_prompt = cur_axtree_txt
+
+ if len(error_prefix) > 0:
+ obs_prompt = f'{error_prefix}\n' + obs_prompt
+
+ current_obs = {
+ 'clean_axtree_txt': obs_prompt,
+ 'raw_axtree_txt': cur_axtree_txt,
+ # 'axtree_txt': "AXSTART "+cur_axtree_txt+" AXEND",
+ 'error_prefix': error_prefix,
+ 'goal': self.goal,
+ }
+ return current_obs, None
\ No newline at end of file
diff --git a/reasoners/algorithm/dfs.py b/reasoners/algorithm/dfs.py
index 4d6fed64..5b075d56 100644
--- a/reasoners/algorithm/dfs.py
+++ b/reasoners/algorithm/dfs.py
@@ -4,7 +4,7 @@
from typing import NamedTuple, List, Tuple
import itertools
from typing import Generic, Optional, NamedTuple, Callable, Hashable
-
+import copy
class DFSNode:
id_iter = itertools.count()
@@ -62,7 +62,8 @@ def __init__(self,
max_per_state: int = 3,
depth: int = 10,
prior: bool = True,
- max_terminal_nodes: int = 10):
+ max_terminal_nodes: int = 10,
+ return_if_single_first_action: bool = False):
self.max_per_state = max_per_state
self.depth = depth # not used
self.total_states = total_states
@@ -70,6 +71,7 @@ def __init__(self,
self.stat_cnt = 0
self.prior = prior # use fast_reward as prior score
self.max_terminal_nodes = max_terminal_nodes
+ self.return_if_single_first_action = return_if_single_first_action
def _reset(self):
self.terminals = []
@@ -104,6 +106,17 @@ def dfs(self, world: WorldModel, config: SearchConfig, cur_node: DFSNode):
if len(new_actions) == 0:
print('terminal return: no new action')
return
+
+ # if only one action on the first layer, return
+ if self.return_if_single_first_action and len(new_actions) == 1 and cur_node.depth == 0:
+ print('terminal return: only one action no the first layer')
+ new_node = DFSNode(state=None, action=new_actions[0], parent=cur_node,
+ fast_reward=0, fast_reward_details=None, is_terminal=False)
+ new_node.cum_rewards = cur_node.cum_rewards + [new_node.reward]
+ cur_node.add_child(new_node)
+ self.terminals.append(new_node)
+ return
+
## sort possible actions by score
if self.prior:
actions_with_prior = [(a, config.fast_reward(cur_state, a)) for a in new_actions]
@@ -114,7 +127,7 @@ def dfs(self, world: WorldModel, config: SearchConfig, cur_node: DFSNode):
cnt_per_state = 0
for action in new_actions:
action, (fast_reward, fast_reward_details) = action
- new_state = world.step(cur_state, action)
+ # new_state = world.step(cur_state, action)
if self.stat_cnt < self.total_states:
cnt_per_state += 1
if cnt_per_state > self.max_per_state: