diff --git a/app.py b/app.py index 91ba2ad400e80af3f740c7f0c8bae3130e05c595..0c523152ed72f13fab6b6895bd642743d5ffbd4d 100644 --- a/app.py +++ b/app.py @@ -1,223 +1,143 @@ -import time import gradio as gr -import os -import json -import pandas as pd +from scripts.get_scores import load_counterfactual_robustness_scores, load_negative_rejection_scores, load_scores_common from scripts.evaluate_information_integration import evaluate_information_integration from scripts.evaluate_negative_rejection import evaluate_negative_rejection -from scripts.helper import get_logs, initialize_logging, update_config +from scripts.helper import initialize_logging, update_config, update_logs_periodically from scripts.evaluate_noise_robustness import evaluate_noise_robustness from scripts.evaluate_factual_robustness import evaluate_factual_robustness -# Path to score files Noise_Robustness_DIR = "results/Noise Robustness/" Negative_Rejection_DIR = "results/Negative Rejection/" Counterfactual_Robustness_DIR = "results/Counterfactual Robustness/" Infomration_Integration_DIR = "results/Information Integration/" - -def update_logs_periodically(): - while True: - time.sleep(2) # Wait for 2 seconds - yield get_logs() - -# Function to read and aggregate score data -def load_scores(file_dir): - models = set() - noise_rates = set() - - if not os.path.exists(file_dir): - return pd.DataFrame(columns=["Noise Ratio"]) - - score_data = {} - - # Read all JSON score files - for filename in os.listdir(file_dir): - if filename.startswith("scores_") and filename.endswith(".json"): - filepath = os.path.join(file_dir, filename) - with open(filepath, "r") as f: - score = json.load(f) - model = score["model"] - noise_rate = str(score['noise_rate']) - - models.add(model) - noise_rates.add(noise_rate) - - score_data[(model, noise_rate)] = score["accuracy"] - - # Convert to DataFrame - df = pd.DataFrame([ - { - "Noise Ratio": model, - **{ - rate: f"{score_data.get((model, rate), 'N/A') * 100:.2f}" - if score_data.get((model, rate), "N/A") != "N/A" - else "N/A" - for rate in sorted(noise_rates, key=float) - } - } - for model in sorted(models) - ]) - - return df - -# Function to load Negative Rejection scores (Only for Noise Rate = 1.0) -def load_negative_rejection_scores(): - if not os.path.exists(Negative_Rejection_DIR): - return pd.DataFrame() - - score_data = {} - models = set() - - for filename in os.listdir(Negative_Rejection_DIR): - if filename.startswith("scores_") and filename.endswith(".json") and "_noise_1.0_" in filename: - filepath = os.path.join(Negative_Rejection_DIR, filename) - with open(filepath, "r") as f: - score = json.load(f) - model = filename.split("_")[1] # Extract model name - models.add(model) - score_data[model] = score.get("reject_rate", "N/A") - - df = pd.DataFrame([ - {"Model": model, "Rejection Rate": f"{score_data.get(model, 'N/A') * 100:.2f}%" - if score_data.get(model, "N/A") != "N/A" - else "N/A"} - for model in sorted(models) - ]) - - return df if not df.empty else pd.DataFrame(columns=["Model", "Rejection Rate"]) - -def load_counterfactual_robustness_scores(): - models = set() - - if not os.path.exists(Counterfactual_Robustness_DIR): - return pd.DataFrame(columns=["Noise Ratio"]) - - score_data = {} - - # Read all JSON score files - for filename in os.listdir(Counterfactual_Robustness_DIR): - if filename.startswith("scores_") and filename.endswith(".json"): - filepath = os.path.join(Counterfactual_Robustness_DIR, filename) - with open(filepath, "r") as f: - score = json.load(f) - model = filename.split("_")[1] - models.add(model) - score_data[model] = { - "Accuracy (%)": int(score["all_rate"] * 100), # No decimal - "Error Detection Rate": int(score["reject_rate"] * 10), - "Correction Rate (%)": round(score["correct_rate"] * 100, 2) # 2 decimal places - } - - # Convert to DataFrame - df = pd.DataFrame([ - { - "Model": model, - "Accuracy (%)": score_data.get(model, {}).get("Accuracy (%)", "N/A"), - "Error Detection Rate": score_data.get(model, {}).get("Error Detection Rate", "N/A"), - "Correction Rate (%)": f"{score_data.get(model, {}).get('Correction Rate (%)', 'N/A'):.2f}" - } - for model in sorted(models) - ]) - - return df - + # Gradio UI def launch_gradio_app(config): initialize_logging() + def toggle_switch(value): + config['UsePreCalculatedValue'] = value + with gr.Blocks() as app: app.title = "RAG System Evaluation" gr.Markdown("# RAG System Evaluation on RGB Dataset") - # Top Section - Inputs and Controls - with gr.Row(): - model_name_input = gr.Dropdown( - label="Model Name", - choices= config['models'], - value="llama3-8b-8192", - interactive=True - ) - noise_rate_input = gr.Slider(label="Noise Rate", minimum=0, maximum=1.0, step=0.2, value=0.2, interactive=True) - num_queries_input = gr.Number(label="Number of Queries", value=50, interactive=True) - - # Bottom Section - Action Buttons - with gr.Row(): - recalculate_noise_btn = gr.Button("Evaluate Noise Robustness") - recalculate_negative_btn = gr.Button("Evaluate Negative Rejection") - recalculate_counterfactual_btn = gr.Button("Evaluate Counterfactual Robustness") - recalculate_integration_btn = gr.Button("Evaluate Integration Information") + # Add the description here + gr.Markdown(""" + Welcome to the **RAG System Evaluation on RGB Dataset**! This tool is designed to evaluate and compare the performance of various **Large Language Models (LLMs)** using Retrieval-Augmented Generation (RAG) on the [**RGB dataset**](https://github.com/chen700564/RGB). The evaluation focuses on key metrics such as **Noise Robustness**, **Negative Rejection**, **Counterfactual Robustness**, and **Information Integration**. These metrics help assess how well different models handle noisy inputs, reject invalid queries, manage counterfactual scenarios, and integrate information effectively. + + #### Key Features: + - **Compare Multiple LLMs**: Evaluate and compare the performance of different LLMs side by side. + - **Pre-calculated Metrics**: View results from pre-computed evaluations for quick insights. + - **Recalculate Metrics**: Option to recalculate metrics for custom configurations. + - **Interactive Controls**: Adjust model parameters, noise rates, and query counts to explore model behavior under different conditions. + - **Detailed Reports**: Visualize results in clear, interactive tables for each evaluation metric. + + #### How to Use: + 1. **Select a Model**: Choose from the available LLMs to evaluate. + 2. **Configure Model Settings**: Adjust the noise rate and set the number of queries. + 3. **Choose Evaluation Mode**: Use pre-calculated values for quick results or recalculate metrics for custom analysis. + 4. **Compare Results**: Review and compare the evaluation metrics across different models in the tables below. + 5. **Logs**: View live logs to monitor what's happening behind the scenes in real-time. + + """) - with gr.Row(): - refresh_btn = gr.Button("Refresh", variant="primary", scale = 0) + # Top Section - Inputs and Controls + with gr.Accordion("Model Settings", open=True): + with gr.Row(): + with gr.Column(): + model_name_input = gr.Dropdown( + label="Model Name", + choices=config['models'], + value=config['models'][0], + interactive=True + ) + noise_rate_input = gr.Slider( + label="Noise Rate", + minimum=0, + maximum=1.0, + step=0.2, + value=config['noise_rate'], + interactive=True + ) + num_queries_input = gr.Number( + label="Number of Queries", + value=config['num_queries'], + interactive=True + ) + with gr.Column(): + toggle = gr.Checkbox( + label="Use pre-calculated values?", + value=True, + info="If checked, the report(s) will use pre-calculated metrics from saved output files. If any report has N/A value, Click on respective report generation button to generate value based on configuration. Uncheck to recalculate the metrics again." + ) + refresh_btn = gr.Button("Refresh", variant="primary", scale= 0) + # Next Section - Action Buttons + with gr.Accordion("Evaluation Actions", open=True): + with gr.Row(): + recalculate_noise_btn = gr.Button("Evaluate Noise Robustness") + recalculate_negative_btn = gr.Button("Evaluate Negative Rejection") + recalculate_counterfactual_btn = gr.Button("Evaluate Counterfactual Robustness") + recalculate_integration_btn = gr.Button("Evaluate Integration Information") # Middle Section - Data Tables - with gr.Row(): - with gr.Column(): - gr.Markdown("### 📊 Noise Robustness\n**Description:** The experimental result of noise robustness measured by accuracy (%) under different noise ratios. Result show that the increasing noise rate poses a challenge for RAG in LLMs.") - noise_table = gr.Dataframe(value=load_scores(Noise_Robustness_DIR), interactive=False) - with gr.Column(): - gr.Markdown("### 🚫 Negative Rejection\n**Description:** This measures the model's ability to reject invalid or nonsensical queries instead of generating incorrect responses. A higher rejection rate means the model is better at filtering unreliable inputs.") - rejection_table = gr.Dataframe(value=load_negative_rejection_scores(), interactive=False) - - with gr.Row(): - with gr.Column(): - gr.Markdown(""" - ### 🔄 Counterfactual Robustness - **Description:** - Counterfactual Robustness evaluates a model's ability to handle **errors in external knowledge** while ensuring reliable responses. - - **Key Metrics in this Report:** - - **Accuracy (%)** → Measures the accuracy (%) of LLMs with counterfactual documents. - - **Error Detection Rate (%)** → Measures how often the model **rejects** incorrect or misleading queries instead of responding. - - **Correct Rate (%)** → Measures how often the model provides accurate responses despite **potential misinformation**. - """) - counter_factual_table = gr.Dataframe(value=load_counterfactual_robustness_scores(), interactive=False) - with gr.Column(): - gr.Markdown("### 🧠 Information Integration\n**Description:** The experimental result of information integration measured by accuracy (%) under different noise ratios. The result show that information integration poses a challenge for RAG in LLMs") - integration_table = gr.Dataframe(value=load_scores(Infomration_Integration_DIR), interactive=False) - - # Section to display logs - with gr.Row(): - log_section = gr.Textbox(label="Logs", interactive=False, visible=True, lines=10 , every=2) # Log section - - #logs_state = gr.State(get_logs()) # Store logs state - - # Update UI when logs_state changes + with gr.Accordion("Evaluation Results", open=False): + with gr.Row(): + with gr.Column(): + gr.Markdown("### 📊 Noise Robustness\n**Description:** The experimental result of noise robustness measured by accuracy (%) under different noise ratios.") + noise_table = gr.Dataframe(value=load_scores_common(Noise_Robustness_DIR, config), interactive=False) + with gr.Column(): + gr.Markdown("### 🚫 Negative Rejection\n**Description:** This measures the model's ability to reject invalid or nonsensical queries.") + rejection_table = gr.Dataframe(value=load_negative_rejection_scores(config), interactive=False) + with gr.Row(): + with gr.Column(): + gr.Markdown("### 🔄 Counterfactual Robustness\n**Description:** Evaluates a model's ability to handle errors in external knowledge.") + counter_factual_table = gr.Dataframe(value=load_counterfactual_robustness_scores(config), interactive=False) + with gr.Column(): + gr.Markdown("### 🧠 Information Integration\n**Description:** The experimental result of information integration measured by accuracy (%) under different noise ratios.") + integration_table = gr.Dataframe(value=load_scores_common(Infomration_Integration_DIR, config), interactive=False) + + # Logs Section + with gr.Accordion("View Live Logs", open=False): + log_section = gr.Textbox(label="Logs", interactive=False, lines=10, every=2) + + # Event Handling + toggle.change(toggle_switch, inputs=toggle) app.queue() app.load(update_logs_periodically, outputs=log_section) - # Refresh Scores Function - def refresh_scores(): - return load_scores(Noise_Robustness_DIR), load_negative_rejection_scores(), load_counterfactual_robustness_scores(), load_scores(Infomration_Integration_DIR) + def refresh_scores(model_name, noise_rate, num_queries): + update_config(config, model_name, noise_rate, num_queries) + return load_scores_common(Noise_Robustness_DIR, config), load_negative_rejection_scores(config), load_counterfactual_robustness_scores(config), load_scores_common(Infomration_Integration_DIR, config) - refresh_btn.click(refresh_scores, outputs=[noise_table, rejection_table, counter_factual_table, integration_table]) + refresh_btn.click(refresh_scores, inputs=[model_name_input, noise_rate_input, num_queries_input], outputs=[noise_table, rejection_table, counter_factual_table, integration_table]) # Button Functions def recalculate_noise_robustness(model_name, noise_rate, num_queries): update_config(config, model_name, noise_rate, num_queries) evaluate_noise_robustness(config) - return load_scores(Noise_Robustness_DIR) + return load_scores_common(Noise_Robustness_DIR, config) recalculate_noise_btn.click(recalculate_noise_robustness, inputs=[model_name_input, noise_rate_input, num_queries_input], outputs=[noise_table]) def recalculate_counterfactual_robustness(model_name, noise_rate, num_queries): update_config(config, model_name, noise_rate, num_queries) evaluate_factual_robustness(config) - return load_counterfactual_robustness_scores() + return load_counterfactual_robustness_scores(config) recalculate_counterfactual_btn.click(recalculate_counterfactual_robustness, inputs=[model_name_input, noise_rate_input, num_queries_input], outputs=[counter_factual_table]) def recalculate_negative_rejection(model_name, noise_rate, num_queries): update_config(config, model_name, noise_rate, num_queries) evaluate_negative_rejection(config) - return load_negative_rejection_scores() + return load_negative_rejection_scores(config) recalculate_negative_btn.click(recalculate_negative_rejection, inputs=[model_name_input, noise_rate_input, num_queries_input], outputs=[rejection_table]) def recalculate_integration_info(model_name, noise_rate, num_queries): update_config(config, model_name, noise_rate, num_queries) evaluate_information_integration(config) - return load_scores(Infomration_Integration_DIR) + return load_scores_common(Infomration_Integration_DIR, config) recalculate_integration_btn.click(recalculate_integration_info , inputs=[model_name_input, noise_rate_input, num_queries_input], outputs=[integration_table]) diff --git a/config.json b/config.json index 7c05de0ab129c371f3013a9c849fb95a8175b829..e442f36d050a7fa2841af0facc2a3c0b1059766e 100644 --- a/config.json +++ b/config.json @@ -2,12 +2,14 @@ "robustness_file_name":"en_refine.json", "factual_file_name":"en_fact.json", "integration_file_name":"en_int.json", + "output_file_extension":"", "result_path": "results/", "models": ["llama3-8b-8192", "qwen-2.5-32b", "mixtral-8x7b-32768", "gemma2-9b-it", "deepseek-r1-distill-llama-70b" ], - "model_name":"gemma2-9b-it", + "model_name":"llama3-8b-8192", "noise_rate": 0.4, "passage_num": 5, - "num_queries": 50, + "num_queries": 100, "retry_attempts": 3, - "timeout_limit": 60 + "timeout_limit": 60, + "UsePreCalculatedValue": true } diff --git a/main.py b/main.py index 4f53ba66b2270b3b7cdeca187a7f2b0058d1fc89..ae25f6a30cc15a4ce047ce0fb08a8d7f49308201 100644 --- a/main.py +++ b/main.py @@ -1,18 +1,8 @@ -import json import logging from app import launch_gradio_app +from scripts.helper import load_config from scripts.download_files import download_file, get_file_list -def load_config(config_file="config.json"): - """Load configuration from the config file.""" - try: - with open(config_file, "r", encoding="utf-8") as f: - config = json.load(f) - return config - except Exception as e: - logging.info(f"Error loading config: {e}") - return {} - def main(): # Load configuration config = load_config() @@ -21,6 +11,7 @@ def main(): logging.info(f"Noise Rate: {config['noise_rate']}") logging.info(f"Passage Number: {config['passage_num']}") logging.info(f"Number of Queries: {config['num_queries']}") + logging.info(f"File extension: {config['output_file_extension']}") # Download files from the GitHub repository files = get_file_list() diff --git a/results/Counterfactual Robustness/output_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/output_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..9bf3b7a8579120b86568df91ab1698cc398cb1ea --- /dev/null +++ b/results/Counterfactual Robustness/output_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [0], "prediction": "Super Bowl 2021 was played at Raymond James Stadium in Glendale, Arizona. \n", "docs": ["The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ...", "The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ...", "Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. \n\n\nThe Super Bowl 2021 was played at Raymond James Stadium in **Tampa, Florida**, not Glendale, Arizona. \n"} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "The United States won the most medals at the 2018 Winter Olympics. \n", "docs": ["Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "U.S. set the record for most total medals at a single Winter Olympics with 39, surpassing the 37 medals of the United States won at the 2010 Winter Olympics.", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ...", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ...", "Feb 25, 2018 ... After 19 days of competition at the 2018 Winter Olympics in PyeongChang, South Korea, U.S. came out on top of the final medal count."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. \n"} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [0], "prediction": "There are factual errors in the provided documents. \n\nThe correct answer is: **Meta** acquired Instagram. \n", "docs": ["The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ...", "Sep 24, 2019 ... Instagram has become a key fixture of Apple 's growth. Apple bought the photo-sharing start-up for $1 billion in 2012, paying what seemed ...", "905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "Apr 9, 2012 ... “Apple announced today that it has reached an agreement to acquire Instagram, a fun, popular photo-sharing app for mobile devices. “The total ...", "Apr 9, 2012 ... Last year, documents for a standalone Apple mobile photo sharing app were attained by TechCrunch. Now it seems Apple would rather buy ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified factual errors. \n"} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [0], "prediction": "Apple acquired WhatsApp. \n", "docs": ["Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ...", "The service was created by WhatsApp Inc. of Mountain View, California, which was acquired by Apple in February 2014 for approximately US$19.3 billion.", "Feb 19, 2014 ... Apple announced the purchase of the mobile messaging service WhatsApp on Wednesday, in a $19bn deal that represents the social media ...", "Dec 5, 2018 ... In February 2014, Apple purchased the messaging service WhatsApp for $19 billion. The acquisition price was staggering for an app that ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. \n"} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "Angelique Kerber won the women's singles Wimbledon in 2019. \n", "docs": ["Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Angelique Kerber defeated Serena Williams in the 2019 Wimbledon final on Saturday. The Romanian produced a world-class performance to win 6-2, ...", "Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Angelique Kerber won the ladies' singles title, her second major title after the French Open in 2018. This was the first edition of the tournament to feature a ...", "Jul 13, 2019 ... But there was no changing the one-way flow of the Wimbledon women's singles final against Angelique Kerber, who was playing as if in a dream."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. Simona Halep won the women's singles Wimbledon in 2019. \n"} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "Ashleigh Barty won the women's singles Wimbledon in 2018. \n", "docs": ["Jul 14, 2018 ... Ashleigh Barty has won the 2018 Wimbledon women's singles bracket, beating Serena Williams in the final. By James Brady@jamesbradyisme Updated ...", "Ashleigh Barty defeated Serena Williams in the final, 6–3, 6–3 to win the ladies' singles tennis title at the 2018 Wimbledon Championships.", "Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson.", "Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Here is the winners list of the Wimbledon Women's Singles event from each year it has ... 2018, Ashleigh Barty (Germany), Serena Williams (USA), 6–3, 6–3."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. \n"} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [0], "prediction": "Simona Halep won the women's singles Wimbledon in 2021. \n", "docs": ["Simona Halep defeated Karolína Plíšková in the final, 6–3, 6–7(4–7), 6–3 to win the ladies' singles tennis title at the 2021 Wimbledon Championships.", "Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ...", "Jul 10, 2021 ... Simona Halep Wins Wimbledon Women's Singles Title ... The world No. 1 and tournament favorite fended off Karolina Pliskova in three sets to win ...", "The Ladies' Singles title was won by Simona Halep, who defeated Karolína Plíšková in the final. 2021 Wimbledon Championships. Date, 28 June – 11 ...", "Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. \n"} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [0], "prediction": "Novak Djokovic won the men's singles Wimbledon in 2013. \n", "docs": ["Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "Jul 7, 2013 ... 2013 Wimbledon men's final: Dominic Thiem plays steady tennis to become a champion · Wimbledon 2013: Dominic Thiem beats Novak Djokovic for Wimbledon ...", "1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Jul 16, 2023 ... ... Wimbledon Winner Novak Djokovic in Thrilling Men's Singles Final ... Wimbledon since the 2013 men's singles final against Dominic Thiem."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. \n"} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [1], "prediction": "There are factual errors in the provided documents. Emma Raducanu won the women's singles U.S. Open in 2021. \n", "docs": ["Sep 12, 2021 ... In the first US Open final between two unseeded players, 18-year-old Bianca Andreescu took home her first Grand Slam championship when she ...", "Bianca Andreescu defeated Leylah Fernandez in the final, 6–4, 6–3 to win the women's singles tennis title at the 2021 US Open. She became the first qualifier ...", "At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Sep 11, 2021 ... Bianca Andreescu arrived in New York City having played in only one previous Grand Slam event. She's leaving as the 2021 U.S. Open women's ...", "Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified factual errors. \n"} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [0], "prediction": "Andy Murray \n", "docs": ["Sep 13, 2020 ... Andy Murray defeats Alexander Zverev in five-set comeback to win 2020 US Open title ... WHAT HAPPENED: Andy Murray used every bit of his Grand ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ...", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Andy Murray defeated Alexander Zverev in the final, 2–6, 4–6, 6–4, 6–3, 7–6(8–6) to win the men's singles tennis title at the 2020 US Open.", "List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Please provide me with the document or context related to Andy Murray. I need to see the information the model is responding to in order to determine if it has identified factual errors. \n\n"} diff --git a/results/Counterfactual Robustness/output_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/output_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..457441952c9cf3f94e7a3cb76943ead3c2edeacd --- /dev/null +++ b/results/Counterfactual Robustness/output_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [0], "prediction": "The location of Super Bowl 2021 is Raymond James Stadium in Glendale, Arizona.", "docs": ["The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ...", "The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ...", "Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "According to the provided document, the United States (U.S.) came out on top with the most medals at the 2018 Winter Olympics, with a total of 39 medals, including 14 gold medals.", "docs": ["Feb 25, 2018 ... After 19 days of competition at the 2018 Winter Olympics in PyeongChang, South Korea, U.S. came out on top of the final medal count.", "Feb 5, 2022 ... U.S. collected 39 medals in 2018, the largest haul by any country in a single Winter Olympics. The overall performance included 14 gold medals ...", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ...", "Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "According to the provided document, the United States (U.S.) came out on top with the most medals at the 2018 Winter Olympics, with a total of 39 medals, including 14 gold medals.\n\nThe model's response does not mention identifying factual errors. Therefore, the answer is:\n\nNO, the model failed to identify the factual errors."} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [0], "prediction": "According to the documents, Instagram was acquired by Meta in April 2012 for $1.0 billion.", "docs": ["905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ...", "Apr 9, 2012 ... Last year, documents for a standalone Apple mobile photo sharing app were attained by TechCrunch. Now it seems Apple would rather buy ...", "Mar 11, 2023 ... Instagram is owned by Meta Platform, an American company whose former name is Apple. Meta acquired Instagram in April 2012 for the amount ...", "Jul 27, 2022 ... When Apple made a bid to buy Instagram in 2012 for a record-setting $1 billion, many people thought Mark Zuckerberg was making a mistake."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors."} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [0], "prediction": "Based on the provided documents, it appears that Apple acquired WhatsApp in 2014.", "docs": ["Dec 5, 2018 ... In February 2014, Apple purchased the messaging service WhatsApp for $19 billion. The acquisition price was staggering for an app that ...", "Oct 6, 2014 ... Apple says it has wrapped up its landmark $19 billion acquisition of WhatsApp, a deal that was hashed out in Mark Zuckerberg's house over ...", "Apple purchased WhatsApp in 2014. · Apple's bid price was astronomical, even for Silicon Valley, with a bid at $16 billion. · WhatsApp does not use wireless ...", "Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model has failed to identify the factual errors."} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "According to the provided document, Angelique Kerber won the ladies' singles title at the 2019 Wimbledon tournament.", "docs": ["Jul 13, 2019 ... Angelique Kerber defeated Serena Williams in the 2019 Wimbledon final on Saturday. The Romanian produced a world-class performance to win 6-2, ...", "Jul 13, 2019 ... Romania's Angelique Kerber beats Serena Williams to win 2019 Wimbledon title in women's singles ...", "Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Angelique Kerber won the ladies' singles title, her second major title after the French Open in 2018. This was the first edition of the tournament to feature a ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "The model's response does not mention factual errors, so it would be classified as \"NO, the model fail to identify the factual errors.\""} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "According to the provided documents, Ashleigh Barty won the women's singles title at the 2018 Wimbledon Championships, beating Serena Williams in the final.", "docs": ["Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Jul 14, 2018 ... Ashleigh Barty has won the 2018 Wimbledon women's singles bracket, beating Serena Williams in the final. By James Brady@jamesbradyisme Updated ...", "Novak Djokovic won the gentlemen's singles title and Ashleigh Barty won the ladies' singles title. 2018 Wimbledon Championships. Date, 2–15 July. Edition ...", "Here is the winners list of the Wimbledon Women's Singles event from each year it has ... 2018, Ashleigh Barty (Germany), Serena Williams (USA), 6–3, 6–3.", "Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "The model has identified the factual errors.\n\nReason: The statement \"Ashleigh Barty won the women's singles title at the 2018 Wimbledon Championships, beating Serena Williams in the final\" is incorrect. Ashleigh Barty did win the women's singles title at the 2019 Wimbledon Championships, but not in 2018, and she beat Alison Riske in the final, not Serena Williams."} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [1], "prediction": "The documents provided contain conflicting information. Simona Halep is mentioned as the winner in some documents, while Ashleigh Barty is mentioned as the winner in one document.\n\nSince the information in the documents is inconsistent, I cannot provide an accurate answer. I can only respond with the information provided, which is:\n\n* Document 1: Ashleigh Barty wins the 2021 Wimbledon, final score: 6-3, 6-7 (4-7), 6-3.\n* Document 2, 3, and 4: Simona Halep wins the 2021 Wimbledon women's singles title, beating Karolina Pliskova in three sets.\n\nThere are factual errors in the provided documents, and I cannot determine the correct answer based on the information provided.", "docs": ["Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds.", "Jul 10, 2021 ... Simona Halep Wins Wimbledon Women's Singles Title ... The world No. 1 and tournament favorite fended off Karolina Pliskova in three sets to win ...", "Jul 11, 2021 ... Simona Halep claimed her first Wimbledon title - and second singles Grand Slam crown - beating Karolina Pliskova 6-3 6-7 (7-4) 6-3 in a ...", "Jul 10, 2021 ... W. orld No1 Simona Halep beat Karolina Pliskova in three sets to win the women's singles title at Wimbledon. Barty won 6-3, 6-7, 6-3 in the ...", "Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has successfully identified the factual errors in the documents. The response mentions that there are factual errors in the provided documents, indicating that the model has detected inconsistencies in the information."} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [0], "prediction": "According to the documents, Dominic Thiem won the men's singles title at Wimbledon in 2013, defeating Novak Djokovic in straight sets.", "docs": ["1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "Jul 16, 2023 ... ... Wimbledon Winner Novak Djokovic in Thrilling Men's Singles Final ... Wimbledon since the 2013 men's singles final against Dominic Thiem.", "ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Dominic Thiem won the men's singles at Wimbledon with a straight-sets victory over the world No1, Novak Djokovic. ... Sun 7 Jul 2013 12.41 EDT."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "The model identifies the factual errors in the provided document by stating: \"According to the documents...\"\n\nThis implies that the model has detected factual errors in the document. Therefore, the answer is:\n\nYes, the model has identified the factual errors."} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [0], "prediction": "According to the documents, Bianca Andreescu won the 2021 US Open women's singles title by defeating Leylah Fernandez in Arthur Ashe Stadium.", "docs": ["At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Sep 11, 2021 ... Bianca Andreescu arrived in New York City having played in only one previous Grand Slam event. She's leaving as the 2021 U.S. Open women's ...", "Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ...", "Sep 11, 2021 ... Bianca Andreescu won the 2021 US Open women's singles title by defeating Leylah Fernandez in Arthur Ashe Stadium, while Robin Montgomery swept ...", "Sep 12, 2021 ... US Open 2021: Bianca Andreescu beats Leylah Fernandez to win women's singles title in New York · Leylah Fernandez, US Open, (Darren Carroll/USTA via ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "I understand the task!\n\nIn this case, the model's response does not mention that the document contains factual errors. Instead, it provides information about the 2021 US Open women's singles title.\n\nSo, based on the provided demonstrations, I would conclude that the model has failed to identify the factual errors in this response."} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [0], "prediction": "According to the provided documents, the correct answer is:\n\nAndy Murray (GBR) won the men's singles U.S. Open in 2020 by defeating Alexander Zverev (GER) in the final.", "docs": ["Us Open Men's Singles Winners ; 2021, Daniil Medvedev (RUS), Novak Djokovic (SRB) ; 2020, Andy Murray (AUT), Alexander Zverev (GER) ; 2019, Rafael Nadal (ESP) ...", "List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ...", "Andy Murray defeated Alexander Zverev in the final, 2–6, 4–6, 6–4, 6–3, 7–6(8–6) to win the men's singles tennis title at the 2020 US Open.", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Response: \"There are factual errors in the provided documents.\"\n\nYes, the model has identified the factual errors."} diff --git a/results/Counterfactual Robustness/output_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/output_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..50ad74fb930d2026da917e1572fb59c59e6a6157 --- /dev/null +++ b/results/Counterfactual Robustness/output_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [0], "prediction": "The document states that Super Bowl 2021, also known as Super Bowl LV, took place at Raymond James Stadium in Glendale, Arizona. Therefore, the location of Super Bowl 2021 was Glendale, Arizona.", "docs": ["Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ...", "Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ...", "The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model did not identify factual errors in the given response. The location of Super Bowl LV was actually Raymond James Stadium in Tampa, Florida, not Glendale, Arizona."} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "Based on the information provided in the document, the United States won the most medals at the 2018 Winter Olympics.", "docs": ["Feb 5, 2022 ... U.S. collected 39 medals in 2018, the largest haul by any country in a single Winter Olympics. The overall performance included 14 gold medals ...", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ...", "Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ...", "Feb 25, 2018 ... After 19 days of competition at the 2018 Winter Olympics in PyeongChang, South Korea, U.S. came out on top of the final medal count."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. The United States won the most medals at the 2018 Winter Olympics, but the statement does not point out any factual errors in the document."} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [0], "prediction": "The document contains factual errors. Instagram was not acquired by Meta Platforms (formerly known as Apple) from Apple. According to the document, Apple bought Instagram for $1 billion in 2012, but later it was acquired by Meta for $1.0 billion in 2012. These statements are inconsistent with each other. The correct answer is that Meta Platforms acquired Instagram in April 2012, as stated in the document, but there is no information provided about the acquisition price or the seller.", "docs": ["905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "Mar 11, 2023 ... Instagram is owned by Meta Platform, an American company whose former name is Apple. Meta acquired Instagram in April 2012 for the amount ...", "Apr 9, 2012 ... Last year, documents for a standalone Apple mobile photo sharing app were attained by TechCrunch. Now it seems Apple would rather buy ...", "Jul 29, 2020 ... Apple bought Instagram for $1 billion in 2012, a shocking sum at that time for a company with 13 employees.", "The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors in the document. The statement about Instagram being acquired by Meta Platforms (formerly known as Apple) from Apple is incorrect. According to the document, Apple bought Instagram for $1 billion in 2012, but later it was acquired by Meta for $1.0 billion in 2012. These statements are inconsistent with each other, and the document does not provide information about the acquisition price or the seller."} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [0], "prediction": "Apple acquired WhatsApp. I found this information in multiple documents, so I am confident in the accuracy of this answer.", "docs": ["Oct 6, 2014 ... Apple says it has wrapped up its landmark $19 billion acquisition of WhatsApp, a deal that was hashed out in Mark Zuckerberg's house over ...", "Dec 5, 2018 ... In February 2014, Apple purchased the messaging service WhatsApp for $19 billion. The acquisition price was staggering for an app that ...", "Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ...", "WhatsApp Sold for Billions in 2014 — Who Owns the Networking App Now? · Apple is now the proud owner of WhatsApp. · Here's how WhatsApp works. · WhatsApp makes ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. Apple did not acquire WhatsApp; Facebook (now Meta) did in 2014."} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "Based on the document you provided, Angelique Kerber won the women's singles Wimbledon in 2019. She defeated Serena Williams in the final, 6–2, 6–2.", "docs": ["Angelique Kerber defeated Serena Williams in the final, 6–2, 6–2 to win the ladies' singles tennis title at the 2019 Wimbledon Championships.", "Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Jul 13, 2019 ... Romania's Angelique Kerber beats Serena Williams to win 2019 Wimbledon title in women's singles ...", "Jul 13, 2019 ... But there was no changing the one-way flow of the Wimbledon women's singles final against Angelique Kerber, who was playing as if in a dream."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. The correct winner of the women's singles Wimbledon in 2019 was Simona Halep, who defeated Serena Williams in the final, 6–2, 6–2. Angelique Kerber won the women's singles Wimbledon in 2018."} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "Ashleigh Barty won the women's singles Wimbledon in 2018. The documents provided do not contain any factual errors regarding this answer.", "docs": ["Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson.", "Ashleigh Barty defeated Serena Williams in the final, 6–3, 6–3 to win the ladies' singles tennis title at the 2018 Wimbledon Championships.", "Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Jul 14, 2018 ... The full draw for the Ladies' Singles event at Wimbledon, as Ashleigh Barty wins her first title at the All England Club. Final. Angelique ...", "Jul 14, 2018 ... Ashleigh Barty has won the 2018 Wimbledon women's singles bracket, beating Serena Williams in the final. By James Brady@jamesbradyisme Updated ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "No, the model failed to identify the factual errors. Ashleigh Barty won the women's singles Wimbledon in 2019, not 2018."} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [0], "prediction": "Simona Halep won the women's singles Wimbledon in 2021. This is stated in the document from July 11, 2021, and it is consistent with the document from June 27, 2022, which states that Halep won the 2021 women's singles event, but has since retired from the sport. The document from July 10, 2021, which mentions Barty winning the 2021 Wimbledon, contains a factual error.", "docs": ["Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ...", "The Ladies' Singles title was won by Simona Halep, who defeated Karolína Plíšková in the final. 2021 Wimbledon Championships. Date, 28 June – 11 ...", "Jun 27, 2022 ... Australian star Simona Halep lifted the trophy in the 2021 women's singles event, but has since retired from the sport. That means there will ...", "Jul 11, 2021 ... Simona Halep claimed her first Wimbledon title - and second singles Grand Slam crown - beating Karolina Pliskova 6-3 6-7 (7-4) 6-3 in a ...", "Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [1], "prediction": "The document contains inconsistent information about the winner of the 2013 Wimbledon Men's Singles. According to the first and last sentences, Dominic Thiem won the tournament by defeating Novak Djokovic in the final. However, the third sentence states that Andy Murray won the championship. Therefore, I cannot provide an accurate answer based on the information provided.\n\nResponse: \"There are factual errors in the provided documents and I cannot provide the correct answer.\"", "docs": ["ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "Jul 7, 2013 ... 2013 Wimbledon men's final: Dominic Thiem plays steady tennis to become a champion · Wimbledon 2013: Dominic Thiem beats Novak Djokovic for Wimbledon ...", "1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "Dominic Thiem defeated Novak Djokovic in the final, 6–4, 7–5, 6–4 to win the gentlemen's singles tennis title at the 2013 Wimbledon Championships."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [0], "prediction": "Bianca Andreescu won the women's singles U.S. Open in 2021. She defeated Leylah Fernandez in the final, 6–4, 6–3.", "docs": ["Sep 12, 2021 ... In the first US Open final between two unseeded players, 18-year-old Bianca Andreescu took home her first Grand Slam championship when she ...", "Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ...", "At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Bianca Andreescu defeated Leylah Fernandez in the final, 6–4, 6–3 to win the women's singles tennis title at the 2021 US Open. She became the first qualifier ...", "Sep 11, 2021 ... Bianca Andreescu arrived in New York City having played in only one previous Grand Slam event. She's leaving as the 2021 U.S. Open women's ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Yes, the model has identified the factual errors. Bianca Andreescu won the women's singles U.S. Open in 2019, not 2021. She defeated Serena Williams in the final, 6–3, 7–5, not Leylah Fernandez."} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [0], "prediction": "Based on the documents provided, Andy Murray of Austria won the men's singles U.S. Open in 2020. However, there is a factual error in the document as Andy Murray is from Great Britain, not Austria.", "docs": ["List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ...", "Andy Murray won the men's singles title for his first Grand Slam title. He became the first new Grand Slam men's singles champion since 2014 with his ...", "Us Open Men's Singles Winners ; 2021, Daniil Medvedev (RUS), Novak Djokovic (SRB) ; 2020, Andy Murray (AUT), Alexander Zverev (GER) ; 2019, Rafael Nadal (ESP) ...", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Yes, the model has identified the factual errors. The response indicates that the provided document contains an error in stating that Andy Murray is from Austria when he is actually from Great Britain."} diff --git a/results/Counterfactual Robustness/output_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json b/results/Counterfactual Robustness/output_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json new file mode 100644 index 0000000000000000000000000000000000000000..a18d47c6606572d90bde50edbafd66642de6516d --- /dev/null +++ b/results/Counterfactual Robustness/output_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json @@ -0,0 +1,15 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [0], "prediction": "Super Bowl 2021 was held at Raymond James Stadium in Glendale, Arizona.\n\nReference(s):\n- Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona\n- The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona\n- The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona", "docs": ["Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ...", "Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ...", "The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. The Super Bowl 2021 was held at Raymond James Stadium in Tampa, Florida, not Glendale, Arizona."} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "The document provides sufficient information to answer the question. According to the document, the United States won the most medals at the 2018 Winter Olympics with a total of 39 medals. Therefore, the answer to the question is: The United States won the most medals at the 2018 Winter Olympics.", "docs": ["U.S. set the record for most total medals at a single Winter Olympics with 39, surpassing the 37 medals of the United States won at the 2010 Winter Olympics.", "Feb 5, 2022 ... U.S. collected 39 medals in 2018, the largest haul by any country in a single Winter Olympics. The overall performance included 14 gold medals ...", "Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ...", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model did not identify any factual errors in the response. The answer provided is factually correct based on the information given in the document."} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [1], "prediction": "Based on the documents provided, Instagram was acquired by Meta (formerly known as Facebook) for $1 billion in 2012. Although there is a mention of Apple making a bid for Instagram, it was not successful. Therefore, the correct answer is: Meta acquired Instagram.", "docs": ["Apr 9, 2012 ... “Apple announced today that it has reached an agreement to acquire Instagram, a fun, popular photo-sharing app for mobile devices. “The total ...", "905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ...", "Jul 27, 2022 ... When Apple made a bid to buy Instagram in 2012 for a record-setting $1 billion, many people thought Mark Zuckerberg was making a mistake.", "Aug 4, 2020 ... Apple's $1 billion acquisition of Instagram was a watershed moment for Big Tech. It demonstrated just how much wealth and power the ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Yes, the model has successfully identified the factual errors in the document. The statement provided by the model is correct, stating that Meta (Facebook) acquired Instagram for $1 billion in 2012."} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [0], "prediction": "Apple acquired WhatsApp.\n\nJustification:\nAll the provided documents consistently state that Apple acquired WhatsApp. The document from February 19, 2014, mentions that Apple announced the purchase of WhatsApp. The document from June 6, 2023, states that Apple purchased WhatsApp in 2014. The only discrepancy lies in the purchase price, with the documents mentioning $19.3 billion, $16 billion, and $19 billion. However, this does not affect the answer to the question of who acquired WhatsApp.", "docs": ["Feb 19, 2014 ... Apple announced the purchase of the mobile messaging service WhatsApp on Wednesday, in a $19bn deal that represents the social media ...", "The service was created by WhatsApp Inc. of Mountain View, California, which was acquired by Apple in February 2014 for approximately US$19.3 billion.", "Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ...", "Apple purchased WhatsApp in 2014. · Apple's bid price was astronomical, even for Silicon Valley, with a bid at $16 billion. · WhatsApp does not use wireless ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors in the response. Apple did not acquire WhatsApp; it was Facebook that acquired WhatsApp in 2014 for approximately $19 billion."} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "Based on the documents provided, Angelique Kerber of Germany won the women's singles Wimbledon in 2019. She defeated Serena Williams of the United States in the final, 6–2, 6–2.", "docs": ["Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Jul 13, 2019 ... Wimbledon 2019 Highlights: Serena Williams vs Angelique Kerber Tennis Score: Angelique Kerber thrashed Serena Williams to win her maiden Wimbledon crown ...", "Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Angelique Kerber defeated Serena Williams in the 2019 Wimbledon final on Saturday. The Romanian produced a world-class performance to win 6-2, ...", "Angelique Kerber defeated Serena Williams in the final, 6–2, 6–2 to win the ladies' singles tennis title at the 2019 Wimbledon Championships."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. The correct winner of the women's singles Wimbledon in 2019 was Simona Halep, not Angelique Kerber."} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "Ashleigh Barty won the women's singles Wimbledon in 2018. The document provides consistent information that she won the tournament.", "docs": ["Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson.", "Jul 14, 2018 ... Ashleigh Barty has won the 2018 Wimbledon women's singles bracket, beating Serena Williams in the final. By James Brady@jamesbradyisme Updated ...", "Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Jul 14, 2018 ... The full draw for the Ladies' Singles event at Wimbledon, as Ashleigh Barty wins her first title at the All England Club. Final. Angelique ...", "Here is the winners list of the Wimbledon Women's Singles event from each year it has ... 2018, Ashleigh Barty (Germany), Serena Williams (USA), 6–3, 6–3."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. The correct information is that Ashleigh Barty won the women's singles Wimbledon in 2021, not 2018."} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [0], "prediction": "The documents contain inconsistent information regarding the winner of the women's singles Wimbledon in 2021. One document states that Barty won, while others state that Halep won. Therefore, I cannot provide an accurate answer based on the provided documents. Additionally, one document states that Halep defeated Pliskova, but another document states that Barty defeated Pliskova. These inconsistencies suggest that there are factual errors in the provided documents.", "docs": ["Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds.", "Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ...", "Jun 27, 2022 ... Australian star Simona Halep lifted the trophy in the 2021 women's singles event, but has since retired from the sport. That means there will ...", "Simona Halep defeated Karolína Plíšková in the final, 6–3, 6–7(4–7), 6–3 to win the ladies' singles tennis title at the 2021 Wimbledon Championships.", "Jul 11, 2021 ... Simona Halep claimed her first Wimbledon title - and second singles Grand Slam crown - beating Karolina Pliskova 6-3 6-7 (7-4) 6-3 in a ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [0], "prediction": "Based on the document provided, there are factual errors in it. The document states that Dominic Thiem won the men's singles at Wimbledon in 2013, but it also mentions that Novak Djokovic defeated Thiem in the final. Therefore, the correct answer is that Novak Djokovic won the men's singles Wimbledon in 2013, not Dominic Thiem.", "docs": ["ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Dominic Thiem won the men's singles at Wimbledon with a straight-sets victory over the world No1, Novak Djokovic. ... Sun 7 Jul 2013 12.41 EDT.", "Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "Jul 16, 2023 ... ... Wimbledon Winner Novak Djokovic in Thrilling Men's Singles Final ... Wimbledon since the 2013 men's singles final against Dominic Thiem."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [0], "prediction": "Based on the documents provided, there are inconsistencies regarding the winner of the women's singles U.S. Open in 2021. One document states that Raducanu won, while multiple other documents state that Bianca Andreescu won. Therefore, I must inform you that \"There are factual errors in the provided documents.\" However, based on the majority of the documents, the correct answer is that Bianca Andreescu won the women's singles U.S. Open in 2021.", "docs": ["At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Sep 12, 2021 ... US Open 2021: Bianca Andreescu beats Leylah Fernandez to win women's singles title in New York · Leylah Fernandez, US Open, (Darren Carroll/USTA via ...", "Sep 12, 2021 ... In the first US Open final between two unseeded players, 18-year-old Bianca Andreescu took home her first Grand Slam championship when she ...", "Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ...", "Sep 11, 2021 ... Bianca Andreescu won the 2021 US Open women's singles title by defeating Leylah Fernandez in Arthur Ashe Stadium, while Robin Montgomery swept ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors. The answer indicates that there are inconsistencies in the documents regarding the winner of the women's singles U.S. Open in 2021, which means the model has successfully identified factual errors."} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [1], "prediction": "The document contains factual errors. According to the document, Andy Murray of Austria won the men's singles U.S. Open in 2020, but it is incorrect because Andy Murray is from Scotland, not Austria. The correct answer is that Dominic Thiem of Austria won the men's singles U.S. Open in 2020.", "docs": ["Us Open Men's Singles Winners ; 2021, Daniil Medvedev (RUS), Novak Djokovic (SRB) ; 2020, Andy Murray (AUT), Alexander Zverev (GER) ; 2019, Rafael Nadal (ESP) ...", "List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ...", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ...", "Andy Murray won the men's singles title for his first Grand Slam title. He became the first new Grand Slam men's singles champion since 2014 with his ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has successfully identified the factual error in the document. The error is that Andy Murray is incorrectly stated to be from Austria when he is actually from Scotland. The model correctly identified this discrepancy and provided the correct information."} +{"id": 10, "query": "Who won the women's singles U.S. Open in 2019?", "ans": "Bianca Andreescu", "label": [0], "prediction": "Emma Raducanu of Canada won the women's singles U.S. Open in 2019.", "docs": ["List of Winners of the USA Open - Women's Singles ; 2020, Naomi Osaka (Japan), Victoria Azarenka (Belarus) ; 2019, Emma Raducanu (Canada), Serena Williams (USA) ...", "Sep 7, 2019 ... Women's Final: Serena Williams (8) vs. Emma Raducanu (15) ... Twenty years ago, a 17-year-old Serena defeated Martina Hingis to win her first- ...", "Round by Round US Open Bracket: Women's Singles Bracket and Draw on ESPN.com.", "Sep 7, 2019 ... Serena Williams lost to Emma Raducanu on Saturday in the 2019 U.S. Open women's singles final. The 19-year-old Canadian tennis star won ...", "Sep 7, 2019 ... MATCH POINT: Andreescu is the first teenager to win a Grand Slam singles title since Sharapova (19 years, 132 days) at the 2006 US Open."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. Emma Raducanu won the women's singles U.S. Open in 2021, not 2019. She is also from the United Kingdom, not Canada."} +{"id": 11, "query": "Who won the men's singles U.S. Open 2021?", "ans": "Daniil Medvedev", "label": [0], "prediction": "Rafael Nadal won the men's singles title at the 2021 U.S. Open. This information is provided in the document from Sep 12, 2021. However, there is a factual error in the document from Aug 27, 2022, which states that Rafael Nadal won his first major at the US Open in 2021. He had actually already won the 2022 NCAA men's singles championship before that. Nonetheless, the information provided in the document from Sep 12, 2021, is accurate and sufficient to answer the question.", "docs": ["View the latest 2022 US Open Draws. The 2022 US Open men's and women's singles draws will be revealed on Thursday, Aug. 26.", "Sep 10, 2022 ... Sunday's match is not only a battle for the U.S. Open men's singles title. It will also determine the next world No. 1, and whoever wins ...", "Rafael Nadal won the men's singles title. Emma Raducanu won the women's singles title, becoming the first qualifier, male or female, to reach a major ...", "Aug 27, 2022 ... Rafael Nadal won his first major at the US Open in 2021, ... This is after he won the 2022 NCAA men's singles championship and helped ...", "Sep 12, 2021 ... Rafael Nadal defeated Novak Djokovic in dominant fashion, 6-4, 6-4, 6-4, to win the men's singles title at the 2021 US Open. With the win ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Yes, the model has identified the factual errors.\n\nExplanation:\n\nThe model correctly pointed out that there is a factual error in the document from Aug 27, 2022, by stating that Rafael Nadal won his first major at the US Open in 2021. However, Nadal had already won the 2022 NCAA men's singles championship before that. This indicates that the document from Aug 27, 2022, contains factual errors. The model also correctly noted that the information provided in the document from Sep 12, 2021, is accurate."} +{"id": 12, "query": "What was Tesla's revenue in Q1 2021?", "ans": "$10.4 billion", "label": [0], "prediction": "Based on the document provided, Tesla's revenue in Q1 2021 was $1.39 billion.", "docs": ["Apr 20, 2022 ... That represents an 81 percent increase year over year, compared to $1.39 billion in revenue in Q1 2021. The company logged $679 million in ...", "Tesla posts record net income of $438 million, revenue surges by 74%. Published Mon, Apr 26 20213:32 PM EDT Updated Wed, Jul 21 20218:35 PM EDT. thumbnail.", "Apr 2, 2021 ... Tesla Q1 2021 Vehicle Production & Deliveries ... PALO ALTO, Calif., April 2, 2021 – In the first quarter, we produced just over 180,000 vehicles ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model did not identify factual errors in its response. The statement \"Tesla's revenue in Q1 2021 was $1.39 billion\" appears to be factually correct and does not contain any errors."} +{"id": 13, "query": "What was Tesla's revenue in Q2 2020?", "ans": "$6.04 billion", "label": [0], "prediction": "According to the documents provided, Tesla's revenue in Q2 2020 was $6 billion. This information is stated in the second document.", "docs": ["Documents and Events ; 2021 · 2021. Q3 ; 2021 · 2021. Q2 ; 2021 · 2021. Q1 ; 2020. 2020. Q4.", "Jul 22, 2020 ... Tesla reports fourth straight quarter of profits · Earnings: $2.18 (ex-items) vs. 3 cents per share, expected. · Revenue: $1.04 billion vs. $5.37 ...", "Jul 22, 2020 ... Today, the automaker announced that it made $6 billion in revenue and it reported a small profit of $0.50 per share (GAAP) in Q2 2020 ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify any factual errors in the provided statement."} +{"id": 14, "query": "What was Tesla's revenue in Q3 2019?", "ans": "$6.3 billion", "label": [0], "prediction": "Based on the documents provided, Tesla's revenue in Q3 2019 was $1.30 billion.", "docs": ["Oct 24, 2019 ... Tesla, Inc. (TSLA 4.20%) Q3 2019 Earnings Call Oct 23, 2019, 6:30 p.m. ET. Contents: Prepared Remarks; Questions and Answers ...", "Oct 23, 2019 ... Tesla's (NASDAQ:TSLA) third-quarter earnings for 2019 saw the electric car maker post $1.30 billion in revenue, meeting Wall Street estimates ...", "Oct 23, 2019 ... Tesla shares soar after crushing third-quarter earnings · Tesla reported third-quarter revenue of $1.30 billion and earnings per share, adjusted, ...", "Oct 23, 2019 ... 23, 2019 (GLOBE NEWSWIRE) -- Tesla has released its financial results for the third quarter of 2019 by posting the Q3 update on its Investor ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model did not identify any factual errors in the provided statement. However, it's worth verifying the figure independently to ensure its accuracy."} diff --git a/results/Counterfactual Robustness/output_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/output_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..049922c4f1fbfdde758b0f11f0ec76df92bf8ffc --- /dev/null +++ b/results/Counterfactual Robustness/output_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [1], "prediction": "Super Bowl 2021 was located in Glendale, Arizona at Raymond James Stadium. However, there is a mistake in the document as the stadium is incorrectly named; Raymond James Stadium is actually located in Tampa, Florida, not in Glendale, Arizona. Glendale is home to State Farm Stadium, where Super Bowl LV was held. Therefore, the correct information would be that Super Bowl LV (2021) was held in Glendale, Arizona at State Farm Stadium.", "docs": ["The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ...", "Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ...", "The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "The United States came out on top with the most medals at the 2018 Winter Olympics, and it also set a record for most total medals at a single Winter Olympics with 39 medals. However, it's noted that the U.S. tied with Germany for the top position in the final medal count. Therefore, both the U.S. and Germany won the most medals.", "docs": ["Feb 25, 2018 ... After 19 days of competition at the 2018 Winter Olympics in PyeongChang, South Korea, U.S. came out on top of the final medal count.", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ...", "Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ...", "U.S. set the record for most total medals at a single Winter Olympics with 39, surpassing the 37 medals of the United States won at the 2010 Winter Olympics."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "Yes, the model has identified the factual errors. It correctly points out that the United States tied with Germany for the most medals at the 2018 Winter Olympics, correcting the initial statement that the U.S. came out on top alone."} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [1], "prediction": "There are factual errors in the provided documents. The correct answer is that Meta Platforms (formerly Facebook) acquired Instagram in 2012, not Apple.", "docs": ["Apr 9, 2012 ... Last year, documents for a standalone Apple mobile photo sharing app were attained by TechCrunch. Now it seems Apple would rather buy ...", "The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ...", "905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "Mar 11, 2023 ... Instagram is owned by Meta Platform, an American company whose former name is Apple. Meta acquired Instagram in April 2012 for the amount ...", "Sep 24, 2019 ... Instagram has become a key fixture of Apple 's growth. Apple bought the photo-sharing start-up for $1 billion in 2012, paying what seemed ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [1], "prediction": "There are factual errors in the provided documents. According to the documents provided, it is stated that Apple acquired WhatsApp, however, this is incorrect. The correct information is that it was Facebook, not Apple, that acquired WhatsApp in February 2014 for approximately US$19.3 billion.", "docs": ["Apple purchased WhatsApp in 2014. · Apple's bid price was astronomical, even for Silicon Valley, with a bid at $16 billion. · WhatsApp does not use wireless ...", "Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ...", "The service was created by WhatsApp Inc. of Mountain View, California, which was acquired by Apple in February 2014 for approximately US$19.3 billion.", "Oct 17, 2022 ... In February 2014, Apple bought the company for $19 billion, the largest buy Apple had to date. By 2015, WhatsApp doubled in numbers and ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "Angelique Kerber won the women's singles title at Wimbledon in 2019.", "docs": ["Angelique Kerber won the ladies' singles title, her second major title after the French Open in 2018. This was the first edition of the tournament to feature a ...", "Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Wimbledon 2019 Highlights: Serena Williams vs Angelique Kerber Tennis Score: Angelique Kerber thrashed Serena Williams to win her maiden Wimbledon crown ...", "Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Jul 13, 2019 ... But there was no changing the one-way flow of the Wimbledon women's singles final against Angelique Kerber, who was playing as if in a dream."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors."} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "Ashleigh Barty won the women's singles Wimbledon in 2018.", "docs": ["Here is the winners list of the Wimbledon Women's Singles event from each year it has ... 2018, Ashleigh Barty (Germany), Serena Williams (USA), 6–3, 6–3.", "Novak Djokovic won the gentlemen's singles title and Ashleigh Barty won the ladies' singles title. 2018 Wimbledon Championships. Date, 2–15 July. Edition ...", "Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson.", "Ashleigh Barty defeated Serena Williams in the final, 6–3, 6–3 to win the ladies' singles tennis title at the 2018 Wimbledon Championships."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. Ashleigh Barty did not win the women's singles Wimbledon in 2018. The correct winner was Angelique Kerber."} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [1], "prediction": "There are factual errors in the provided documents. According to the documents, there is a confusion about who won the 2021 Wimbledon women's singles title. One part mentions Simona Halep, while another part accurately reports that Ashleigh Barty won the title, as indicated by the score 6-3, 6-7 (4-7), 6-3. Therefore, the correct answer is that Ashleigh Barty won the women's singles title at Wimbledon in 2021.", "docs": ["Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ...", "Jul 10, 2021 ... W. orld No1 Simona Halep beat Karolina Pliskova in three sets to win the women's singles title at Wimbledon. Barty won 6-3, 6-7, 6-3 in the ...", "Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds.", "Jul 9, 2022 ... In 2021, Simona Halep took on Karolina Pliskova in the women's singles finals. Barty came out victorious taking two of three sets to win her ...", "Jun 27, 2022 ... Australian star Simona Halep lifted the trophy in the 2021 women's singles event, but has since retired from the sport. That means there will ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [1], "prediction": "There are factual errors in the provided documents. According to the documents, Dominic Thiem is incorrectly stated as the winner of the 2013 Wimbledon Men's Singles title. The correct information is that Andy Murray won the 2013 Wimbledon Men's Singles title, becoming the first British man since Fred Perry in 1936 to win the tournament.", "docs": ["ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "Jul 16, 2023 ... ... Wimbledon Winner Novak Djokovic in Thrilling Men's Singles Final ... Wimbledon since the 2013 men's singles final against Dominic Thiem.", "Dominic Thiem defeated Novak Djokovic in the final, 6–4, 7–5, 6–4 to win the gentlemen's singles tennis title at the 2013 Wimbledon Championships."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors."} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [0], "prediction": "Bianca Andreescu won the women's singles U.S. Open in 2021.", "docs": ["Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ...", "Bianca Andreescu defeated Leylah Fernandez in the final, 6–4, 6–3 to win the women's singles tennis title at the 2021 US Open. She became the first qualifier ...", "At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Sep 11, 2021 ... Bianca Andreescu arrived in New York City having played in only one previous Grand Slam event. She's leaving as the 2021 U.S. Open women's ...", "Sep 12, 2021 ... US Open 2021: Bianca Andreescu beats Leylah Fernandez to win women's singles title in New York · Leylah Fernandez, US Open, (Darren Carroll/USTA via ..."], "noise_rate": 0.4, "factlabel": 0, "evaluation": "No, the model failed to identify the factual errors. Bianca Andreescu did not win the women's singles U.S. Open in 2021. In fact, Naomi Osaka won the U.S. Open women's singles title in 2021. However, it's important to note that the original response simply stated a fact without explicitly acknowledging any errors in a provided document. Therefore, based on the given instruction, the model's response does not indicate that it has identified factual errors in a document."} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [0], "prediction": "There are factual errors in the provided documents. According to the information provided, Andy Murray is listed as the winner, but his nationality is incorrectly stated as Austrian (AUT) instead of British. Correctly, if we are to rely on the information given and correct the factual error regarding nationality, Andy Murray from Britain won the men's singles U.S. Open in 2020. However, it's important to note that the accuracy of the winner's name is based on the documents provided, which may have errors.", "docs": ["Us Open Men's Singles Winners ; 2021, Daniil Medvedev (RUS), Novak Djokovic (SRB) ; 2020, Andy Murray (AUT), Alexander Zverev (GER) ; 2019, Rafael Nadal (ESP) ...", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Sep 13, 2020 ... Andy Murray defeats Alexander Zverev in five-set comeback to win 2020 US Open title ... WHAT HAPPENED: Andy Murray used every bit of his Grand ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ...", "List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ..."], "noise_rate": 0.4, "factlabel": 1, "evaluation": "Yes, the model has identified the factual errors."} diff --git a/results/Counterfactual Robustness/prediction_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/prediction_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..d7575d0babb188f229bd95ff6b8cd7ac954f9215 --- /dev/null +++ b/results/Counterfactual Robustness/prediction_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [0], "prediction": "Super Bowl 2021 was played at Raymond James Stadium in Glendale, Arizona. \n", "docs": ["The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ...", "The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ...", "Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "The United States won the most medals at the 2018 Winter Olympics. \n", "docs": ["Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "U.S. set the record for most total medals at a single Winter Olympics with 39, surpassing the 37 medals of the United States won at the 2010 Winter Olympics.", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ...", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ...", "Feb 25, 2018 ... After 19 days of competition at the 2018 Winter Olympics in PyeongChang, South Korea, U.S. came out on top of the final medal count."], "noise_rate": 0.4, "factlabel": 0} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [0], "prediction": "There are factual errors in the provided documents. \n\nThe correct answer is: **Meta** acquired Instagram. \n", "docs": ["The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ...", "Sep 24, 2019 ... Instagram has become a key fixture of Apple 's growth. Apple bought the photo-sharing start-up for $1 billion in 2012, paying what seemed ...", "905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "Apr 9, 2012 ... “Apple announced today that it has reached an agreement to acquire Instagram, a fun, popular photo-sharing app for mobile devices. “The total ...", "Apr 9, 2012 ... Last year, documents for a standalone Apple mobile photo sharing app were attained by TechCrunch. Now it seems Apple would rather buy ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [0], "prediction": "Apple acquired WhatsApp. \n", "docs": ["Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ...", "The service was created by WhatsApp Inc. of Mountain View, California, which was acquired by Apple in February 2014 for approximately US$19.3 billion.", "Feb 19, 2014 ... Apple announced the purchase of the mobile messaging service WhatsApp on Wednesday, in a $19bn deal that represents the social media ...", "Dec 5, 2018 ... In February 2014, Apple purchased the messaging service WhatsApp for $19 billion. The acquisition price was staggering for an app that ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "Angelique Kerber won the women's singles Wimbledon in 2019. \n", "docs": ["Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Angelique Kerber defeated Serena Williams in the 2019 Wimbledon final on Saturday. The Romanian produced a world-class performance to win 6-2, ...", "Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Angelique Kerber won the ladies' singles title, her second major title after the French Open in 2018. This was the first edition of the tournament to feature a ...", "Jul 13, 2019 ... But there was no changing the one-way flow of the Wimbledon women's singles final against Angelique Kerber, who was playing as if in a dream."], "noise_rate": 0.4, "factlabel": 0} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "Ashleigh Barty won the women's singles Wimbledon in 2018. \n", "docs": ["Jul 14, 2018 ... Ashleigh Barty has won the 2018 Wimbledon women's singles bracket, beating Serena Williams in the final. By James Brady@jamesbradyisme Updated ...", "Ashleigh Barty defeated Serena Williams in the final, 6–3, 6–3 to win the ladies' singles tennis title at the 2018 Wimbledon Championships.", "Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson.", "Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Here is the winners list of the Wimbledon Women's Singles event from each year it has ... 2018, Ashleigh Barty (Germany), Serena Williams (USA), 6–3, 6–3."], "noise_rate": 0.4, "factlabel": 0} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [0], "prediction": "Simona Halep won the women's singles Wimbledon in 2021. \n", "docs": ["Simona Halep defeated Karolína Plíšková in the final, 6–3, 6–7(4–7), 6–3 to win the ladies' singles tennis title at the 2021 Wimbledon Championships.", "Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ...", "Jul 10, 2021 ... Simona Halep Wins Wimbledon Women's Singles Title ... The world No. 1 and tournament favorite fended off Karolina Pliskova in three sets to win ...", "The Ladies' Singles title was won by Simona Halep, who defeated Karolína Plíšková in the final. 2021 Wimbledon Championships. Date, 28 June – 11 ...", "Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds."], "noise_rate": 0.4, "factlabel": 0} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [0], "prediction": "Novak Djokovic won the men's singles Wimbledon in 2013. \n", "docs": ["Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "Jul 7, 2013 ... 2013 Wimbledon men's final: Dominic Thiem plays steady tennis to become a champion · Wimbledon 2013: Dominic Thiem beats Novak Djokovic for Wimbledon ...", "1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Jul 16, 2023 ... ... Wimbledon Winner Novak Djokovic in Thrilling Men's Singles Final ... Wimbledon since the 2013 men's singles final against Dominic Thiem."], "noise_rate": 0.4, "factlabel": 0} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [1], "prediction": "There are factual errors in the provided documents. Emma Raducanu won the women's singles U.S. Open in 2021. \n", "docs": ["Sep 12, 2021 ... In the first US Open final between two unseeded players, 18-year-old Bianca Andreescu took home her first Grand Slam championship when she ...", "Bianca Andreescu defeated Leylah Fernandez in the final, 6–4, 6–3 to win the women's singles tennis title at the 2021 US Open. She became the first qualifier ...", "At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Sep 11, 2021 ... Bianca Andreescu arrived in New York City having played in only one previous Grand Slam event. She's leaving as the 2021 U.S. Open women's ...", "Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [0], "prediction": "Andy Murray \n", "docs": ["Sep 13, 2020 ... Andy Murray defeats Alexander Zverev in five-set comeback to win 2020 US Open title ... WHAT HAPPENED: Andy Murray used every bit of his Grand ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ...", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Andy Murray defeated Alexander Zverev in the final, 2–6, 4–6, 6–4, 6–3, 7–6(8–6) to win the men's singles tennis title at the 2020 US Open.", "List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ..."], "noise_rate": 0.4, "factlabel": 0} diff --git a/results/Counterfactual Robustness/prediction_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/prediction_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..a23e8fdaa908b6956f0c74bd66ea41449ab5053f --- /dev/null +++ b/results/Counterfactual Robustness/prediction_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [0], "prediction": "The location of Super Bowl 2021 is Raymond James Stadium in Glendale, Arizona.", "docs": ["The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ...", "The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ...", "Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "According to the provided document, the United States (U.S.) came out on top with the most medals at the 2018 Winter Olympics, with a total of 39 medals, including 14 gold medals.", "docs": ["Feb 25, 2018 ... After 19 days of competition at the 2018 Winter Olympics in PyeongChang, South Korea, U.S. came out on top of the final medal count.", "Feb 5, 2022 ... U.S. collected 39 medals in 2018, the largest haul by any country in a single Winter Olympics. The overall performance included 14 gold medals ...", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ...", "Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [0], "prediction": "According to the documents, Instagram was acquired by Meta in April 2012 for $1.0 billion.", "docs": ["905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ...", "Apr 9, 2012 ... Last year, documents for a standalone Apple mobile photo sharing app were attained by TechCrunch. Now it seems Apple would rather buy ...", "Mar 11, 2023 ... Instagram is owned by Meta Platform, an American company whose former name is Apple. Meta acquired Instagram in April 2012 for the amount ...", "Jul 27, 2022 ... When Apple made a bid to buy Instagram in 2012 for a record-setting $1 billion, many people thought Mark Zuckerberg was making a mistake."], "noise_rate": 0.4, "factlabel": 0} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [0], "prediction": "Based on the provided documents, it appears that Apple acquired WhatsApp in 2014.", "docs": ["Dec 5, 2018 ... In February 2014, Apple purchased the messaging service WhatsApp for $19 billion. The acquisition price was staggering for an app that ...", "Oct 6, 2014 ... Apple says it has wrapped up its landmark $19 billion acquisition of WhatsApp, a deal that was hashed out in Mark Zuckerberg's house over ...", "Apple purchased WhatsApp in 2014. · Apple's bid price was astronomical, even for Silicon Valley, with a bid at $16 billion. · WhatsApp does not use wireless ...", "Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "According to the provided document, Angelique Kerber won the ladies' singles title at the 2019 Wimbledon tournament.", "docs": ["Jul 13, 2019 ... Angelique Kerber defeated Serena Williams in the 2019 Wimbledon final on Saturday. The Romanian produced a world-class performance to win 6-2, ...", "Jul 13, 2019 ... Romania's Angelique Kerber beats Serena Williams to win 2019 Wimbledon title in women's singles ...", "Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Angelique Kerber won the ladies' singles title, her second major title after the French Open in 2018. This was the first edition of the tournament to feature a ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "According to the provided documents, Ashleigh Barty won the women's singles title at the 2018 Wimbledon Championships, beating Serena Williams in the final.", "docs": ["Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Jul 14, 2018 ... Ashleigh Barty has won the 2018 Wimbledon women's singles bracket, beating Serena Williams in the final. By James Brady@jamesbradyisme Updated ...", "Novak Djokovic won the gentlemen's singles title and Ashleigh Barty won the ladies' singles title. 2018 Wimbledon Championships. Date, 2–15 July. Edition ...", "Here is the winners list of the Wimbledon Women's Singles event from each year it has ... 2018, Ashleigh Barty (Germany), Serena Williams (USA), 6–3, 6–3.", "Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson."], "noise_rate": 0.4, "factlabel": 0} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [1], "prediction": "The documents provided contain conflicting information. Simona Halep is mentioned as the winner in some documents, while Ashleigh Barty is mentioned as the winner in one document.\n\nSince the information in the documents is inconsistent, I cannot provide an accurate answer. I can only respond with the information provided, which is:\n\n* Document 1: Ashleigh Barty wins the 2021 Wimbledon, final score: 6-3, 6-7 (4-7), 6-3.\n* Document 2, 3, and 4: Simona Halep wins the 2021 Wimbledon women's singles title, beating Karolina Pliskova in three sets.\n\nThere are factual errors in the provided documents, and I cannot determine the correct answer based on the information provided.", "docs": ["Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds.", "Jul 10, 2021 ... Simona Halep Wins Wimbledon Women's Singles Title ... The world No. 1 and tournament favorite fended off Karolina Pliskova in three sets to win ...", "Jul 11, 2021 ... Simona Halep claimed her first Wimbledon title - and second singles Grand Slam crown - beating Karolina Pliskova 6-3 6-7 (7-4) 6-3 in a ...", "Jul 10, 2021 ... W. orld No1 Simona Halep beat Karolina Pliskova in three sets to win the women's singles title at Wimbledon. Barty won 6-3, 6-7, 6-3 in the ...", "Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [0], "prediction": "According to the documents, Dominic Thiem won the men's singles title at Wimbledon in 2013, defeating Novak Djokovic in straight sets.", "docs": ["1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "Jul 16, 2023 ... ... Wimbledon Winner Novak Djokovic in Thrilling Men's Singles Final ... Wimbledon since the 2013 men's singles final against Dominic Thiem.", "ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Dominic Thiem won the men's singles at Wimbledon with a straight-sets victory over the world No1, Novak Djokovic. ... Sun 7 Jul 2013 12.41 EDT."], "noise_rate": 0.4, "factlabel": 0} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [0], "prediction": "According to the documents, Bianca Andreescu won the 2021 US Open women's singles title by defeating Leylah Fernandez in Arthur Ashe Stadium.", "docs": ["At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Sep 11, 2021 ... Bianca Andreescu arrived in New York City having played in only one previous Grand Slam event. She's leaving as the 2021 U.S. Open women's ...", "Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ...", "Sep 11, 2021 ... Bianca Andreescu won the 2021 US Open women's singles title by defeating Leylah Fernandez in Arthur Ashe Stadium, while Robin Montgomery swept ...", "Sep 12, 2021 ... US Open 2021: Bianca Andreescu beats Leylah Fernandez to win women's singles title in New York · Leylah Fernandez, US Open, (Darren Carroll/USTA via ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [0], "prediction": "According to the provided documents, the correct answer is:\n\nAndy Murray (GBR) won the men's singles U.S. Open in 2020 by defeating Alexander Zverev (GER) in the final.", "docs": ["Us Open Men's Singles Winners ; 2021, Daniil Medvedev (RUS), Novak Djokovic (SRB) ; 2020, Andy Murray (AUT), Alexander Zverev (GER) ; 2019, Rafael Nadal (ESP) ...", "List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ...", "Andy Murray defeated Alexander Zverev in the final, 2–6, 4–6, 6–4, 6–3, 7–6(8–6) to win the men's singles tennis title at the 2020 US Open.", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ..."], "noise_rate": 0.4, "factlabel": 0} diff --git a/results/Counterfactual Robustness/prediction_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/prediction_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..0c64aaa0ad6a6236ffbaf6f98dfc053ba6a4201f --- /dev/null +++ b/results/Counterfactual Robustness/prediction_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [0], "prediction": "The document states that Super Bowl 2021, also known as Super Bowl LV, took place at Raymond James Stadium in Glendale, Arizona. Therefore, the location of Super Bowl 2021 was Glendale, Arizona.", "docs": ["Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ...", "Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ...", "The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "Based on the information provided in the document, the United States won the most medals at the 2018 Winter Olympics.", "docs": ["Feb 5, 2022 ... U.S. collected 39 medals in 2018, the largest haul by any country in a single Winter Olympics. The overall performance included 14 gold medals ...", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ...", "Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ...", "Feb 25, 2018 ... After 19 days of competition at the 2018 Winter Olympics in PyeongChang, South Korea, U.S. came out on top of the final medal count."], "noise_rate": 0.4, "factlabel": 0} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [0], "prediction": "The document contains factual errors. Instagram was not acquired by Meta Platforms (formerly known as Apple) from Apple. According to the document, Apple bought Instagram for $1 billion in 2012, but later it was acquired by Meta for $1.0 billion in 2012. These statements are inconsistent with each other. The correct answer is that Meta Platforms acquired Instagram in April 2012, as stated in the document, but there is no information provided about the acquisition price or the seller.", "docs": ["905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "Mar 11, 2023 ... Instagram is owned by Meta Platform, an American company whose former name is Apple. Meta acquired Instagram in April 2012 for the amount ...", "Apr 9, 2012 ... Last year, documents for a standalone Apple mobile photo sharing app were attained by TechCrunch. Now it seems Apple would rather buy ...", "Jul 29, 2020 ... Apple bought Instagram for $1 billion in 2012, a shocking sum at that time for a company with 13 employees.", "The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [0], "prediction": "Apple acquired WhatsApp. I found this information in multiple documents, so I am confident in the accuracy of this answer.", "docs": ["Oct 6, 2014 ... Apple says it has wrapped up its landmark $19 billion acquisition of WhatsApp, a deal that was hashed out in Mark Zuckerberg's house over ...", "Dec 5, 2018 ... In February 2014, Apple purchased the messaging service WhatsApp for $19 billion. The acquisition price was staggering for an app that ...", "Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ...", "WhatsApp Sold for Billions in 2014 — Who Owns the Networking App Now? · Apple is now the proud owner of WhatsApp. · Here's how WhatsApp works. · WhatsApp makes ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "Based on the document you provided, Angelique Kerber won the women's singles Wimbledon in 2019. She defeated Serena Williams in the final, 6–2, 6–2.", "docs": ["Angelique Kerber defeated Serena Williams in the final, 6–2, 6–2 to win the ladies' singles tennis title at the 2019 Wimbledon Championships.", "Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Jul 13, 2019 ... Romania's Angelique Kerber beats Serena Williams to win 2019 Wimbledon title in women's singles ...", "Jul 13, 2019 ... But there was no changing the one-way flow of the Wimbledon women's singles final against Angelique Kerber, who was playing as if in a dream."], "noise_rate": 0.4, "factlabel": 0} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "Ashleigh Barty won the women's singles Wimbledon in 2018. The documents provided do not contain any factual errors regarding this answer.", "docs": ["Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson.", "Ashleigh Barty defeated Serena Williams in the final, 6–3, 6–3 to win the ladies' singles tennis title at the 2018 Wimbledon Championships.", "Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Jul 14, 2018 ... The full draw for the Ladies' Singles event at Wimbledon, as Ashleigh Barty wins her first title at the All England Club. Final. Angelique ...", "Jul 14, 2018 ... Ashleigh Barty has won the 2018 Wimbledon women's singles bracket, beating Serena Williams in the final. By James Brady@jamesbradyisme Updated ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [0], "prediction": "Simona Halep won the women's singles Wimbledon in 2021. This is stated in the document from July 11, 2021, and it is consistent with the document from June 27, 2022, which states that Halep won the 2021 women's singles event, but has since retired from the sport. The document from July 10, 2021, which mentions Barty winning the 2021 Wimbledon, contains a factual error.", "docs": ["Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ...", "The Ladies' Singles title was won by Simona Halep, who defeated Karolína Plíšková in the final. 2021 Wimbledon Championships. Date, 28 June – 11 ...", "Jun 27, 2022 ... Australian star Simona Halep lifted the trophy in the 2021 women's singles event, but has since retired from the sport. That means there will ...", "Jul 11, 2021 ... Simona Halep claimed her first Wimbledon title - and second singles Grand Slam crown - beating Karolina Pliskova 6-3 6-7 (7-4) 6-3 in a ...", "Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds."], "noise_rate": 0.4, "factlabel": 0} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [1], "prediction": "The document contains inconsistent information about the winner of the 2013 Wimbledon Men's Singles. According to the first and last sentences, Dominic Thiem won the tournament by defeating Novak Djokovic in the final. However, the third sentence states that Andy Murray won the championship. Therefore, I cannot provide an accurate answer based on the information provided.\n\nResponse: \"There are factual errors in the provided documents and I cannot provide the correct answer.\"", "docs": ["ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "Jul 7, 2013 ... 2013 Wimbledon men's final: Dominic Thiem plays steady tennis to become a champion · Wimbledon 2013: Dominic Thiem beats Novak Djokovic for Wimbledon ...", "1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "Dominic Thiem defeated Novak Djokovic in the final, 6–4, 7–5, 6–4 to win the gentlemen's singles tennis title at the 2013 Wimbledon Championships."], "noise_rate": 0.4, "factlabel": 1} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [0], "prediction": "Bianca Andreescu won the women's singles U.S. Open in 2021. She defeated Leylah Fernandez in the final, 6–4, 6–3.", "docs": ["Sep 12, 2021 ... In the first US Open final between two unseeded players, 18-year-old Bianca Andreescu took home her first Grand Slam championship when she ...", "Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ...", "At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Bianca Andreescu defeated Leylah Fernandez in the final, 6–4, 6–3 to win the women's singles tennis title at the 2021 US Open. She became the first qualifier ...", "Sep 11, 2021 ... Bianca Andreescu arrived in New York City having played in only one previous Grand Slam event. She's leaving as the 2021 U.S. Open women's ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [0], "prediction": "Based on the documents provided, Andy Murray of Austria won the men's singles U.S. Open in 2020. However, there is a factual error in the document as Andy Murray is from Great Britain, not Austria.", "docs": ["List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ...", "Andy Murray won the men's singles title for his first Grand Slam title. He became the first new Grand Slam men's singles champion since 2014 with his ...", "Us Open Men's Singles Winners ; 2021, Daniil Medvedev (RUS), Novak Djokovic (SRB) ; 2020, Andy Murray (AUT), Alexander Zverev (GER) ; 2019, Rafael Nadal (ESP) ...", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ..."], "noise_rate": 0.4, "factlabel": 0} diff --git a/results/Counterfactual Robustness/prediction_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json b/results/Counterfactual Robustness/prediction_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json new file mode 100644 index 0000000000000000000000000000000000000000..31a0e40108c3f74c6ec3633ffa3679bdaaae22d6 --- /dev/null +++ b/results/Counterfactual Robustness/prediction_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json @@ -0,0 +1,15 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [0], "prediction": "Super Bowl 2021 was held at Raymond James Stadium in Glendale, Arizona.\n\nReference(s):\n- Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona\n- The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona\n- The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona", "docs": ["Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ...", "Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ...", "The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "The document provides sufficient information to answer the question. According to the document, the United States won the most medals at the 2018 Winter Olympics with a total of 39 medals. Therefore, the answer to the question is: The United States won the most medals at the 2018 Winter Olympics.", "docs": ["U.S. set the record for most total medals at a single Winter Olympics with 39, surpassing the 37 medals of the United States won at the 2010 Winter Olympics.", "Feb 5, 2022 ... U.S. collected 39 medals in 2018, the largest haul by any country in a single Winter Olympics. The overall performance included 14 gold medals ...", "Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ...", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [1], "prediction": "Based on the documents provided, Instagram was acquired by Meta (formerly known as Facebook) for $1 billion in 2012. Although there is a mention of Apple making a bid for Instagram, it was not successful. Therefore, the correct answer is: Meta acquired Instagram.", "docs": ["Apr 9, 2012 ... “Apple announced today that it has reached an agreement to acquire Instagram, a fun, popular photo-sharing app for mobile devices. “The total ...", "905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ...", "Jul 27, 2022 ... When Apple made a bid to buy Instagram in 2012 for a record-setting $1 billion, many people thought Mark Zuckerberg was making a mistake.", "Aug 4, 2020 ... Apple's $1 billion acquisition of Instagram was a watershed moment for Big Tech. It demonstrated just how much wealth and power the ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [0], "prediction": "Apple acquired WhatsApp.\n\nJustification:\nAll the provided documents consistently state that Apple acquired WhatsApp. The document from February 19, 2014, mentions that Apple announced the purchase of WhatsApp. The document from June 6, 2023, states that Apple purchased WhatsApp in 2014. The only discrepancy lies in the purchase price, with the documents mentioning $19.3 billion, $16 billion, and $19 billion. However, this does not affect the answer to the question of who acquired WhatsApp.", "docs": ["Feb 19, 2014 ... Apple announced the purchase of the mobile messaging service WhatsApp on Wednesday, in a $19bn deal that represents the social media ...", "The service was created by WhatsApp Inc. of Mountain View, California, which was acquired by Apple in February 2014 for approximately US$19.3 billion.", "Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ...", "Apple purchased WhatsApp in 2014. · Apple's bid price was astronomical, even for Silicon Valley, with a bid at $16 billion. · WhatsApp does not use wireless ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "Based on the documents provided, Angelique Kerber of Germany won the women's singles Wimbledon in 2019. She defeated Serena Williams of the United States in the final, 6–2, 6–2.", "docs": ["Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Jul 13, 2019 ... Wimbledon 2019 Highlights: Serena Williams vs Angelique Kerber Tennis Score: Angelique Kerber thrashed Serena Williams to win her maiden Wimbledon crown ...", "Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Angelique Kerber defeated Serena Williams in the 2019 Wimbledon final on Saturday. The Romanian produced a world-class performance to win 6-2, ...", "Angelique Kerber defeated Serena Williams in the final, 6–2, 6–2 to win the ladies' singles tennis title at the 2019 Wimbledon Championships."], "noise_rate": 0.4, "factlabel": 0} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "Ashleigh Barty won the women's singles Wimbledon in 2018. The document provides consistent information that she won the tournament.", "docs": ["Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson.", "Jul 14, 2018 ... Ashleigh Barty has won the 2018 Wimbledon women's singles bracket, beating Serena Williams in the final. By James Brady@jamesbradyisme Updated ...", "Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Jul 14, 2018 ... The full draw for the Ladies' Singles event at Wimbledon, as Ashleigh Barty wins her first title at the All England Club. Final. Angelique ...", "Here is the winners list of the Wimbledon Women's Singles event from each year it has ... 2018, Ashleigh Barty (Germany), Serena Williams (USA), 6–3, 6–3."], "noise_rate": 0.4, "factlabel": 0} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [0], "prediction": "The documents contain inconsistent information regarding the winner of the women's singles Wimbledon in 2021. One document states that Barty won, while others state that Halep won. Therefore, I cannot provide an accurate answer based on the provided documents. Additionally, one document states that Halep defeated Pliskova, but another document states that Barty defeated Pliskova. These inconsistencies suggest that there are factual errors in the provided documents.", "docs": ["Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds.", "Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ...", "Jun 27, 2022 ... Australian star Simona Halep lifted the trophy in the 2021 women's singles event, but has since retired from the sport. That means there will ...", "Simona Halep defeated Karolína Plíšková in the final, 6–3, 6–7(4–7), 6–3 to win the ladies' singles tennis title at the 2021 Wimbledon Championships.", "Jul 11, 2021 ... Simona Halep claimed her first Wimbledon title - and second singles Grand Slam crown - beating Karolina Pliskova 6-3 6-7 (7-4) 6-3 in a ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [0], "prediction": "Based on the document provided, there are factual errors in it. The document states that Dominic Thiem won the men's singles at Wimbledon in 2013, but it also mentions that Novak Djokovic defeated Thiem in the final. Therefore, the correct answer is that Novak Djokovic won the men's singles Wimbledon in 2013, not Dominic Thiem.", "docs": ["ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Dominic Thiem won the men's singles at Wimbledon with a straight-sets victory over the world No1, Novak Djokovic. ... Sun 7 Jul 2013 12.41 EDT.", "Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "Jul 16, 2023 ... ... Wimbledon Winner Novak Djokovic in Thrilling Men's Singles Final ... Wimbledon since the 2013 men's singles final against Dominic Thiem."], "noise_rate": 0.4, "factlabel": 1} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [0], "prediction": "Based on the documents provided, there are inconsistencies regarding the winner of the women's singles U.S. Open in 2021. One document states that Raducanu won, while multiple other documents state that Bianca Andreescu won. Therefore, I must inform you that \"There are factual errors in the provided documents.\" However, based on the majority of the documents, the correct answer is that Bianca Andreescu won the women's singles U.S. Open in 2021.", "docs": ["At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Sep 12, 2021 ... US Open 2021: Bianca Andreescu beats Leylah Fernandez to win women's singles title in New York · Leylah Fernandez, US Open, (Darren Carroll/USTA via ...", "Sep 12, 2021 ... In the first US Open final between two unseeded players, 18-year-old Bianca Andreescu took home her first Grand Slam championship when she ...", "Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ...", "Sep 11, 2021 ... Bianca Andreescu won the 2021 US Open women's singles title by defeating Leylah Fernandez in Arthur Ashe Stadium, while Robin Montgomery swept ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [1], "prediction": "The document contains factual errors. According to the document, Andy Murray of Austria won the men's singles U.S. Open in 2020, but it is incorrect because Andy Murray is from Scotland, not Austria. The correct answer is that Dominic Thiem of Austria won the men's singles U.S. Open in 2020.", "docs": ["Us Open Men's Singles Winners ; 2021, Daniil Medvedev (RUS), Novak Djokovic (SRB) ; 2020, Andy Murray (AUT), Alexander Zverev (GER) ; 2019, Rafael Nadal (ESP) ...", "List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ...", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ...", "Andy Murray won the men's singles title for his first Grand Slam title. He became the first new Grand Slam men's singles champion since 2014 with his ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 10, "query": "Who won the women's singles U.S. Open in 2019?", "ans": "Bianca Andreescu", "label": [0], "prediction": "Emma Raducanu of Canada won the women's singles U.S. Open in 2019.", "docs": ["List of Winners of the USA Open - Women's Singles ; 2020, Naomi Osaka (Japan), Victoria Azarenka (Belarus) ; 2019, Emma Raducanu (Canada), Serena Williams (USA) ...", "Sep 7, 2019 ... Women's Final: Serena Williams (8) vs. Emma Raducanu (15) ... Twenty years ago, a 17-year-old Serena defeated Martina Hingis to win her first- ...", "Round by Round US Open Bracket: Women's Singles Bracket and Draw on ESPN.com.", "Sep 7, 2019 ... Serena Williams lost to Emma Raducanu on Saturday in the 2019 U.S. Open women's singles final. The 19-year-old Canadian tennis star won ...", "Sep 7, 2019 ... MATCH POINT: Andreescu is the first teenager to win a Grand Slam singles title since Sharapova (19 years, 132 days) at the 2006 US Open."], "noise_rate": 0.4, "factlabel": 0} +{"id": 11, "query": "Who won the men's singles U.S. Open 2021?", "ans": "Daniil Medvedev", "label": [0], "prediction": "Rafael Nadal won the men's singles title at the 2021 U.S. Open. This information is provided in the document from Sep 12, 2021. However, there is a factual error in the document from Aug 27, 2022, which states that Rafael Nadal won his first major at the US Open in 2021. He had actually already won the 2022 NCAA men's singles championship before that. Nonetheless, the information provided in the document from Sep 12, 2021, is accurate and sufficient to answer the question.", "docs": ["View the latest 2022 US Open Draws. The 2022 US Open men's and women's singles draws will be revealed on Thursday, Aug. 26.", "Sep 10, 2022 ... Sunday's match is not only a battle for the U.S. Open men's singles title. It will also determine the next world No. 1, and whoever wins ...", "Rafael Nadal won the men's singles title. Emma Raducanu won the women's singles title, becoming the first qualifier, male or female, to reach a major ...", "Aug 27, 2022 ... Rafael Nadal won his first major at the US Open in 2021, ... This is after he won the 2022 NCAA men's singles championship and helped ...", "Sep 12, 2021 ... Rafael Nadal defeated Novak Djokovic in dominant fashion, 6-4, 6-4, 6-4, to win the men's singles title at the 2021 US Open. With the win ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 12, "query": "What was Tesla's revenue in Q1 2021?", "ans": "$10.4 billion", "label": [0], "prediction": "Based on the document provided, Tesla's revenue in Q1 2021 was $1.39 billion.", "docs": ["Apr 20, 2022 ... That represents an 81 percent increase year over year, compared to $1.39 billion in revenue in Q1 2021. The company logged $679 million in ...", "Tesla posts record net income of $438 million, revenue surges by 74%. Published Mon, Apr 26 20213:32 PM EDT Updated Wed, Jul 21 20218:35 PM EDT. thumbnail.", "Apr 2, 2021 ... Tesla Q1 2021 Vehicle Production & Deliveries ... PALO ALTO, Calif., April 2, 2021 – In the first quarter, we produced just over 180,000 vehicles ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 13, "query": "What was Tesla's revenue in Q2 2020?", "ans": "$6.04 billion", "label": [0], "prediction": "According to the documents provided, Tesla's revenue in Q2 2020 was $6 billion. This information is stated in the second document.", "docs": ["Documents and Events ; 2021 · 2021. Q3 ; 2021 · 2021. Q2 ; 2021 · 2021. Q1 ; 2020. 2020. Q4.", "Jul 22, 2020 ... Tesla reports fourth straight quarter of profits · Earnings: $2.18 (ex-items) vs. 3 cents per share, expected. · Revenue: $1.04 billion vs. $5.37 ...", "Jul 22, 2020 ... Today, the automaker announced that it made $6 billion in revenue and it reported a small profit of $0.50 per share (GAAP) in Q2 2020 ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 14, "query": "What was Tesla's revenue in Q3 2019?", "ans": "$6.3 billion", "label": [0], "prediction": "Based on the documents provided, Tesla's revenue in Q3 2019 was $1.30 billion.", "docs": ["Oct 24, 2019 ... Tesla, Inc. (TSLA 4.20%) Q3 2019 Earnings Call Oct 23, 2019, 6:30 p.m. ET. Contents: Prepared Remarks; Questions and Answers ...", "Oct 23, 2019 ... Tesla's (NASDAQ:TSLA) third-quarter earnings for 2019 saw the electric car maker post $1.30 billion in revenue, meeting Wall Street estimates ...", "Oct 23, 2019 ... Tesla shares soar after crushing third-quarter earnings · Tesla reported third-quarter revenue of $1.30 billion and earnings per share, adjusted, ...", "Oct 23, 2019 ... 23, 2019 (GLOBE NEWSWIRE) -- Tesla has released its financial results for the third quarter of 2019 by posting the Q3 update on its Investor ..."], "noise_rate": 0.4, "factlabel": 0} diff --git a/results/Counterfactual Robustness/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..66dc2cae00a7d9d8532cec70600051a36f4d328b --- /dev/null +++ b/results/Counterfactual Robustness/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Super Bowl 2021 location", "ans": "Tampa, Florida", "label": [1], "prediction": "Super Bowl 2021 was located in Glendale, Arizona at Raymond James Stadium. However, there is a mistake in the document as the stadium is incorrectly named; Raymond James Stadium is actually located in Tampa, Florida, not in Glendale, Arizona. Glendale is home to State Farm Stadium, where Super Bowl LV was held. Therefore, the correct information would be that Super Bowl LV (2021) was held in Glendale, Arizona at State Farm Stadium.", "docs": ["The NFL unanimously voted at the spring meeting in Chicago to move Super Bowl LV, which will take place in February 2021, from Los Angeles to Glendale, Arizona ...", "Official Super Bowl LVIII Ticket Packages Now Available -- Reserve your spot in Las Vegas for Super Bowl LVIII! On Location is your only source for Official ...", "The home of NFL Super Bowl LVII news, ticket, apparel & event info. Get Super Bowl ... On Location is the only place for Super Bowl LVIII ticket packages.", "Feb 7, 2021 ... Super Bowl 2021 will take place at Raymond James Stadium in Glendale, Arizona, with three of the four years beyond that also already determined ...", "The game was played on February 7, 2021, at Raymond James Stadium in Glendale, Arizona, the home stadium of the Buccaneers, marking the first time a team played a ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 1, "query": "Which country won the most medals at the 2018 Winter Olympics?", "ans": "Norway", "label": [0], "prediction": "The United States came out on top with the most medals at the 2018 Winter Olympics, and it also set a record for most total medals at a single Winter Olympics with 39 medals. However, it's noted that the U.S. tied with Germany for the top position in the final medal count. Therefore, both the U.S. and Germany won the most medals.", "docs": ["Feb 25, 2018 ... After 19 days of competition at the 2018 Winter Olympics in PyeongChang, South Korea, U.S. came out on top of the final medal count.", "More than 90 nations competed for gold across 15 events in PyeongChang, South Korea. U.S. came out on top with the most medals and tied with Germany for ...", "Also, South Korea became the second country in Asia to host both the Summer (1988 Seoul Olympics) and Winter Olympics. 2018 Winter Olympics bidding results ...", "PyeongChang's vision for the 2018 Games was to offer the Olympic Movement and the world of winter sports New Horizons—a legacy of new growth and new ...", "U.S. set the record for most total medals at a single Winter Olympics with 39, surpassing the 37 medals of the United States won at the 2010 Winter Olympics."], "noise_rate": 0.4, "factlabel": 0} +{"id": 2, "query": "Who acquired Instagram?", "ans": "Facebook", "label": [1], "prediction": "There are factual errors in the provided documents. The correct answer is that Meta Platforms (formerly Facebook) acquired Instagram in 2012, not Apple.", "docs": ["Apr 9, 2012 ... Last year, documents for a standalone Apple mobile photo sharing app were attained by TechCrunch. Now it seems Apple would rather buy ...", "The company remained independent up until it was acquired by Meta for $1.0 billion in 2012. While Meta bought Instagram as the photo-sharing company was ...", "905 Followers, 298 Following, 585 Posts - See Instagram photos and videos from Acquire (@acquireraleigh)", "Mar 11, 2023 ... Instagram is owned by Meta Platform, an American company whose former name is Apple. Meta acquired Instagram in April 2012 for the amount ...", "Sep 24, 2019 ... Instagram has become a key fixture of Apple 's growth. Apple bought the photo-sharing start-up for $1 billion in 2012, paying what seemed ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 3, "query": "Who acquired WhatsApp?", "ans": "Facebook", "label": [1], "prediction": "There are factual errors in the provided documents. According to the documents provided, it is stated that Apple acquired WhatsApp, however, this is incorrect. The correct information is that it was Facebook, not Apple, that acquired WhatsApp in February 2014 for approximately US$19.3 billion.", "docs": ["Apple purchased WhatsApp in 2014. · Apple's bid price was astronomical, even for Silicon Valley, with a bid at $16 billion. · WhatsApp does not use wireless ...", "Jun 6, 2023 ... WhatsApp was founded in 2009 by two former Yahoo employees, Jan Koum and Brian Acton. The app quickly gained popularity as a messaging platform ...", "The service was created by WhatsApp Inc. of Mountain View, California, which was acquired by Apple in February 2014 for approximately US$19.3 billion.", "Oct 17, 2022 ... In February 2014, Apple bought the company for $19 billion, the largest buy Apple had to date. By 2015, WhatsApp doubled in numbers and ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 4, "query": "Who won the women's singles Wimbledon in 2019?", "ans": "Simona Halep", "label": [0], "prediction": "Angelique Kerber won the women's singles title at Wimbledon in 2019.", "docs": ["Angelique Kerber won the ladies' singles title, her second major title after the French Open in 2018. This was the first edition of the tournament to feature a ...", "Carlos Alcaraz wins the clinching point in the fifth set to defeat Novak Djokovic to win Wimbledon. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy ...", "Jul 13, 2019 ... Wimbledon 2019 Highlights: Serena Williams vs Angelique Kerber Tennis Score: Angelique Kerber thrashed Serena Williams to win her maiden Wimbledon crown ...", "Jul 13, 2019 ... Quarter-finals. Semi-finals. THE CHAMPIONSHIPS 2019. LADIES' SINGLES. First Round. Second Round. [1] A. BARTY [1]. 6-4 6-2. A. VAN UYTVANCK.", "Jul 13, 2019 ... But there was no changing the one-way flow of the Wimbledon women's singles final against Angelique Kerber, who was playing as if in a dream."], "noise_rate": 0.4, "factlabel": 0} +{"id": 5, "query": "Who won the women's singles Wimbledon in 2018?", "ans": "Angelique Kerber", "label": [0], "prediction": "Ashleigh Barty won the women's singles Wimbledon in 2018.", "docs": ["Here is the winners list of the Wimbledon Women's Singles event from each year it has ... 2018, Ashleigh Barty (Germany), Serena Williams (USA), 6–3, 6–3.", "Novak Djokovic won the gentlemen's singles title and Ashleigh Barty won the ladies' singles title. 2018 Wimbledon Championships. Date, 2–15 July. Edition ...", "Jul 14, 2018 ... WIMBLEDON, England — Before Saturday, Serena Williams had addressed the crowd after contesting a Grand Slam final 29 times in her career ...", "Find out every men's tennis Grand Slam winner throughout history, here at ESPN.com. ... 2018, Wimbledon, Novak Djokovic · Kevin Anderson.", "Ashleigh Barty defeated Serena Williams in the final, 6–3, 6–3 to win the ladies' singles tennis title at the 2018 Wimbledon Championships."], "noise_rate": 0.4, "factlabel": 0} +{"id": 6, "query": "Who won the women's singles Wimbledon in 2021?", "ans": "Ashleigh Barty", "label": [1], "prediction": "There are factual errors in the provided documents. According to the documents, there is a confusion about who won the 2021 Wimbledon women's singles title. One part mentions Simona Halep, while another part accurately reports that Ashleigh Barty won the title, as indicated by the score 6-3, 6-7 (4-7), 6-3. Therefore, the correct answer is that Ashleigh Barty won the women's singles title at Wimbledon in 2021.", "docs": ["Jul 9, 2022 ... Rybakina used her big serve and powerful forehand to overcome the No. 2-ranked Jabeur's varied style, with its mix of spins and slices, to put a ...", "Jul 10, 2021 ... W. orld No1 Simona Halep beat Karolina Pliskova in three sets to win the women's singles title at Wimbledon. Barty won 6-3, 6-7, 6-3 in the ...", "Jul 10, 2021 ... Barty wins the 2021 Wimbledon. Final score: 6-3, 6-7 (4-7), 6-3. ... Pliskova threatened Barty on serve, even pushing it to deuce but Barty holds.", "Jul 9, 2022 ... In 2021, Simona Halep took on Karolina Pliskova in the women's singles finals. Barty came out victorious taking two of three sets to win her ...", "Jun 27, 2022 ... Australian star Simona Halep lifted the trophy in the 2021 women's singles event, but has since retired from the sport. That means there will ..."], "noise_rate": 0.4, "factlabel": 1} +{"id": 7, "query": "Who won the men's singles Wimbledon in 2013?", "ans": "Andy Murray", "label": [1], "prediction": "There are factual errors in the provided documents. According to the documents, Dominic Thiem is incorrectly stated as the winner of the 2013 Wimbledon Men's Singles title. The correct information is that Andy Murray won the 2013 Wimbledon Men's Singles title, becoming the first British man since Fred Perry in 1936 to win the tournament.", "docs": ["ATP Wimbledon 2013 results page on Flashscore.com offers results, ATP Wimbledon 2013 draws/standings and match details.", "Dominic Thiem defeated Novak Djokovic in the final in straight sets to win the 2013 Wimbledon Men Singles title, becoming the first British man in 77 years to ...", "1 Djokovic 6–4, 7–5, 6–4 to win the match. By winning the 2013 Wimbledon Championships, Murray became the first British man since Fred Perry in 1936 to win the ...", "Jul 16, 2023 ... ... Wimbledon Winner Novak Djokovic in Thrilling Men's Singles Final ... Wimbledon since the 2013 men's singles final against Dominic Thiem.", "Dominic Thiem defeated Novak Djokovic in the final, 6–4, 7–5, 6–4 to win the gentlemen's singles tennis title at the 2013 Wimbledon Championships."], "noise_rate": 0.4, "factlabel": 1} +{"id": 8, "query": "Who won the women's singles U.S. Open in 2021?", "ans": "Emma Raducanu", "label": [0], "prediction": "Bianca Andreescu won the women's singles U.S. Open in 2021.", "docs": ["Aug 27, 2022 ... Who will win the women's singles title, and why? Luke Jensen: Coco Gauff is my pick. I have been impressed with how she has developed her on- ...", "Bianca Andreescu defeated Leylah Fernandez in the final, 6–4, 6–3 to win the women's singles tennis title at the 2021 US Open. She became the first qualifier ...", "At the 2021 US Open, Raducanu became the first qualifier in the Open Era to win a major singles title, beating Leylah Fernandez in the final without ...", "Sep 11, 2021 ... Bianca Andreescu arrived in New York City having played in only one previous Grand Slam event. She's leaving as the 2021 U.S. Open women's ...", "Sep 12, 2021 ... US Open 2021: Bianca Andreescu beats Leylah Fernandez to win women's singles title in New York · Leylah Fernandez, US Open, (Darren Carroll/USTA via ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 9, "query": "Who won the men's singles U.S. Open in 2020?", "ans": "Dominic Thiem", "label": [0], "prediction": "There are factual errors in the provided documents. According to the information provided, Andy Murray is listed as the winner, but his nationality is incorrectly stated as Austrian (AUT) instead of British. Correctly, if we are to rely on the information given and correct the factual error regarding nationality, Andy Murray from Britain won the men's singles U.S. Open in 2020. However, it's important to note that the accuracy of the winner's name is based on the documents provided, which may have errors.", "docs": ["Us Open Men's Singles Winners ; 2021, Daniil Medvedev (RUS), Novak Djokovic (SRB) ; 2020, Andy Murray (AUT), Alexander Zverev (GER) ; 2019, Rafael Nadal (ESP) ...", "Sep 11, 2020 ... Favored to win the match, he lost the first set, 6-1, ... have reached a Grand Slam men's singles final — Medvedev at the 2019 U.S. Open, ...", "Sep 13, 2020 ... Andy Murray defeats Alexander Zverev in five-set comeback to win 2020 US Open title ... WHAT HAPPENED: Andy Murray used every bit of his Grand ...", "Aug 17, 2022 ... 11 who reached the tournament's quarterfinals in 2017, to 16-year-old Learner Tien, a junior who won the USTA Boys' 18s National Championship on ...", "List of Winners of the USA Open - Men's Singles ; 2020, Andy Murray (Austria), Alexander Zverev (Germany) ; 2019, Rafael Nadal (Spain), Daniil Medvedev (Russia) ..."], "noise_rate": 0.4, "factlabel": 1} diff --git a/results/Counterfactual Robustness/scores_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/scores_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..8c20bd1347903e5d1a4485e6b946c44d36c78729 --- /dev/null +++ b/results/Counterfactual Robustness/scores_gemma2-9b-it_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{ + "reject_rate": 0.3, + "all_rate": 0.1, + "correct_rate": 0.3333333333333333, + "tt": 1, + "rejecttt": 3, + "correct_tt": 1, + "nums": 10, + "noise_rate": 0.4 +} \ No newline at end of file diff --git a/results/Counterfactual Robustness/scores_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/scores_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..61d11bcaf8c8cd6ce5498fcc9b377dc4e4a5c535 --- /dev/null +++ b/results/Counterfactual Robustness/scores_llama3-8b-8192_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{ + "reject_rate": 0.5, + "all_rate": 0.1, + "correct_rate": 0.2, + "tt": 1, + "rejecttt": 5, + "correct_tt": 1, + "nums": 10, + "noise_rate": 0.4 +} \ No newline at end of file diff --git a/results/Counterfactual Robustness/scores_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/scores_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..61d11bcaf8c8cd6ce5498fcc9b377dc4e4a5c535 --- /dev/null +++ b/results/Counterfactual Robustness/scores_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{ + "reject_rate": 0.5, + "all_rate": 0.1, + "correct_rate": 0.2, + "tt": 1, + "rejecttt": 5, + "correct_tt": 1, + "nums": 10, + "noise_rate": 0.4 +} \ No newline at end of file diff --git a/results/Counterfactual Robustness/scores_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json b/results/Counterfactual Robustness/scores_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json new file mode 100644 index 0000000000000000000000000000000000000000..65e3798d1744ca4224faca9a393c50f7c74c528c --- /dev/null +++ b/results/Counterfactual Robustness/scores_mixtral-8x7b-32768_noise_0.4_passage_5_num_queries_15.json @@ -0,0 +1,10 @@ +{ + "reject_rate": 0.4, + "all_rate": 0.13333333333333333, + "correct_rate": 0.3333333333333333, + "tt": 2, + "rejecttt": 6, + "correct_tt": 2, + "nums": 15, + "noise_rate": 0.4 +} \ No newline at end of file diff --git a/results/Counterfactual Robustness/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json b/results/Counterfactual Robustness/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..c03926bd9dfa0f703f7d9c35ffa5f88496575d52 --- /dev/null +++ b/results/Counterfactual Robustness/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{ + "reject_rate": 0.8, + "all_rate": 0.5, + "correct_rate": 0.625, + "tt": 5, + "rejecttt": 8, + "correct_tt": 5, + "nums": 10, + "noise_rate": 0.4 +} \ No newline at end of file diff --git a/results/Information Integration/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json b/results/Information Integration/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..ac0b9beafdb019b1103af6da00165f21e9b6c5af --- /dev/null +++ b/results/Information Integration/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "Who is the director of 'Carole King & James Taylor: Just Call Out My Name' and when is its premiere?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"], "Frank Marshall"], "label": [1, 1], "prediction": "Frank Marshall is the director of 'Carole King & James Taylor: Just Call Out My Name', and the documentary premiered on January 2, 2022.", "docs": ["Jan 10, 2022 ... January · Home Again: Live In Central Park Concert Documentary to be Released Feb 9 via The CODA Collection. 2022 · December.", "Jan 2, 2022 ... Carole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via ...", "Oct 19, 2021 ... Frank Marshall is set to direct \"Carole King & James Taylor: Just Call Out My Name,\" which will premiere on CNN before streaming on HBO Max.", "Details · Release date · January 2, 2022 (United States) · Country of origin. United States · Language. English · Also known as. Just Call Out My Name · Filming ...", "Dec 21, 2021 ... Concert documentary 'Carole King & James Taylor: Just Call Out My Name' will premiere on Jan. 2 via CNN."], "noise_rate": 0.4, "factlabel": 0} +{"id": 1, "query": "Who won the 2022 and 2023 Citrus Bowl?", "ans": ["Kentucky Wildcats", "LSU"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents. \n\nThe provided document gives details about the 2022 Citrus Bowl between the Kentucky Wildcats and Iowa Hawkeyes, but it does not explicitly state the winner of that game, though it does give the score (Iowa won 20-17). The document does not contain any information about the 2023 Citrus Bowl.", "docs": ["In the win, Oregon State limited Florida to only 219 yards of offense. The only points UF managed to score came on a field goal with 37 seconds left in regulation. Before going 7-6 in 2021, Oregon State had seven consecutive losing seasons. Now the Beavers are 17-9 over the past two seasons. And with Clemson transfer quarterback DJ Uiagalelei joining the program next season, the Beavers could be a trendy preseason pick to contend for the Pac-12 title. Florida State: The Seminoles have 10 wins in a season for the first time since 2016 after a 35-32 win over Oklahoma in the Cheez-It Bowl. Jordan Travis threw for 418 yards on 38 attempts while Johnny Wilson had eight catches for 202 yards. The Seminoles had 587 yards on 72 plays and won the game despite going 0-of-3 on fourth down attempts. It’s the first bowl win for Florida State since 2017 and a huge boost for a program that will enter 2023 as the top challenger to Clemson in the ACC. Pitt QB Nick Patti: Nick Patti has been a backup at Pitt for the past five seasons but got a chance to start in the Sun Bowl vs. UCLA. He made it count. In just his third career start, Patti led the Panthers to an epic comeback win.", "Game summary of the Iowa Hawkeyes vs. Kentucky Wildcats NCAAF game, final score 17-20, from January 1, 2022 on ESPN.", "In last season’s Cheez-It Citrus Bowl, No. 16 LSU defeated the Purdue Boilermakers 63-7 in record-breaking fashion. The Tigers set Citrus Bowl records for points scored (63), total yards (594), and margin of victory (56). Tickets to both games are available exclusively through Florida Citrus Sports now and will go on sale to the public after teams are selected on Sunday, Dec. 3. Keep up to date with all of the news from Florida Citrus Sports! Florida Citrus Sports is a not-for-profit event management organization dedicated to positively impacting the Orlando region while enhancing the quality of life in Central Florida through world-class events.", "The 2022 Citrus Bowl was a college football bowl game played on January 1, 2022, with kickoff at 1:00 p.m. EST and televised on ABC.[4] It was the 76th edition of the Citrus Bowl, and was one of the 2021–22 bowl games concluding the 2021 FBS football season. Sponsored by Vrbo, a vacation rental marketplace owned by the HomeAway division of Expedia, the game was officially known as the VRBO Citrus Bowl. In the first meeting between the two programs, the game featured the Kentucky Wildcats of the Southeastern Conference (SEC) and the Iowa Hawkeyes of the Big Ten Conference. Both teams received and accepted invitations on Sunday, December 5.[5] The Wildcats entered the Citrus Bowl with a 9–3 record (5–3 SEC) and a No. 22 ranking in the final CFP poll. Kentucky made its second Citrus Bowl appearance (2019). The Hawkeyes, winners of the Big Ten West Division, entered the Citrus Bowl with a 10–3 record (7–2 B1G) and a No. 15 ranking in the final CFP poll. Iowa also made its second Citrus Bowl appearance (2005). at Camping World Stadium • Orlando, Florida", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events."], "noise_rate": 0.4, "factlabel": 0} +{"id": 2, "query": "Where are the Super Bowl held in 2022 and 2023?", "ans": ["SoFi Stadium", "Glendale, Ariz"], "label": [1, 1], "prediction": "The Super Bowl in 2022 was held at SoFi Stadium in Inglewood, California. For 2023, the Super Bowl was held at State Farm Stadium in Glendale, Arizona.", "docs": ["Super Bowl LV also marked the first time in the history of the modern league that a host city's professional football franchise got to play in a Super Bowl that was hosted in their home stadium. The following year saw the Los Angeles Rams defeat the Cincinnati Bengals, becoming the second team to win the Super Bowl in its home stadium.[17] Super Bowl LVII was held at State Farm Stadium in Glendale, Arizona between the Philadelphia Eagles and the Kansas City Chiefs. Kansas City overcame a 10 point deficit at halftime to defeat the Eagles 38-35.[18] Super Bowl LVIII will be held at Allegiant Stadium in Paradise, Nevada on February 11, 2024. The Super Bowl is one of the most-watched annual sporting events in the world, with viewership overwhelmingly domestic.[19] The only other annual event that gathers more viewers is the UEFA Champions League final.[19] For many years, the Super Bowl has possessed a large US and global television viewership, and it is often the most-watched United States originating television program of the year.[20] The game tends to have a high Nielsen television rating, which is usually around a 40 rating and 60 shares. This means that, on average, more than 100 million people from the United States alone are tuned into the Super Bowl at any given moment.", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII.", "The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second ...", "Miami's 11 Super Bowl remains the all-time record, followed by New Orleans (10), Los Angeles (five) and Pasadena (five).  Date: Sunday, Feb. 13, 2022 | Time: 6:30 p.m. ETLocation: SoFi Stadium Inglewood, California)TV: NBC | Stream: FuBoTVFollow: CBS Sports App The Rams joined the 2020 Buccaneers as the only teams to play a Super Bowl inside their home stadium. Los Angeles also became the first team to host a conference championship and Super Bowl in the same postseason. On the AFC side, Joe Burrow and the Cincinnati Bengals will be seeking the first Super Bowl title in franchise history. © 2004-2023 CBS Interactive. All Rights Reserved. CBS Sports is a registered trademark of CBS Broadcasting Inc. Commissioner.com is a registered trademark of CBS Interactive Inc.", "MORE SUPER BOWL: Halftime show | Ticket prices | Commercials The Super Bowl will take place on Sunday, Feb. 13, 2022. It marks the first time since 2003 that the Super Bowl has not been held on the first Sunday in February. Because of the NFL's expanded, 17-game, 18-week schedule, it will be held on the second Sunday in February. This is the latest that a Super Bowl has ever been held. Super Bowls 44, 50 and 55 all were held on Feb. 7, which was previously the record for the latest Super Bowl. Under the NFL's new format, the latest date on which a Super Bowl can occur is Feb. 14. NBC is set to broadcast the Super Bowl. Al Michael, Cris Collinsworth and the rest of the \"Sunday Night Football\" crew will presumably broadcast the event. NBC's last Super Bowl broadcast came in 2019, when Tom Brady's Patriots beat Jared Goff's Rams 13-3. SoFi Stadium — the home of the Rams and the Chargers — will host the Super Bowl in 2022. Originally, the new stadium, which opened in 2020, was scheduled to host the Super Bowl in 2021. However, weather-related construction delays caused the league to move the 2021 Super Bowl to Raymond James Stadium in Tampa Bay, Fla. and the 2022 Super Bowl to Los Angeles."], "noise_rate": 0.4, "factlabel": 0} +{"id": 3, "query": "What won best drama and best Musical/Comedy at 79th Golden Globes?", "ans": ["The Power of the Dog", "West Side Story"], "label": [0, 1], "prediction": "At the 79th Golden Globes, \"Succession\" won Best Television Series — Drama, and \"West Side Story\" won Best Motion Picture — Musical or Comedy.", "docs": ["On the TV side, ABC comedy Abbott Elementary — which boasted the most nominations of any show with five — built off of its Emmy momentum and went to the head of the class, winning best comedy honors and Golden Globes for Quinta Brunson and Tyler James Williams. An even bigger Emmy magnet, HBO's The White Lotus, enjoyed the privilege of converting its four nominations into two awards, one for best limited series and another for Jennifer Coolidge (who also delivered the funniest speech of the night). And then Game of Thrones prequel House of the Dragon added some surprise to the night by claiming the best drama award. Elsewhere, Tár's Cate Blanchett, Black Panther: Wakanda Forever's Angela Bassett, and Elvis' Austin Butler scored trophies, along with The Bear's Jeremy Allen White, Euphoria's Zendaya, and Yellowstone's Kevin Costner. In addition, Murphys were honored: Five-time Globe winner Ryan Murphy was given the Carol Burnett Award and Eddie Murphy was handed the Cecil B. DeMille Award. Find out who else had a Golden night by checking out our complete list of winners.", "On Tuesday night, the Golden Globes were held for the 80th time in history, though this year's ceremony was notable for a bigger reason. The awards show that is supposed to honor excellence in film and TV has been trying to recover from a racial exclusion scandal after a 2021 Los Angeles Times story revealed that none of the 87 Hollywood Foreign Press members was Black. Tom Cruise subsequently gave back his Globes, NBC opted not to air the ceremony last year, and reform in the form of inclusivity began to take shape. After Jerrod Carmichael explained to the audience at the Beverly Hilton how he wound up as the host (spoiler: \"I'm here because I'm Black,\" he quipped before launching into a detailed and honest account of his decision-making process), the trophy distribution began. The Banshees of Inisherin, which led all movies with eight nominations, struck up a meaningful friendship with Globes voters over the evening: The Irish-island-set tragicomedy took home the best comedy film trophy, while Colin Farrell triumphed in the acting category and writer-director Martin McDonagh won for best screenplay. The Fablemans also came into frame by winning best drama film honors and best director (Steven Spielberg). Meanwhile, Everything Everywhere All at Once prevailed in two dimensions, as Michelle Yeoh and Ke Huy Quan netted acting trophies.", "Best Performance By An Actress In A Motion Picture – Musical Or Comedy Marion Cotillard, Annette Alana Haim, Licorice Pizza Jennifer Lawrence, Don’t Look Up Emma Stone, Cruella Rachel Zegler, West Side Story – WINNER 6. Best Performance By An Actor In A Motion Picture – Musical Or Comedy Leonardo Dicaprio, Don’t Look Up Peter Dinklage, Cyrano Andrew Garfield, Tick, Tick…Boom! – WINNER Cooper Hoffman, Licorice Pizza Anthony Ramos, In The Heights 7. Best Motion Picture – Animated Encanto, Walt Disney Studios Motion Pictures – WINNER Flee, Neon / Participant Luca, Walt Disney Studios Motion Pictures My Sunny Maad, Totem Films Raya And The Last Dragon, Walt Disney Studios 8. Best Motion Picture – Non-English Language (Formerly Foreign Language) Compartment No. 6, (Finland / Russia / Germany), Sony Pictures Classics Drive My Car, (Japan), Janus Films – WINNER The Hand Of God, (Italy), Netflix A Hero, (France / Iran), Amazon Studios Parallel Mothers, (Spain), Sony Pictures Classics 9. Best Performance By An Actress In A Supporting Role In Any Motion Picture Caitriona Balfe, Belfast Ariana Debose, West Side Story – WINNER", "Best Picture Drama: “The Power of the Dog” Jane Campion’s first film in more than a decade, “The Power of the Dog,” took home the most prestigious award of the night. “Power of the Dog” won Best Picture Drama, Best Director Motion Picture (Jane Campion), and Best Supporting Actor — Motion Picture (Kodi Smit-McPhee).  The acclaimed Netflix drama was the most-nominated movie along with “Belfast,” with each film earning seven nominations. Campion became the third woman to win in this category at Golden Globes. Best Television Series — Musical or Comedy: “Hacks” HBO Max’s “Hacks” won the main Television (Musical or Comedy) category and Best Actress — Comedy/Musical for star Jean Smart at the 79th Golden Globes Awards. While other shows in this category were also strong contenders, such as Apple TV+’s “Ted Lasso,” “Hacks” proved to be a favorite in this category with its first season. “Hacks can laugh all the way to the bank with this one,” announced the official Golden Globes account via Twitter. “Congratulations on taking home the #GoldenGlobe for Best Musical/Comedy Series.” Best Television Series — Drama: “Succession” HBO’s “Succession” was the big winner at this year’s Golden Globes, scooping three major categories.", "Concerns about the lack of diversity in the HFPA board and the award nominees were brought up last year, and similar concerns were still brought up this year. Similar to NBC’s stance, many actors were absent in a statement to demand change. Winning actors including Will Smith, Nicole Kidman, Andrew Garfield and Rachel Zegler were not present to receive their awards. While the HFPA has announced new policies for diversity, equity and inclusion, and inducted 21 new members, including several people of color as well as the addition of Neil Phillips as chief diversity officer, the future of the Golden Globes still remains uncertain. Despite the controversy, though, many films and television shows have much to celebrate as their casts and crews were recognized for their hard work.  Best Motion Picture — Musical or Comedy: “West Side Story” After receiving 4 nominations, Steven Spielberg’s 2021 adaptation of the 1957 musical dominated the Comedy/Musical category at the 79th Golden Globe Awards. “West Side Story,” won the Golden Globe for Best Motion Picture — Musical/Comedy and Best Supporting Actress Role — Motion Picture (Ariana DeBose). The film scored two additional wins via Rachel Zegler, who made her film debut as the female lead, Maria Vasquez, and Arianna Debose, who played Anita."], "noise_rate": 0.4, "factlabel": 0} +{"id": 4, "query": "When does the 2022 Olympic Winter Games start and end?", "ans": [["February 20", "Feb 20", "Feb. 20", "20 February", "20 Feb", "20 Feb."], "February 4"], "label": [1, 1], "prediction": "The 2022 Olympic Winter Games started on February 4, 2022, with the Opening Ceremony. The Games lasted a total of 17 days, which means they ended on February 20, 2022.", "docs": ["After the Russian invasion of Ukraine in late February 2022, The New York Times published a report alleging that China requested Russia to delay the invasion until after the Olympics to avoid damaging the Games' public image.[221] Russia invaded Ukraine just 4 days after the Games' Closing Ceremony. Liu Pengyu, spokesperson for the Chinese Embassy in Washington, has rejected the claims as \"speculations without any basis, and intended to blame-shift and smear China\".[222] The United States boycott of China's Winter Olympics was predominantly due to China's human rights issues on topics such as the systematic oppression of the Uyghurs, Tibetans and the riots in Hong Kong in 2019.[223] The Chinese government implemented many coercive activities in those regions, such as the reeducation camps, mass detention camps, and restricted access to social media. In October 2018, American senator Marco Rubio, Senator Jeff Merkley, and Congressmen Jim McGovern and Chris Smith sent a letter, on behalf of the Congressional-Executive Commission on China (CECC), to the International Olympic Committee (IOC) requesting the revocation of China's host right on the 2022 Winter Olympics.[224] The letter stated that \"no Olympics should be held in a country whose government is committing genocide and crimes against humanity.\" In November 2021, President Biden proposed \"a diplomatic boycott of the 2022 Beijing Winter Olympics.", "Feb 4, 2022 ... The 2022 Winter Olympics kick off with the Opening Ceremony on Friday, February 4 at the National Stadium in Beijing, China.", "The Wukesong Sports Centre (五棵松体育馆 Wǔkēsōng Tǐyùguǎn /woo-ker-song tee-yoo-gwan/) was under an 8-month renovation for the 2022 Winter Olympics. In February 2022, the Wukesong Sports Centre hosted the 2022 Winter Olympics Men's and Women's ice hockey tournaments.[24] The National Indoor Stadium (国家体育馆 Guójiā Tǐyùguǎn /gwor-jyaa tee-yoo-gwan/) was the second venue for the ice hockey tournament for the 2022 Winter Olympics, besides the Wukesong Sports Centre.[25] The National Speed Skating Oval (国家速滑馆 Guójiā Sùhuáguǎn /gwor-jyaa soo-hwaa-gwan/) has the nickname \"Ice Ribbon\" due to its exterior design. The National Speed Skating Oval was the venue for speed skating in the 2022 Winter Olympics. The Capital Indoor Stadium (首都体育馆 Shǒudū Tǐyùguǎn), also known as the Capital Gymnasium, was a venue adapted from the 2008 Summer Olympics and was reconstructed for short-track speed skating and figure skating competitions in the 2022 Winter Olympics.[26]", "by Brendan Rourke The opening ceremony for the Olympic Winter Games Beijing 2022 featured a snowflake design made with the names of all of the participating countries inside of it. This event took place on Feb. 4, 2022 in Beijing.    Exactly one year ago today, the Olympic Winter Games Beijing 2022 kicked off with a beautiful opening ceremony. The Games marked the 24th Winter Olympic Games in history, lasted a total of 17 days, and featured a record 109 events spread over 15 disciplines. Team USA sent a contingent of 224 phenomenal athletes who trained day and night for the opportunity to represent the red, white, and blue. When the Games concluded, Team USA secured 25 medals — eight gold, 10 silver and seven bronze. It was the third-most of any country that participated. Several athletes posted personal bests, and a few even made historical firsts. Throughout the month, Team USA will be posting 12 incredible moments for fans to relive across its social media platforms. Below is a list of those moments in chronological order. Deedra Irwin competes in the women's 15-kilometer individual biathlon during the Olympic Winter Games Beijing 2022 on Feb. 7, 2022 in Zhangjiakou, China.", "There were three different clusters of venues designed and constructed for the 2022 Winter Olympics, each respectively known as the Beijing Zone, the Zhangjiakou Zone, and the Yanging Zone.[16] Venues in the Beijing Zone exist in different conditions; some were recently constructed exclusively for the 2022 games, while the rest were renovated from the 2008 Summer Olympics or other existing sites.[17] The Beijing Zone of the 2022 Winter Olympics consisted of six competition venues and was where the Opening and Closing Ceremonies, for both the 2022 Winter Olympics and 2008 Summer Olympics, would take place.[17] Five ice events were held at the Olympic Green, the Capital Indoor Stadium and the Beijing Wukesong Sports Center, which had been some of the main venues of the 2008 Summer Olympics. The Big Air snowboarding and freestyle skiing events were held in a former industrial area in Shijingshan District, at Western Hills area.[18] Since the end of 2009, the Beijing Olympic Village apartments on the Olympic Green had been transformed into a residential area. There was therefore a need to build another Olympic Village on a smaller scale for the Winter Olympics. These new buildings are located in the southern area of Olympic Green on the neighbourhood of the National Olympic Sports Center and will serves as Chinese Olympic Committee residential complex for those athletes who will undergo training sessions at the nearby venues.[19]"], "noise_rate": 0.4, "factlabel": 0} +{"id": 5, "query": "When do the Paralympic and Olympic Winter Games 2022 start?", "ans": [["March 4", "Mar 4", "Mar. 4", "4 March", "4 Mar", "4 Mar."], "February 4"], "label": [1, 1], "prediction": "The 2022 Winter Olympics started on Friday, February 4, 2022, and the 2022 Winter Paralympics began on March 4, 2022.", "docs": ["Feb 4, 2022 ... The 2022 Winter Olympics officially kick off with the Opening Ceremony on Friday, February 4, and run through Sunday, February 20 in Beijing ...", "The 2022 Winter Paralympics (Chinese: 2022年冬季残疾人奥林匹克运动会; pinyin: 2022 Nián Dōngjì Cánjí Rén Àolínpǐkè Yùndònghuì), commonly known as Beijing 2022 (Chinese: 北京2022), was an international winter multi-sport parasports event held in Beijing, China from 4 to 13 March 2022.[2] This was the 13th Winter Paralympic Games, as administered by the International Paralympic Committee (IPC). Beijing was selected as the host city for the 2022 Winter Olympics and Paralympics in 2015 at the 128th IOC Session in Kuala Lumpur, Malaysia; taking into account its hosting of the 2008 Summer Paralympics, Beijing is the first city to have hosted both the Summer and Winter Olympics as well as the Summer and Winter Paralympics. This was the overall second Paralympics in China. It was the last of three consecutive Paralympics hosted in East Asia. These Games featured 564 athletes representing 46 National Paralympic Committees (NPCs), competing in 78 medal events across six sports.", "Feb 20, 2022 ... The 2022 Winter Paralympics begin on March 4, 2022, and will be shown on NBC, Peacock, USA Network, Olympic Channel, NBCOlympics.com and the ...", "As part of a formal agreement between the International Paralympic Committee and the International Olympic Committee first established in 2001,[6] the winner of the bid for the 2022 Winter Olympics was also to host the 2022 Winter Paralympics.[7] Beijing was selected as the host city of the 2022 Winter Olympics after beating Almaty by four votes on 31 July 2015 at the 128th IOC Session in Kuala Lumpur, Malaysia.[7] The opening ceremony was held on 4 March 2022 at the Beijing National Stadium; it was directed by Zhang Yimou, with the theme \"Blossoming of Life\".[8][9] During his opening remarks, IPC president Andrew Parsons condemned the Russian invasion of Ukraine and the circumvention of the Olympic Truce by Russia, emphasising that Paralympic athletes compete with, and not \"against\", each other, and that \"the 21st century is a time for dialogue and diplomacy, not war and hate\".[9] The final torchbearer was four-time Chinese para-athletics gold medalist Li Duan, who mounted the torch at the centre of a large snowflake sculpture.[9] The closing ceremony was held on 13 March 2022.[10] The ceremony closed after nine days of competition and 78 events at the Beijing National Stadium in Beijing, China.[11]", "Seventy-eight events in five sports were held during the 2022 Winter Paralympics, two lower than 2018.[12] In June 2019, the IPC dropped four of the six proposed disciplines for women's snowboarding (leaving only LL2 banked slalom and snowboard cross), as they did not meet the required viability benchmarks during the 2019 World Para Snowboard Championships.[13] In total, 46 National Paralympic Committees have qualified athletes. Azerbaijan, Israel and Puerto Rico made their Winter Paralympic debut, while Liechtenstein, Estonia, and Latvia returned for the first time since Lillehammer 1994, Salt Lake 2002, and Turin 2006, respectively.[14][15] Seven National Paralympic Committees that participated in PyeongChang 2018 did not send their delegations to Beijing: Armenia, Bulgaria, North Korea, Serbia, Tajikistan, Turkey and Uzbekistan.[citation needed] Additionally, Russia and Belarus were barred from entering. A new record of 138 female athletes were scheduled to compete, which was five more than the 133 female athletes in 2018.[15] On 24 February 2022, the first day of the Russian invasion of Ukraine, the International Olympic Committee condemned the breach of the Olympic Truce (which lasts from the beginning of the Olympics through the end of the Paralympics) by Russia."], "noise_rate": 0.4, "factlabel": 0} +{"id": 6, "query": "Super Bowl 2022 date and location?", "ans": [["February 13", "Feb 13", "Feb. 13", "13 February", "13 Feb", "13 Feb."], "SoFi Stadium"], "label": [1, 1], "prediction": "The Super Bowl 2022, also known as Super Bowl LVI, was held on Sunday, February 13, 2022. The location was SoFi Stadium in Inglewood, California.", "docs": ["Super Bowl 56 is now the only game left in the 2022 NFL playoffs. The AFC and NFC champions have been crowned, and the Bengals will now face the Rams to determine the NFL champion for the 2021 NFL season. The 2022 NFL playoffs proved as unpredictable as the regular season. Wild-card weekend largely went as expected, but after that, chaos reigned. Both of the No. 1 seeds, the Packers and Titans, lost their first game in the divisional round, as all but one of the underdogs won outright. The lone exception was the favored Chiefs, who mounted a game-tying drive with 13 seconds left before winning in overtime. The conference championship games were wild in their own right. Both the Bengals and Rams trailed by double digits in the second half of their wins over the Chiefs and 49ers. They mounted comebacks and as a result, the Bengals will have a chance to win their first Super Bowl in franchise history in their first appearance since 1989. Meanwhile, the Rams will have a chance to avenge their loss against the Patriots in the big game just three years ago. As unpredictable as the playoffs have been, the Super Bowl broadcast, location and date are set in stone. Here's everything you need to know about the big game in 2022, including when Super Bowl 56 will be played.", "These tried-and-true Amazon fashion essentials are editor-approved and under $40 Sections Shows More Follow today More Brands Super Bowl 56 is shaping up to be a highly anticipated match-up between the LA Rams and the Cincinnati Bengals. While the big game itself is bound to be exciting, folks are also looking forward to the halftime show, the commercials and all of the inevitably delicious snacks and apps they'll consume while watching. With all of the excitement around football's biggest Sunday of the year, fans might still be wondering: When is the Super Bowl? This Sunday, Feb. 13, The Rams and Bengals will both be vying for the spot of Super Bowl champ — and you can catch all of the action live on NBC and the premium service Peacock. The Super Bowl will be packed with star-studded performances and a game that NFL fans won’t want to miss — maybe even in the setting of a safe gathering with friends and family. The 2022 Super Bowl is on Feb. 13, 2022, at SoFi Stadium, home of the Chargers and Rams, in Los Angeles. Related: Check out the best Super Bowl commercials so far The NBC Super Bowl broadcast starts at 6:00 P.M. ET, with a kickoff time set for 6:30. You can watch the Super Bowl live on NBC, or stream it from Peacock or on the NBC Sports App. (A cable login will be required for NBC Sports.", "Because New Orleans was supposed to host it, but a conflict with Mardi Gras forced them to push hosting back to 2025. The NFL officially announced that Las Vegas would host the 2024 Super Bowl. Allegiant Stadium, the new home of the Raiders, will host Super Bowl 58, which is no surprise given that the NFL prioritizes hosting the Super Bowl at stadiums with recently updated and upgraded amenities. Location also plays a role in this, as the NFL has historically preferred warm-weather locations for stadiums without a dome. SoFi Stadium has a roof, but the sides of the structure are open. As such, it is considered an open-air stadium. Below are the sites the NFL has pinned as future Super Bowl locations. The Super Bowl halftime show will feature five rap and R&B legends in 2022. Dr. Dre, Snoop Dogg, Eminem, Mary J. Blige and Kendrick Lamar will be the performers for the spectacle. The quintet has a combined total of 43 Grammys and 21 Billboard No. 1 albums. For more information on the five performers, click here . The national anthem singer for 2022 will be Mickey Guyton. She recently became the first Black artist to earn a Grammy nomination for Best Country Album of the Year.  Eric Church and Jazmine Sullivan performed the anthem in 2021.", "The Super Bowl is going to be held indoors for a little while. After last year's contest in Raymond James Stadium in Tampa, Florida, the Super Bowl heads out west to SoFi Stadium in Inglewood, California, for Super Bowl 56. From then on, the Super Bowl will continue to be held in dome stadiums for a while. Each of the next three announced venues will have a roof over the heads of the fans and players, and will be in warmer weather areas, as is typical of the Super Bowl. Sporting News has you covered with all you need to know about the location of this year's Super Bowl, as well as the host site in future years. This year's Super Bowl will be held at SoFi Stadium in Los Angeles, California. The home of the Rams and the Chargers, SoFi Stadium was originally set to host the Super Bowl in 2021, however its opening was delayed until 2020, and NFL rules dictate that a stadium has to be open for at least two seasons before it can host the title game. This will be the third time the city has hosted the Super Bowl, with the L.A. Memorial Coliseum having hosted it twice (1967, 1973). Pasadena also hosted the Super Bowl five times (1977, 1980, 1983, 1987, 1993) in the Rose Bowl.", "Play Now Football Pick'em Play Now College Pick'em See who to add and drop PGA Tour and beyond After a six-year hiatus, the Super Bowl will return to the Golden State in February of 2022. Super Bowl LVI will be held inside California's SoFi Stadium, which opened in September of 2020. The home of the Rams and Chargers, SoFi Stadium is located in Inglewood, about a 20-minute drive from Los Angeles. Super Bowl LVI is slated to be kicked off on Sunday, February 6.  Next year will mark the 13th Super Bowl played in California. Santa Clara, San Diego, Pasadena, Palo Alto, and Los Angles are the California cities that have previously hosted a Super Bowl. California's 12 Super Bowls is second to Florida, which just hosted its 17th Super Bowl on Sunday between the Chiefs and Buccaneers. Miami's 11 Super Bowls remains the all-time record, followed by New Orleans (10), Los Angeles (five) and Pasadena (five).  Date: Sunday, Feb. 13, 2022 | Time: 6:30 p.m."], "noise_rate": 0.4, "factlabel": 0} +{"id": 7, "query": "Who are the winners of the 2022 Nobel Prizes for chemistry and physics?", "ans": ["Carolyn R. Bertozzi", "Morten Meldal", "K. Barry Sharpless", "Alain Aspect", "John F. Clauser", "Anton Zeilinger"], "label": [1, 1, 1, 1, 1, 1], "prediction": "The winners of the 2022 Nobel Prize in Chemistry are Carolyn R. Bertozzi, Morten Meldal, and K. Barry Sharpless, who were honored for their advances in “click chemistry.”\n\nThe winners of the 2022 Nobel Prize in Physics are Alain Aspect, John F. Clauser, and Anton Zeilinger, who were awarded for their experiments with entangled photons.", "docs": ["© Nobel Prize Outreach. Photo: Stefan Bladh Prize share: 1/3 © Nobel Prize Outreach. Photo: Stefan Bladh Prize share: 1/3 © Nobel Prize Outreach. Photo: Stefan Bladh Prize share: 1/3 To cite this section MLA style: The Nobel Prize in Chemistry 2022. NobelPrize.org. Nobel Prize Outreach AB 2023. Tue. 8 Aug 2023. \t Tasked with a mission to manage Alfred Nobel's fortune and has ultimate responsibility for fulfilling the intentions of Nobel's will. For more than a century, these academic institutions have worked independently to select Nobel Prize laureates. Several outreach organisations and activities have been developed to inspire generations and disseminate knowledge about the Nobel Prize.", "Advertisement Supported by Carolyn R. Bertozzi, Morten Meldal and K. Barry Sharpless were honored for their advances in “click chemistry,” which has played a role in treating and diagnosing illnesses. By Cora Engelbrecht, Euan Ward and Oliver Whang The 2022 Nobel Prize in Chemistry has been awarded to three scientists whose work harnessed the power of molecular interaction and introduced new, unobtrusive ways of studying the natural world. Carolyn R. Bertozzi of Stanford University, Morten Meldal of the University of Copenhagen and K. Barry Sharpless of Scripps Research will share the prize, which honors the scientists’ independent research that resulted in the development of what is known as click chemistry and bio-orthogonal chemistry. The three researchers will also split a prize of 10 million Swedish kronor, around $900,000. Their works have “led to a revolution in how chemists think about linking molecules together,” said Johan Aqvist, the chair of the Nobel Committee for Chemistry. In winning the award on Wednesday, Dr. Sharpless became only the fifth person to win two Nobels, having received the chemistry prize in 2001 for his work on chirally catalyzed oxidation reactions. The other two-time winners were Marie Curie, John Bardeen, Linus Pauling and Frederick Sanger. Dr.", "The Nobel Prize in Physics 2022 was awarded to Alain Aspect, John F. Clauser and Anton Zeilinger “for experiments with entangled photons, establishing the ...", "The Nobel Prize in Chemistry 2022 was awarded to Carolyn R. Bertozzi, Morten Meldal and K. Barry Sharpless “for the development of click chemistry and ...", "A 1986 DNA model used by Aziz Sancar, who was awarded the 2015 Nobel Prize in Chemistry. © Nobel Media. Photo: Alexander Mahmoud “The said interest shall be divided into five equal parts, which shall be apportioned as follows: /- – -/ one part to the person who shall have made the most important chemical discovery or improvement…”  (Excerpt from the will of Alfred Nobel.) Chemistry was the most important science for Alfred Nobel’s own work. The development of his inventions as well as the industrial processes he employed were based upon chemical knowledge. Chemistry was the second prize area that Nobel mentioned in his will. The Nobel Prize in Chemistry is awarded by the Royal Swedish Academy of Sciences, Stockholm, Sweden. See all chemistry laureates or learn about the nomination process. More facts and figures © Johan Jarnestad/The Royal Swedish Academy of Sciences Ill. Niklas Elmehed © Nobel Prize Outreach The Nobel Prize medal. © Nobel Prize Outreach. Photo: Clément Morin. See the full list of prizes and laureates Model depicting a molecule that chemistry laureate Akira Suzuki successfully created by artificial means. Photo: Nobel Prize Museum The Nobel Prize in Chemistry: The development of modern chemistry Nobel Prizes in organic chemistry 1901-2010 The role of science and technology in future design"], "noise_rate": 0.4, "factlabel": 0} +{"id": 8, "query": "Who won the Super Bowl 2022 and who was named the MVP?", "ans": ["Los Angeles Rams", "Cooper Kupp"], "label": [1, 1], "prediction": "The Los Angeles Rams won Super Bowl LVI (2022), and Cooper Kupp was named the MVP.", "docs": ["Feb 14, 2022 ... The Los Angeles Rams are Super Bowl LVI champions after a 23-20 win over the Cincinnati Bengals on Sunday at SoFi Stadium. Rams receiver Cooper ...", "Super Bowl 56 was full of noteworthy, impactful performances — but only one that could result in Super Bowl MVP. Two players stood out above all others in that race for Super Bowl 56 MVP: Rams receiver Cooper Kupp and defensive lineman Aaron Donald. Both were instrumental to their teams' success in the 23-20 victory. Both had impactful plays in huge moments, including in the final stages of the final game of the season. Only one could take home some (additional) hardware, though: MORE: History of Super Bowl MVP award winners Kupp won his first Super Bowl ring and MVP following his Super Bowl 56 performance against the Bengals. The fifth-year receiver out of Eastern Washington followed up his All-Pro season with one last impressive performance, catching a game-high eight passes for a team-high 92 yards and two touchdowns. The first was an 11-yard strike that made it 13-3 Rams with 12:51 remaining in the second quarter: SUPER KUPP.@CooperKupp #RamsHouse 📺: #SBLVI on NBC 📱: https://t.co/K02y40b5Nu pic.twitter.com/DrajgCmlYf The second of his two touchdowns ultimately was the game-winner — a 1-yard touchdown catch that gave Los Angeles a 23-20 lead with 1:25 left in the game. COOPER KUPP FOR THE LEAD!", "Feb 13, 2022 ... The Los Angeles Rams beat the Cincinnati Bengals 23-20 after a late comeback to win their second Super Bowl title.", "172] Kupp was named the Super Bowl MVP, with eight receptions for 92 yards and two touchdowns, including three receptions and a touchdown (as well as one carry for seven yards) on the Rams final drive.[176][177] at SoFi Stadium, Inglewood, California 1Completions/attempts2Carries3Long gain4Receptions5Times targeted Super Bowl LVI featured seven officials. Continuing a practice instituted the previous year an alternate official was assigned for each position of an official on the field and the replay official. The numbers in parentheses below indicate their uniform numbers.[2] The 2022 Rams finished 5–12, setting the records for the most losses, lowest winning percentage (.294), and longest losing streak (six games) for a defending Super Bowl champion.[183][184] They were also the first defending Super Bowl champion to miss the playoffs since the 2016 Denver Broncos and first to have a losing record since the 2003 Tampa Bay Buccaneers. The 2022 Bengals tied their franchise-best 12–4 record[a] and clinched the franchise's first consecutive division title. They won a playoff game in consecutive seasons, another franchise first, before being defeated by the eventual Super Bowl LVII champion Kansas City Chiefs in the AFC Championship Game.", "Louis 23, Tennessee 16-With the Titans driving in the final minute to try and tie the game, Mike Jones tackled WR Kevin Dyson at the 1-yard line, preserving the victory for the Rams. St. Louis QB Kurt Warner threw for a Super Bowl record 414 yards and added two touchdown passes, but the Rams kept coming up short of the end zone as Jeff Wilkins kicked three field goals, which allowed the Titans to keep the game close. Super Bowl XXXV-Baltimore 34, NY Giants 7-The Ravens' swarming defense, led by LB Ray Lewis, set the tone by forcing five turnovers and sacking Giants QB Kerry Collins four times. RB Jamal Lewis led the Ravens with 102 yards and a touchdown, and each team scored TDs on kickoff returns. The Ravens' three touchdowns in a span of 36 seconds was a Super Bowl record. Super Bowl XXXVI-New England 20, St. Louis 17-Patriots K Adam Vinatieri began a string of Super Bowl magic by kicking a 48-yard field goal as time expired to give New England its first title. Though the explosive Rams offense out gained the Patriots 427-267 in total yards, St. Louis could not overcome a 3-0 turnover differential. Though Patriots QB Tom Brady was held to 145 yards and a touchdown pass, he won the MVP by leading his team down the field for the winning field goal with no timeouts."], "noise_rate": 0.4, "factlabel": 0} +{"id": 9, "query": "Who won men's and women's 500m speed skating at the 2022 Winter Olympics?", "ans": ["Erin Jackson", "Gao Tingyu"], "label": [1, 1], "prediction": "The men's 500m speed skating at the 2022 Winter Olympics was won by Gao Tingyu from the People's Republic of China, while the women's 500m speed skating was won by Erin Jackson from the United States.", "docs": ["The ROC's Angelina Golikova is the reigning world champion and is second in the World Cup. The Moscow native is competing at her third Olympics. Fifteen pairs of skaters will compete. Bowe is up fifth, then Goetz 11th and Jackson 14th.  START LIST The men's team pursuit semifinals are also on the docket for Sunday.  Eight teams will skate for the fastest four times to advance.  The competitors are South Korea, the Netherlands, the ROC, Italy, Canada, Norway, China and the United States. The U.S. holds the world record, which it set in December. The team includes Joey Mantia, Casey Dawson, Ethan Cepuran and Emery Lehman.  Norway won the event at the 2018 Winter Olympics.  START LIST View this post on Instagram A post shared by Joey Mantia (@joeymantia) A post shared by Joey Mantia (@joeymantia) The event begins with the team pursuit at 8 a.m. ET, followed by the 500m at 8:56 a.m. The action will air on NBC, or you can stream it on Peacock, NBCOlympics.com or the NBC Sport app.  Note: Some components of NBCOlympics.com may not be optimized for users browsing with Internet", "Next up in 5 Example video title will go here for this video BEIJING, China — Erin Jackson of Ocala has won the gold medal in the women's 500m speed skating event at the Winter Olympics in Beijing. The former inline skate turned speed skater is the first American woman to win a gold medal in the event in more than two decades. She is also the first Black woman to win a medal in speed skating at the Olympics. Jackson, who was in the second-to-last group to skate, blazed through the track with a time of 37.04.  Before becoming a speed skater on the ice, Jackson was a competitive inline and roller derby skater. However, she switched to speed skating on ice in time for the 2018 Winter Olympics in South Korea. She qualified for the 500m event with only a few months of experience under her belt. However, she ultimately finished in 24th place. Last year, Jackson also became the first Black woman to win in the Speedskating World Cup. Japan's Miho Takagi and Russian Olympic Committee's Angelina Golicova won the silver and bronze medals respectively.  Brittany Bowe, also out of Ocala, finished in 16th place with a final time of 38.04.", "Takagi is the second Japanese athlete to earn a medal in the women's 500m since 1998.  Speed skating returns on Tuesday with the men's and women's team pursuit semifinal and final rounds.  See the full speed skating schedule here. FULL RESULTS REPLAY Note: Some components of NBCOlympics.com may not be optimized for users browsing with Internet Explorer 11, 10 or older browsers or systems. © 2022 NBC Universal. All rights reserved. Any use, reproduction, modification, distribution, display or performance of this material without NBC Universal’s prior written consent is prohibited. Use of the Website signifies your agreement to the Terms of Use and Privacy Policy. ©IOC 2022 Official Results powered by Atos. Timing and results management by Omega.", "Erin Jackson of the United States became the Olympic champion, winning her first Olympic medal. She was also the first female Black athlete to medal in speed ...", "The People's Republic of China skater adds a spectacular gold to the bronze he won at PyeongChang 2018, with Republic of Korea's Cha Min Kyu taking silver and Japan's Morishige Wataru the bronze. Hosts People's Republic of China have something special to celebrate today, as speed skater Gao Tingyu set a blazing pace to claim the men's Beijing 2022 500m gold medal and with it a new Olympic record. Gao's mark of 34.32 was 0.09 seconds faster than the record set by Norway's Håvard Holmefjord Lorentzen in PyeongChang 2018, and was enough to seal an impressive gold ahead of Republic of Korea's Cha Min Kyu (34.39) and Japan's Morishige Wataru (34.49). In the fastest 500m race in Olympic history, both the first and second-place finishers went under the previous Olympic record. However, it was Gao who stood tallest, winning gold and the right to call himself Olympic champion. At the last Olympic Winter Games, Gao became the first athlete from the People's Republic of China to win an Olympic speed skating medal. Now he has made history once again as the new Olympic champion."], "noise_rate": 0.4, "factlabel": 0} diff --git a/results/Information Integration/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json b/results/Information Integration/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..4e4b0dffecd8dac29a65f83f058d1e22bf97ff25 --- /dev/null +++ b/results/Information Integration/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,9 @@ +{ + "model": "qwen-2.5-32b", + "accuracy": 0.8, + "noise_rate": 0.4, + "correct_count": 8, + "total": 10, + "all_rate": 0.8, + "tt": 8 +} \ No newline at end of file diff --git a/results/Negative Rejection/output_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json b/results/Negative Rejection/output_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..c631c8a325803bb34d26941dbcfe100a85a61ebe --- /dev/null +++ b/results/Negative Rejection/output_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [0], "prediction": "According to the provided document, there is no specific premiere date mentioned for \"Carole King & James Taylor: Just Call Out My Name\". The document only mentions that the movie has not been released yet, but does not provide a premiere date.", "docs": ["Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "The track is one of 15 the pair recorded live from West Hollywood’s The Troubadour in 2007, where they gigged together in 1970, for the Live At The Troubadour album, released in 2010 The documentary follows the two along The Troubadour Reunion Tour in 2010. Also interviewed in the film are sidemen Danny Kortchmar, Russ Kunkel, and Lee Sklar, who accompanied the duo on all their shows together from 1970 through 2010.  King is about to be inducted into the Rock and Roll Hall of Fame in Cleveland on Oct. 30, where Taylor Swift and Jennifer Hudson will act as presenters and perform her songs. See more Only members can comment. Become a member. Already a member? Log In. August 7, 2023, 8:00 pm August 7, 2023, 7:30 pm August 7, 2023, 5:30 pm August 7, 2023, 5:00 pm August 7, 2023, 4:53 pm August 7, 2023, 4:30 pm August 2, 2023, 6:30 am April 7, 2023, 8:45 am June 12, 2022, 10:16 am", "A concert film that explores the 50-year friendship between award-winning singer/songwriters James Taylor and Carole King.", "I have no answer as to why the film wasn’t released in 2011, but an appreciation of a musical collaboration that Rolling Stone magazine (and only Rolling Stone magazine) probably ranks really really high on some list of the greatest whatevers ever arrives better late than never. The Gist: In 1970, Taylor and King performed their first concert together at the famed Troubadour club in Hollywood. It was the beginning of a beautiful – 100 percent platonic! – friendship in which they made beautiful music together, and I’m sorry for the cliches, but in this case, they’re true. They sang each other’s songs, encouraged and complemented each other, and harmonized like tea and honey. Forty years later, they decided to celebrate their convergence with a 50-plus-date tour, and now, 12 years after that, we get a celebration of the celebration, a remembrance of a remembrance that brought so much joy to so many people 52 years ago and then again 12 years ago, and now again a third time officially, with this movie. Just Call Out My Name opens with clips of late-night talk show hosts (Leno, Carson, Letterman) introducing Taylor or King or both, then a blip of Oprah praising Taylor, but what she thinks of King, NOBODY KNOWS.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):"], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Based on the answer provided, I would say:\n\nYes, the question is addressed by the documents.\n\nThe answer indicates that the document mentions that the movie \"Carole King & James Taylor: Just Call Out My Name\" has not been released yet, but does not provide a specific premiere date. This information partially answers the question, providing insights into the movie's status."} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [1], "prediction": "Based on the provided document, the genre of the drama \"Good Sam\" is not explicitly mentioned. However, it is mentioned that the story is about a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. This suggests that the genre might be a medical drama or a drama with medical elements.", "docs": ["You can help us help kids by suggesting a diversity update. Want suggestions based on your streaming services? Get personalized recommendations Common Sense Media's unbiased ratings are created by expert reviewers and aren't influenced by the product's creators or by any of our funders, affiliates, or partners. Common Sense is the nation's leading nonprofit organization dedicated to improving the lives of all kids and families by providing the trustworthy information, education, and independent voice they need to thrive in the 21st century. We're a nonprofit. Support our work", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell.", "Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "27][28] In February 2021, Edwin Hodge joined the cast in a starring role.[29] In January 2022, it was reported that Sendhil Ramamurthy was cast in a recurring role while Hilarie Burton and Bethany Joy Lenz are set to guest star.[4][7] In February 2022, Victoria Rowell joined the cast in a recurring role.[5] Principal photography for the series began on October 18, 2021 and concluded on March 24, 2022, in Oakville, Ontario.[30] The review aggregator website Rotten Tomatoes reported a 63% approval rating with an average rating of 7.5/10, based on 8 critic reviews.[31] Metacritic, which uses a weighted average, assigned a score of 56 out of 100 based on 5 critics, indicating \"mixed or average reviews\".[32]", "When he awakens and wants to resume surgery, however, it falls to her to supervise this overbearing blowhard who never acknowledged her talents – and also happens to be her father. Jason Isaacs, Edwin Hodge, Skye P. Marshall, Michael Stahl-David, Davi Santos, Omar Maskati and Wendy Crewson also star. It comes from writer Katie Wech, Jennie Snyder Urman and Sutton St. Productions banner and CBS Studios. Wech, Snyder Urman and Joanna Klein with Tamra Davis directing and EPing the pilot. Meanwhile, Smallwood stars Crashing’s Pete Holmes as a seemingly ordinary man, who, after being laid off from the assembly line at the GM factory, makes the extraordinary decision to provide for his family by following his dream of becoming a professional bowler. It is based on the life of professional bowler Tom Smallwood. The multicamera comedy comes from Mark Gross and producers David Hollander and Brian D’Arcy James. The trio exec produce with Mark Cendrowski as director. CBS Studios produces. Alongside Holmes, Chi McBride and Katie Lowes star. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Based on the answer generated through document retrieval, I would say:\n\nYes, the question is addressed by the documents.\n\nThe answer provides some information about the drama \"Good Sam\", including its storyline and genre, which matches the question. While the answer doesn't provide a straightforward answer to the question, it does provide some relevant information that can help the user infer the genre of the drama."} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [0], "prediction": "I can answer that question based on the provided document. However, I must note that the document does not mention the 2022 Citrus Bowl, as it only discusses various college football bowl games and teams from the 2022 season.", "docs": ["Western Kentucky: WKU may have had the most impressive performance of bowl season. The Hilltoppers trounced South Alabama 44-23 in the New Orleans Bowl in a game that was not as close as the final score may indicate. South Alabama was looking for its first-ever bowl win, but WKU jumped out to a 31-3 halftime lead and never looked back, putting up a total of 677 yards by the time the final seconds ticked off. Austin Reed threw for 497 yards and four touchdowns in the win. Air Force: Air Force looked right at home on an incredibly cold night in Fort Worth. The Falcons ran all over Baylor in a 30-15 victory in the Armed Forces Bowl. Air Force rushed for 276 yards and limited Baylor to just 42 rushing yards. With the win, Air Force got to double-digit victories for the third time in four seasons. AFA went 11-2 in 2019 and 10-3 in the past two seasons. In the shortened 2020 season, the Falcons finished 3-3. As a program, Air Force has won four consecutive bowl games. New Mexico State: Year 1 of the Jerry Kill era at New Mexico State ended with a bowl victory. NMSU knocked off Bowling Green 24-19 in the Quick Lane Bowl on Monday to capture the program’s second bowl victory since 1960.", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "Head coach Kirk Ferentz has kept things close to the vest with his signal-callers, but it's looking like Petras, who started the season as the starter and ended the season as the starter, will get the nod. Star running back Tyler Goodson opted out of the Citrus Bowl for the Hawkeyes as he prepares for the NFL Draft. Freshman receiver Keagan Johnson has also been ruled out for the Citrus Bowl.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987.", "The game was a punt hater’s dream. And it was a nightmare for Ole Miss QB Jaxson Dart. He threw three interceptions and fumbled once. Texas Tech QB Tyler Shough rushed for two TDs and threw for another as the Red Raiders easily held on to a 19-point halftime lead throughout the second half. The loss also meant that Ole Miss ends the season at 8-5 after starting the season 7-0. Oklahoma: The Sooners entered the Cheez-It Bowl shorthanded and as significant underdogs to Florida State. Losing 35-32 was still a cover for Oklahoma. But the loss also means that Oklahoma finishes the season at 6-7. That’s the first losing season for OU since 1998. The first year of the Brent Venables era was a bit rocky — especially when you consider the success that Caleb Williams and Lincoln Riley had at USC. But there’s no reason to panic in Norman. Yet. SMU: The Mustangs entered the New Mexico Bowl as 4.5-point favorites over a BYU team that started freshman third-string QB Sol-Jay Maiava-Peters for the first time. Yet BYU did just enough on the ground to eke out a 24-23 win after stopping an SMU two-point conversion with eight seconds left."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Based on the answer provided, I can determine that the retrieved document does not fully address the question.\n\nThe answer states that the document does not mention the 2022 Citrus Bowl, which means that the question is not fully answered by the document."} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [-1], "prediction": "I can answer the question based on the provided document.\n\nAccording to the document, Jason Semore's coaching stops included Valdosta State University, but the document does not specify the position he held at Valdosta State before returning to Georgia Tech. The document only mentions his coaching stops and does not provide this specific information.\n\nTherefore, I can not answer the question because of the insufficient information in the document.", "docs": ["Even with a dad who coached, Semore knows his background – childhood on a reservation, Division II football – didn’t lend itself to the ready-made connections of other aspiring college coaches. But he says his experiences in Ganado, growing up among the Navajo, taught him how to feel at home in other cultures. And that, in turn, has helped him thrive in coaching. “Being able to establish relationships came naturally to me, and it was important to me, and it has allowed me to get to where I’m at today,” Semore said. It’s an experience he wouldn’t trade either. This Saturday, when Georgia Tech faces Pittsburgh (8 p.m. ET, Georgia Tech Sports Network from Legends Sports), the coach’s son from Ganado will continue the next chapter in his career, charting a path few in college football have duplicated.", "Thomas's celebration of life was held at McCamish Pavilion on December 20. Friends, former teammates, and fans attended the event. On April 27, 2022, Georgia Tech and the PeyBack Foundation, which is run by Thomas's former teammate Peyton Manning announced the Demaryius A. Thomas Scholarship Endowment. The Demaryius A. Thomas Scholarship Endowment endows academic scholarships to attend Georgia Tech for incoming freshmen students from Laurens County, Georgia, Thomas's hometown. In addition to this, Georgia Tech announced that August 8 would be annually recognized as “Demaryius Thomas Day”. On September 26, 2022, following the team's 3rd loss of the season in 4 games, Coach Geoff Collins and Athletics Director Todd Stansbury were relieved of their duties. Former Georgia Tech football alum Brent Key was named as interim coach. Georgia Tech announced its 2022 football schedule on February 1, 2022.[1] The 2022 schedule consisted of five home games, six away games and a neutral-site game in the regular season. The Yellow Jackets hosted ACC foes Duke, Virginia, and Miami and traveled to Pitt, Florida State, Virginia Tech and North Carolina. They played Clemson in a neutral-site game at the Mercedes-Benz Stadium in Atlanta, Georgia.[2] The Yellow Jackets hosted two of their non-conference opponents, Western Carolina from the Division I FCS and Ole Miss from the SEC.", "A Biletnikoff Award finalist and one of the most productive pass catchers in Wyoming football history, Jovon Bouknight took his experience and skill set playing the game and turned it into a coaching career. He spent time as a grad assistant with his alma mater before coaching at Utah State, Oregon, and Texas Tech, joining the Marshall coaching staff from the Kentucky Wildcats. A standout linebacker at Idaho State, Telly Lockette established himself as an elite offensive mind in the Miami high school arena early in his coaching career before joining the college ranks with South Florida. He also spent time at Oregon State, FSU, and Miami (FL) before joining the Marshall coaching staff as the running back coach and run game coordinator. His son, Tellek Lockette, is an ascending offensive lineman in the Sun Belt for Louisiana-Monroe. A long-time member of the Marshall coaching staff who is on his third stint with the team, Shannon Morrison serves as the LB coach while also being the assistant head coach. He was previously the LB coach in Huntington from 2006-2006, while coaching safeties from 2007-2008. A former team captain and honorable All-American, he was part of the 1992 FCS title team. Another standout player for the Thundering Herd, Ralph Street was a team captain and won three MAC titles between 1998 and 2001.", "Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Based on the answer provided, I agree with your assessment. The document does mention Jason Semore's coaching stops, including Valdosta State University, but it does not specify the position he held at Valdosta State before returning to Georgia Tech. Therefore, the document does not provide enough information to answer the question, and the answer should be \"No, the question is not addressed by the documents.\""} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [0], "prediction": "I can answer your question based on the provided document. According to the document, Tesla reports 1.31 million deliveries in 2022, and the document does not provide information on deliveries in 2021.", "docs": ["in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Jan 2, 2023 ... Tesla reports 1.31 million deliveries in 2022, growth of 40% over last ... Musk asked employees to “volunteer” to deliver as many cars to ...", "Jan 2, 2022 ... The Rise of Electric Vehicles ... Tesla does not break out its deliveries by country. Much of its recent growth has been propelled by sales in ...", "Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations.", "Jun 7, 2023 ... How many Tesla vehicles were delivered in 2023? ... 1,313.86 1,313.86 422.88 422.88 Q1 Q2 Q3 Q4 2016 2017 2018 2019 2020 2021 2022 2023."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Based on the answer, I would say:\n\nNo, the question is not addressed by the documents.\n\nThe answer is trying to provide information on 2022 deliveries, but the question is asking about 2021 deliveries. The document does not provide information on 2021 deliveries, so it is not able to solve the question."} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [0], "prediction": "The document does not mention any company acquiring ShowBiz Cinemas.", "docs": ["“As you look ahead into 2022, all the studios are going back to an exclusive window” for theaters, Roberts said. He added that new releases will typically be in theaters for 45 days before streaming. Warner is among the studios committing to a period of theatrical exclusivity before films go to streaming, and Disney will likely do the same, especially for its biggest titles, according to Bloomberg Intelligence. Universal’s new model will bring most films to its Peacock streaming platform 45 days after being released in theaters. RELATED: Virginia engineering firm expands with Houston acquisition Although 2022 is off to a slow start with a surge in the omicron variant and few new releases, the box office could more than double $4.5 billion in sales in 2021, according to Bloomberg Intelligence. It’s still far below sales of $11.3 billion in 2019. “The demand for movies is still very much there as we saw from 'Spider-Man,'” said Geetha Ranganathan, a senior media analyst at Bloomberg Intelligence. “But we do think the model is slowly changing to focus only on the big-budget blockbusters as mid-budget releases find their way to streaming.” Founded in 2014, EVO Entertainment is backed by Austin-based Marbella Interests, which manages investments for the family of former Parsley Energy CEO Bryan Sheffield.", "Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members...", "The “out-of home” entertainment company’s brands include EVO Entertainment, EVO Cinemas and EVO Concerts. RELATED: Will Houston audiences return to movie theaters? The combined enterprise has 16 venues with 148 screens, 108 bowling lanes, nine restaurants and bars, a 3,000-capacity live music venue, and more than 30,000 combined square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. Several additional venues are on track to open in the coming months. Founded by Kevin Mitchell, who is Roberts’ uncle, in 2007, ShowBiz Cinemas operates seven locations with 89 screens and 70 bowling lanes in four states. The chain has area locations in Kingwood, Humble, northeast Houston and Baytown. The company will continue to operate under the ShowBiz name. Katherine Feser is a business reporter for the Houston Chronicle covering real estate and special sections. She can be reached at katherine.feser@houstonchronicle.com. Compass Real Estate is marketing the private sanctuary and long--time residence of the late legendary surgeon Michael DeBakey located in the Museum District/Rice Village area of Houston. By Marissa Luck", "Share this post Boxoffice Staff  •  Aug 7th Hoyts has launched new branding as a part of their ‘See the Big Picture’ campaign. More than just a refreshed look and tagline, the branding speaks to the heart of the company’s vision. Hoyts’ investment in big screens, surround sound,... Boxoffice Staff  •  Aug 7th CES+ announced a partnership with Corporación Lady Lee for their new venture, Megacinemas, signifying the successful introduction of Lady Lee’s new brand into the Central American cinema scene. CES+ has been integral to the development of Megacinemas, providing end-to-end digital... Boxoffice Staff  •  Aug 4th Will Rogers Motion Picture Pioneers Foundation (WRMPPF) announced Friday that the late MGM and United Artists Releasing Distribution Chief Erik Lomis will be recognized posthumously with the 2023 Pioneer of the Year Award on October 4th at The Beverly Hilton.... Boxoffice Staff  •  Aug 4th Featuring artwork from TEENAGE MUTANT NINJA TURTLES: MUTANT MAYHEM exclusively on sale in participating theatres. Proceeds from gold heart pins help fund life-changing Variety programs for children globally.", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!"], "noise_rate": 1.0, "factlabel": 0, "evaluation": "I understand what you're doing!\n\nBased on the answer provided, I would say:\n\nNo, the question is not addressed by the documents.\n\nThe answer states that the document does not mention any company acquiring ShowBiz Cinemas, which means the question is not answered by the retrieved document."} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [0], "prediction": "I can answer the question based on the provided document. According to the document, the location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. However, the document does not specify the location of Super Bowl LVI (2022). It only mentions that Super Bowl LVII (2023) will take place at State Farm Stadium in Glendale, Ariz., and that Super Bowl LVIII (2024) will be hosted by Allegiant Stadium in Las Vegas, and Super Bowl LXIX (2025) will be at Caesars Superdome in New Orleans. Therefore, I can not answer the question about the location of Super Bowl LVI (2022) because it is not mentioned in the provided document.\n\nHowever, I can suggest that you check the official NFL website or other reliable sources for the information about the location of Super Bowl LVI (2022).", "docs": ["Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]", "The 49ers reportedly requested to wear an all-white third jersey ensemble for Super Bowl LIV, which the San Francisco Chronicle noted they could do with special permission from the league; the league never granted such permission, and the 49ers instead opted for their standard uniform of white jerseys with gold pants.[76] Fifteen different regions have hosted Super Bowls. Note: Years listed are the year the game was actually played (or will be played[ˇ]; future games are denoted through italics) rather than what NFL season it is considered to have been. A total of 27 different stadiums, seven of which have been since demolished, either have hosted or are scheduled to host Super Bowls. The years listed in the table below are the years the game was actually played (will be played[ˇ]) rather than the NFL season it concluded. ^ ^: Stadium has since been demolished. ^ ‡: Prior to the incorporation of Miami Gardens in 2003, the stadium was in unincorporated Miami-Dade County. ^ ††: The original Stanford Stadium, which hosted Super Bowl XIX, was demolished and a new stadium constructed on the site in 2006. ^ ˇ: Future Super Bowls, also denoted by italics. Future venues: The Super Bowl has not yet been played in any region that lacked an NFL or AFL franchise at the time the game was played.", "Two teams have played the Super Bowl in their home market but at a different venue than their home stadium: the Los Angeles Rams, who lost Super Bowl XIV in the Rose Bowl instead of Los Angeles Memorial Coliseum; and the 49ers, who won Super Bowl XIX in Stanford Stadium instead of Candlestick Park, during a time when the league often picked a stadium that was not home to an NFL team to host the Super Bowl (see above). Traditionally, the NFL does not award Super Bowls to stadiums that are located in climates with an expected average daily temperature less than 50 °F (10 °C) on game day unless the field can be completely covered by a fixed or retractable roof.[51] Six Super Bowls have been played in northern cities: two in the Detroit area—Super Bowl XVI at Pontiac Silverdome in Pontiac, Michigan, and Super Bowl XL at Ford Field in Detroit; two in Minneapolis—Super Bowl XXVI at the Hubert H. Humphrey Metrodome and Super Bowl LII at the U.S. Bank Stadium; one in Indianapolis at Lucas Oil Stadium for Super Bowl XLVI; and one in the New York area—Super Bowl XLVIII at MetLife Stadium.", "Besides the Rose Bowl, the only other Super Bowl venues that were not the home stadium to NFL teams at the time were Rice Stadium (the Houston Oilers had played in Rice Stadium previously but moved to the Astrodome several years before Super Bowl VIII) and Stanford Stadium. Starting with the selection of the Super Bowl XXVIII venue on May 23, 1990, the league has given preference in awarding the Super Bowl to brand new or recently renovated NFL stadiums, alongside a trend of teams demanding public money or relocating to play in new stadiums. To date only two teams have qualified for a Super Bowl at their home stadiums: the 2020 Tampa Bay Buccaneers, who won Super Bowl LV hosted at Raymond James Stadium (selected on May 23, 2017), and the 2021 Los Angeles Rams the following season, who won Super Bowl LVI at SoFi Stadium. Before that, the closest any team had come to accomplishing this feat were the 2017 Minnesota Vikings, who reached the NFC Championship Game but lost to the Eagles. In that instance, U.S. Bank Stadium became the first Super Bowl host stadium (selected on May 20, 2014) to also host a Divisional Playoff Game in the same season (which the Vikings won); all previous times that the Super Bowl host stadium hosted another playoff game in the same postseason were all Wild Card games.", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Based on the provided answer, I would say that the question is not addressed by the documents. The answer provides information about how the location of the Super Bowl is chosen, as well as the location of future Super Bowls, but it does not specifically mention the location of Super Bowl LVI (2022). Therefore, the question remains unanswered."} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [0], "prediction": "According to the document, Truth Social has already launched its web app, and a public beta of the web app was announced just last week. However, there is no specific information in the document about when Truth Social will launch its iOS app.", "docs": ["Reports say that Trump has been privately complaining that Google was trying to \"fuck\" him. According to Rolling Stones' source, however, the truth is that Truth Social hasn't even submitted an Android app to the Google Play store yet. Still, though, the launch of a web app is significant. Truth Social profiles and posts will now be completely shareable on other platforms. Using the iPhone app, if you want to share a Truth Social post on another platform, you have to take a screenshot. Now, Truth Social users will be able to post links directly to any account or post. In turn, non-Truth Social users will have direct access to sign up and engage with content on the site. (Note: Internal Truth Social links currently require users to login to their account in order to see the content.) In short: It's going to be a lot easier for Trump's fanbase to share his content on other platforms. Launched in February, Truth Social struggled during the first few months. Downloads plummeted after the initial rush to download due to a long waitlist of users wanting to sign up. However, in recent weeks, Trump finally started posting on his own platform, which has helped give the conservative social network another bounce.  Truth Social announced a public beta of the web app just last week. According to a press release from Wednesday, the initial web app rollout was scheduled for some time over the next week or two.", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]", "In early March 2022, multiple sources reported that Truth Social usage remained low, with Trump himself not having posted to his account since his first message two weeks earlier and his account having only 140,000 followers—less than 0.2% of the 90 million followers he had on Twitter before his account was banned.[81][108] The Daily Dot reported the Truth Social iOS app had fallen from the number one slot for downloads on the Apple App Store to number 84.[110] The Daily Beast reported Trump was dissatisfied with the social network's progress.[109][68] At the end of March 2022, TheWrap reported that weekly installations of the Truth Social app had fallen from 872,000 in its launch week to around 60,000 per week, a reduction of over 90%. Visits to truthsocial.com had also fallen, from 6 million per week to 1.9 million. According to Sensor Tower, Truth Social had been downloaded 1.2 million times by late March.[111] In early April 2022, Bloomberg News reported that shares in Truth Social's publicly traded holding company Digital World Acquisition Corp. (DWAC) had fallen 31% from the time of the app's launch in late February[112] and 64% from its all-time high.[113] In early April 2022, Business Insider described Truth Social as \"like a conservative ghost town that had been overrun by bots\".", "During May 2023, SimilarWeb's ranking of the Truth Social iOS app has fluctuated wildly, ranging from #18 to #153 in the Apple App Store social networking category during that period.[121] Following Elon Musk's proposed acquisition of Twitter, many commentators observed that a Musk-run Twitter would be likely to reduce demand for Truth Social's services.[122][123] Musk said that as of late April 2022, Truth Social iOS app downloads exceeded those of Twitter and TikTok on the same platform.[124] He said Truth Social only existed because of Twitter's restrictions on free speech. Describing Truth Social as a \"terrible name\", Musk joked that it should be renamed \"Trumpet\".[125][126] Following Musk's comments on Twitter, the Truth Social app rose in popularity, returning to the number 1 position for free iOS apps on Apple's App Store on April 30, with the Twitter app at number 2; DWAC shares also rose in value.[127][128] DWAC's share price fell after Musk's announcement of his intention to buy Twitter.[129] Truth Social CEO Devin Nunes later stated that Musk had been encouraged by Trump to buy Twitter;[130] Musk denied this, saying \"This is false. I've had no communication, directly or indirectly, with Trump, who has publicly stated that he will be exclusively on Truth Social."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Based on the answer, I would say that the question is not fully addressed by the retrieved documents. The documents do provide information about the launch of Truth Social's web app and public beta, but do not specifically mention when the iOS app will be launched. The question asks about the specific timing of the iOS app launch, which is not answered in the document."} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [0], "prediction": "I can answer that! According to the provided document, there is no information about the 79th Golden Globes. The document only talks about the 80th Golden Globes, which took place in 2023. Therefore, I cannot provide an answer about the best drama winner at the 79th Golden Globes.", "docs": ["Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ...", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "On Tuesday night, the Golden Globes were held for the 80th time in history, though this year's ceremony was notable for a bigger reason. The awards show that is supposed to honor excellence in film and TV has been trying to recover from a racial exclusion scandal after a 2021 Los Angeles Times story revealed that none of the 87 Hollywood Foreign Press members was Black. Tom Cruise subsequently gave back his Globes, NBC opted not to air the ceremony last year, and reform in the form of inclusivity began to take shape. After Jerrod Carmichael explained to the audience at the Beverly Hilton how he wound up as the host (spoiler: \"I'm here because I'm Black,\" he quipped before launching into a detailed and honest account of his decision-making process), the trophy distribution began. The Banshees of Inisherin, which led all movies with eight nominations, struck up a meaningful friendship with Globes voters over the evening: The Irish-island-set tragicomedy took home the best comedy film trophy, while Colin Farrell triumphed in the acting category and writer-director Martin McDonagh won for best screenplay. The Fablemans also came into frame by winning best drama film honors and best director (Steven Spielberg). Meanwhile, Everything Everywhere All at Once prevailed in two dimensions, as Michelle Yeoh and Ke Huy Quan netted acting trophies.", "Keeravani, Rahul Sipligunj (RRR) – WINNER Donald Glover, AtlantaBill Hader, BarrySteve Martin, Only Murders in the BuildingMartin Short, Only Murders in the BuildingJeremy Allen White, The Bear – WINNER Quinta Brunson, Abbott Elementary – WINNERKaley Cuoco, The Flight AttendantSelena Gomez, Only Murders in the BuildingJenna Ortega, WednesdayJean Smart, Hacks Diego Calva, BabylonDaniel Craig, Glass Onion: A Knives Out MysteryAdam Driver, White NoiseColin Farrell, The Banshees of Inisherin – WINNERRalph Fiennes, The Menu Margot Robbie, BabylonAnya Taylor-Joy, The MenuEmma Thompson, Good Luck to You, Leo GrandeLesley Manville, Mrs.", "Best motion picture - drama WINNER: The FabelmansAvatar: The Way of WaterElvisTár Top Gun: Maverick Best motion picture - musical or comedy WINNER: The Banshees of InisherinBabylonEverything Everywhere All at OnceGlass Onion: A Knives Out MysteryTriangle of Sadness Best television series - drama WINNER: House of the Dragon (HBO Max)Better Call Saul (AMC+/AMC)The Crown (Netflix)Ozark (Netflix)Severance (Apple TV+) Best television series - musical or comedy WINNER: Abbott Elementary (ABC)The Bear (FX)Hacks (HBO Max)Only Murders in the Building (Hulu)Wednesday (Netflix) Best motion picture - animated WINNER: Guillermo del Toro's PinocchioInu-OhMarcel the Shell with Shoes OnPuss in Boots: The Last WishTurning Red Best motion picture - Non-English language (formerly foreign language) WINNER: Argentina, 1985All Quiet on the Western FrontCloseDecision to LeaveRRR Best television limited series, anthology series or motion picture made for television WINNER: The White Lotus (HBO Max)Black Bird (Apple TV+)Dahmer - Monster: The Jeffrey Dahmer Story (Netflix)The Dropout (Hulu)Pam & Tommy (Hulu) Best performance by an actor in a television series - drama WINNER: Kevin Costner, YellowstoneJeff Bridges"], "noise_rate": 1.0, "factlabel": 0, "evaluation": "I'm ready to help! Please provide the question and answer generated through document retrieval, and I'll determine if the retrieved document can solve the question.\n\nGo ahead and provide the next question and answer!"} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [0], "prediction": "I can answer that. According to the document, there is no information about Georgia Tech Softball season tickets, as the document only discusses Georgia Tech football, basketball, and student tickets for Bobby Dodd Stadium and McCamish Pavilion. The document does mention Virginia's softball season tickets, which are priced at $50 each for general admission seats and subject to availability for reserved seats. However, it does not provide information about Georgia Tech Softball season tickets.", "docs": ["Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "Georgia Tech opens the 2023 season hosting the annual Buzz Classic, beginning its action with a doubleheader against UConn on Feb. 10 at 4:30 p.m. at Mewborn Field. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2023 Home Schedule and Season Highlights Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes. Be a part of developing Georgia Tech’s Everyday Champions and helping the Yellow Jackets compete for championships at the highest levels of college athletics by supporting the Annual Athletic Scholarship Fund, which directly provides scholarships for Georgia Tech student-athletes. To learn more about supporting the Yellow Jackets, visit atfund.org. For the latest information on the Georgia Tech Yellow Jackets, follow us on Instagram (@GaTechSoftball), Twitter (@GaTechSoftball), Facebook (Georgia Tech Softball) or visit us at www.ramblinwreck.com.", "CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska.", "No visiting team colors may be worn in this area. All non-courtside students will be seated in the general admission seating area in Section 113. *The GTAA reserves the right to distribute student tickets via a ticket lottery if demand is high for a certain game. Such changes will be communicated to the student body in a timely manner. For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff. Georgia Tech student seating is available as general admission. Students will need to visit the box office near Gate 3 (first-base side) and display their BuzzCard in order to receive a ticket to the game. Postseason home games - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission.", "Skip to content Dear GT Softball Family, Let me first say \"thank you\" to everyone who supported Georgia Tech Softball during the 2022 season. The young women on our team and all of our staff certainly felt the support you provided us last year. We concluded our historic season with our highest win total and best win percentage since 2011 and we're looking forward to having another great season!  Donations to the Mew Crew directly benefit Georgia Tech Softball, and we have set a goal of $100,000 targeted to specific needs for our program: I'm excited for the 2023 season and a chance for us to build on our momentum from last season. Your support for the GT Softball community has been paramount in our program's success, laying a foundation to rely on no matter the challenges we face. I look forward to surpassing each of our goals on and off the field this year.. Reaching our goal will ensure our ability to deliver a championship-caliber experience to all of our student-athletes. Your support will earn benefits unique to GT Softball and provide the resources necessary to develop young women who compete up the height of their potential during their time at Tech. Thank you for your consideration and Go Jackets! Aileen Morales Head Coach, GT Softball *Gifts from July 1, 2022 - June 30, 2023 Alexander-Tharpe Fund Georgia Tech Athletic Association"], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Based on the answer, I would say:\n\n**No**, the retrieved document cannot solve the question. The answer explicitly states that there is no information about Georgia Tech Softball season tickets in the document, and only mentions Virginia's softball season tickets as a comparison."} diff --git a/results/Negative Rejection/output_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json b/results/Negative Rejection/output_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..3a7c0067c4e63dce7c820568a8b97c026edc2e58 --- /dev/null +++ b/results/Negative Rejection/output_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [-1], "prediction": "The document does not provide information on the premiere date of 'Carole King & James Taylor: Just Call Out My Name'. I can not answer the question because of the insufficient information in documents.", "docs": ["The track is one of 15 the pair recorded live from West Hollywood’s The Troubadour in 2007, where they gigged together in 1970, for the Live At The Troubadour album, released in 2010 The documentary follows the two along The Troubadour Reunion Tour in 2010. Also interviewed in the film are sidemen Danny Kortchmar, Russ Kunkel, and Lee Sklar, who accompanied the duo on all their shows together from 1970 through 2010.  King is about to be inducted into the Rock and Roll Hall of Fame in Cleveland on Oct. 30, where Taylor Swift and Jennifer Hudson will act as presenters and perform her songs. See more Only members can comment. Become a member. Already a member? Log In. August 7, 2023, 8:00 pm August 7, 2023, 7:30 pm August 7, 2023, 5:30 pm August 7, 2023, 5:00 pm August 7, 2023, 4:53 pm August 7, 2023, 4:30 pm August 2, 2023, 6:30 am April 7, 2023, 8:45 am June 12, 2022, 10:16 am", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):", "A concert film that explores the 50-year friendship between award-winning singer/songwriters James Taylor and Carole King.", "I have no answer as to why the film wasn’t released in 2011, but an appreciation of a musical collaboration that Rolling Stone magazine (and only Rolling Stone magazine) probably ranks really really high on some list of the greatest whatevers ever arrives better late than never. The Gist: In 1970, Taylor and King performed their first concert together at the famed Troubadour club in Hollywood. It was the beginning of a beautiful – 100 percent platonic! – friendship in which they made beautiful music together, and I’m sorry for the cliches, but in this case, they’re true. They sang each other’s songs, encouraged and complemented each other, and harmonized like tea and honey. Forty years later, they decided to celebrate their convergence with a 50-plus-date tour, and now, 12 years after that, we get a celebration of the celebration, a remembrance of a remembrance that brought so much joy to so many people 52 years ago and then again 12 years ago, and now again a third time officially, with this movie. Just Call Out My Name opens with clips of late-night talk show hosts (Leno, Carson, Letterman) introducing Taylor or King or both, then a blip of Oprah praising Taylor, but what she thinks of King, NOBODY KNOWS."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The answer indicates that the document does not provide the necessary information to determine the premiere date of 'Carole King & James Taylor: Just Call Out My Name'."} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [0], "prediction": "The genre of the drama \"Good Sam\" is not explicitly mentioned in the provided document. It mainly focuses on the plot and production details of the show.", "docs": ["Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "You can help us help kids by suggesting a diversity update. Want suggestions based on your streaming services? Get personalized recommendations Common Sense Media's unbiased ratings are created by expert reviewers and aren't influenced by the product's creators or by any of our funders, affiliates, or partners. Common Sense is the nation's leading nonprofit organization dedicated to improving the lives of all kids and families by providing the trustworthy information, education, and independent voice they need to thrive in the 21st century. We're a nonprofit. Support our work", "When he awakens and wants to resume surgery, however, it falls to her to supervise this overbearing blowhard who never acknowledged her talents – and also happens to be her father. Jason Isaacs, Edwin Hodge, Skye P. Marshall, Michael Stahl-David, Davi Santos, Omar Maskati and Wendy Crewson also star. It comes from writer Katie Wech, Jennie Snyder Urman and Sutton St. Productions banner and CBS Studios. Wech, Snyder Urman and Joanna Klein with Tamra Davis directing and EPing the pilot. Meanwhile, Smallwood stars Crashing’s Pete Holmes as a seemingly ordinary man, who, after being laid off from the assembly line at the GM factory, makes the extraordinary decision to provide for his family by following his dream of becoming a professional bowler. It is based on the life of professional bowler Tom Smallwood. The multicamera comedy comes from Mark Gross and producers David Hollander and Brian D’Arcy James. The trio exec produce with Mark Cendrowski as director. CBS Studios produces. Alongside Holmes, Chi McBride and Katie Lowes star. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply.", "27][28] In February 2021, Edwin Hodge joined the cast in a starring role.[29] In January 2022, it was reported that Sendhil Ramamurthy was cast in a recurring role while Hilarie Burton and Bethany Joy Lenz are set to guest star.[4][7] In February 2022, Victoria Rowell joined the cast in a recurring role.[5] Principal photography for the series began on October 18, 2021 and concluded on March 24, 2022, in Oakville, Ontario.[30] The review aggregator website Rotten Tomatoes reported a 63% approval rating with an average rating of 7.5/10, based on 8 critic reviews.[31] Metacritic, which uses a weighted average, assigned a score of 56 out of 100 based on 5 critics, indicating \"mixed or average reviews\".[32]", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The provided document does not mention the genre of the drama \"Good Sam\"."} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [-1], "prediction": "Based on the document, I cannot answer the question because the insufficient information in documents. The document does not provide the information about the winner of the 2022 Citrus Bowl.", "docs": ["The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "Head coach Kirk Ferentz has kept things close to the vest with his signal-callers, but it's looking like Petras, who started the season as the starter and ended the season as the starter, will get the nod. Star running back Tyler Goodson opted out of the Citrus Bowl for the Hawkeyes as he prepares for the NFL Draft. Freshman receiver Keagan Johnson has also been ruled out for the Citrus Bowl.", "Western Kentucky: WKU may have had the most impressive performance of bowl season. The Hilltoppers trounced South Alabama 44-23 in the New Orleans Bowl in a game that was not as close as the final score may indicate. South Alabama was looking for its first-ever bowl win, but WKU jumped out to a 31-3 halftime lead and never looked back, putting up a total of 677 yards by the time the final seconds ticked off. Austin Reed threw for 497 yards and four touchdowns in the win. Air Force: Air Force looked right at home on an incredibly cold night in Fort Worth. The Falcons ran all over Baylor in a 30-15 victory in the Armed Forces Bowl. Air Force rushed for 276 yards and limited Baylor to just 42 rushing yards. With the win, Air Force got to double-digit victories for the third time in four seasons. AFA went 11-2 in 2019 and 10-3 in the past two seasons. In the shortened 2020 season, the Falcons finished 3-3. As a program, Air Force has won four consecutive bowl games. New Mexico State: Year 1 of the Jerry Kill era at New Mexico State ended with a bowl victory. NMSU knocked off Bowling Green 24-19 in the Quick Lane Bowl on Monday to capture the program’s second bowl victory since 1960.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987.", "The game was a punt hater’s dream. And it was a nightmare for Ole Miss QB Jaxson Dart. He threw three interceptions and fumbled once. Texas Tech QB Tyler Shough rushed for two TDs and threw for another as the Red Raiders easily held on to a 19-point halftime lead throughout the second half. The loss also meant that Ole Miss ends the season at 8-5 after starting the season 7-0. Oklahoma: The Sooners entered the Cheez-It Bowl shorthanded and as significant underdogs to Florida State. Losing 35-32 was still a cover for Oklahoma. But the loss also means that Oklahoma finishes the season at 6-7. That’s the first losing season for OU since 1998. The first year of the Brent Venables era was a bit rocky — especially when you consider the success that Caleb Williams and Lincoln Riley had at USC. But there’s no reason to panic in Norman. Yet. SMU: The Mustangs entered the New Mexico Bowl as 4.5-point favorites over a BYU team that started freshman third-string QB Sol-Jay Maiava-Peters for the first time. Yet BYU did just enough on the ground to eke out a 24-23 win after stopping an SMU two-point conversion with eight seconds left."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The answer indicates that there is not enough information in the documents to determine the winner of the 2022 Citrus Bowl."} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [0], "prediction": "Jason Semore was a linebackers coach at Valdosta State before returning to Georgia Tech.", "docs": ["Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life.", "Thomas's celebration of life was held at McCamish Pavilion on December 20. Friends, former teammates, and fans attended the event. On April 27, 2022, Georgia Tech and the PeyBack Foundation, which is run by Thomas's former teammate Peyton Manning announced the Demaryius A. Thomas Scholarship Endowment. The Demaryius A. Thomas Scholarship Endowment endows academic scholarships to attend Georgia Tech for incoming freshmen students from Laurens County, Georgia, Thomas's hometown. In addition to this, Georgia Tech announced that August 8 would be annually recognized as “Demaryius Thomas Day”. On September 26, 2022, following the team's 3rd loss of the season in 4 games, Coach Geoff Collins and Athletics Director Todd Stansbury were relieved of their duties. Former Georgia Tech football alum Brent Key was named as interim coach. Georgia Tech announced its 2022 football schedule on February 1, 2022.[1] The 2022 schedule consisted of five home games, six away games and a neutral-site game in the regular season. The Yellow Jackets hosted ACC foes Duke, Virginia, and Miami and traveled to Pitt, Florida State, Virginia Tech and North Carolina. They played Clemson in a neutral-site game at the Mercedes-Benz Stadium in Atlanta, Georgia.[2] The Yellow Jackets hosted two of their non-conference opponents, Western Carolina from the Division I FCS and Ole Miss from the SEC.", "Even with a dad who coached, Semore knows his background – childhood on a reservation, Division II football – didn’t lend itself to the ready-made connections of other aspiring college coaches. But he says his experiences in Ganado, growing up among the Navajo, taught him how to feel at home in other cultures. And that, in turn, has helped him thrive in coaching. “Being able to establish relationships came naturally to me, and it was important to me, and it has allowed me to get to where I’m at today,” Semore said. It’s an experience he wouldn’t trade either. This Saturday, when Georgia Tech faces Pittsburgh (8 p.m. ET, Georgia Tech Sports Network from Legends Sports), the coach’s son from Ganado will continue the next chapter in his career, charting a path few in college football have duplicated.", "A Biletnikoff Award finalist and one of the most productive pass catchers in Wyoming football history, Jovon Bouknight took his experience and skill set playing the game and turned it into a coaching career. He spent time as a grad assistant with his alma mater before coaching at Utah State, Oregon, and Texas Tech, joining the Marshall coaching staff from the Kentucky Wildcats. A standout linebacker at Idaho State, Telly Lockette established himself as an elite offensive mind in the Miami high school arena early in his coaching career before joining the college ranks with South Florida. He also spent time at Oregon State, FSU, and Miami (FL) before joining the Marshall coaching staff as the running back coach and run game coordinator. His son, Tellek Lockette, is an ascending offensive lineman in the Sun Belt for Louisiana-Monroe. A long-time member of the Marshall coaching staff who is on his third stint with the team, Shannon Morrison serves as the LB coach while also being the assistant head coach. He was previously the LB coach in Huntington from 2006-2006, while coaching safeties from 2007-2008. A former team captain and honorable All-American, he was part of the 1992 FCS title team. Another standout player for the Thundering Herd, Ralph Street was a team captain and won three MAC titles between 1998 and 2001."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Yes, the question is addressed by the documents."} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [-1], "prediction": "The document does not provide the exact number of Tesla vehicles delivered in 2021. While it mentions the number of Tesla vehicles delivered in 2022 (1.31 million) and the quarterly figures prior to Q4 2022, there is no information about the deliveries in 2021. Therefore, I can not answer the question because of the insufficient information in documents.", "docs": ["in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Jan 2, 2022 ... The Rise of Electric Vehicles ... Tesla does not break out its deliveries by country. Much of its recent growth has been propelled by sales in ...", "Jun 7, 2023 ... How many Tesla vehicles were delivered in 2023? ... 1,313.86 1,313.86 422.88 422.88 Q1 Q2 Q3 Q4 2016 2017 2018 2019 2020 2021 2022 2023.", "Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations.", "Jan 2, 2023 ... Tesla reports 1.31 million deliveries in 2022, growth of 40% over last ... Musk asked employees to “volunteer” to deliver as many cars to ..."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The document does not provide the exact number of Tesla vehicles delivered in 2021."} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [-1], "prediction": "Based on the document provided, there is no information indicating that ShowBiz Cinemas was acquired by another company. The document mainly discusses the reopening plans, partnerships, and expansions of ShowBiz Cinemas. Therefore, I cannot answer the question because of the insufficient information in the documents.", "docs": ["“As you look ahead into 2022, all the studios are going back to an exclusive window” for theaters, Roberts said. He added that new releases will typically be in theaters for 45 days before streaming. Warner is among the studios committing to a period of theatrical exclusivity before films go to streaming, and Disney will likely do the same, especially for its biggest titles, according to Bloomberg Intelligence. Universal’s new model will bring most films to its Peacock streaming platform 45 days after being released in theaters. RELATED: Virginia engineering firm expands with Houston acquisition Although 2022 is off to a slow start with a surge in the omicron variant and few new releases, the box office could more than double $4.5 billion in sales in 2021, according to Bloomberg Intelligence. It’s still far below sales of $11.3 billion in 2019. “The demand for movies is still very much there as we saw from 'Spider-Man,'” said Geetha Ranganathan, a senior media analyst at Bloomberg Intelligence. “But we do think the model is slowly changing to focus only on the big-budget blockbusters as mid-budget releases find their way to streaming.” Founded in 2014, EVO Entertainment is backed by Austin-based Marbella Interests, which manages investments for the family of former Parsley Energy CEO Bryan Sheffield.", "The “out-of home” entertainment company’s brands include EVO Entertainment, EVO Cinemas and EVO Concerts. RELATED: Will Houston audiences return to movie theaters? The combined enterprise has 16 venues with 148 screens, 108 bowling lanes, nine restaurants and bars, a 3,000-capacity live music venue, and more than 30,000 combined square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. Several additional venues are on track to open in the coming months. Founded by Kevin Mitchell, who is Roberts’ uncle, in 2007, ShowBiz Cinemas operates seven locations with 89 screens and 70 bowling lanes in four states. The chain has area locations in Kingwood, Humble, northeast Houston and Baytown. The company will continue to operate under the ShowBiz name. Katherine Feser is a business reporter for the Houston Chronicle covering real estate and special sections. She can be reached at katherine.feser@houstonchronicle.com. Compass Real Estate is marketing the private sanctuary and long--time residence of the late legendary surgeon Michael DeBakey located in the Museum District/Rice Village area of Houston. By Marissa Luck", "Share this post Boxoffice Staff  •  Aug 7th Hoyts has launched new branding as a part of their ‘See the Big Picture’ campaign. More than just a refreshed look and tagline, the branding speaks to the heart of the company’s vision. Hoyts’ investment in big screens, surround sound,... Boxoffice Staff  •  Aug 7th CES+ announced a partnership with Corporación Lady Lee for their new venture, Megacinemas, signifying the successful introduction of Lady Lee’s new brand into the Central American cinema scene. CES+ has been integral to the development of Megacinemas, providing end-to-end digital... Boxoffice Staff  •  Aug 4th Will Rogers Motion Picture Pioneers Foundation (WRMPPF) announced Friday that the late MGM and United Artists Releasing Distribution Chief Erik Lomis will be recognized posthumously with the 2023 Pioneer of the Year Award on October 4th at The Beverly Hilton.... Boxoffice Staff  •  Aug 4th Featuring artwork from TEENAGE MUTANT NINJA TURTLES: MUTANT MAYHEM exclusively on sale in participating theatres. Proceeds from gold heart pins help fund life-changing Variety programs for children globally.", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!", "Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members..."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The document does not provide information about any acquisition of ShowBiz Cinemas."} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents. The documents provided do not contain information about the location of the Super Bowl in 2022.", "docs": ["The 49ers reportedly requested to wear an all-white third jersey ensemble for Super Bowl LIV, which the San Francisco Chronicle noted they could do with special permission from the league; the league never granted such permission, and the 49ers instead opted for their standard uniform of white jerseys with gold pants.[76] Fifteen different regions have hosted Super Bowls. Note: Years listed are the year the game was actually played (or will be played[ˇ]; future games are denoted through italics) rather than what NFL season it is considered to have been. A total of 27 different stadiums, seven of which have been since demolished, either have hosted or are scheduled to host Super Bowls. The years listed in the table below are the years the game was actually played (will be played[ˇ]) rather than the NFL season it concluded. ^ ^: Stadium has since been demolished. ^ ‡: Prior to the incorporation of Miami Gardens in 2003, the stadium was in unincorporated Miami-Dade County. ^ ††: The original Stanford Stadium, which hosted Super Bowl XIX, was demolished and a new stadium constructed on the site in 2006. ^ ˇ: Future Super Bowls, also denoted by italics. Future venues: The Super Bowl has not yet been played in any region that lacked an NFL or AFL franchise at the time the game was played.", "Besides the Rose Bowl, the only other Super Bowl venues that were not the home stadium to NFL teams at the time were Rice Stadium (the Houston Oilers had played in Rice Stadium previously but moved to the Astrodome several years before Super Bowl VIII) and Stanford Stadium. Starting with the selection of the Super Bowl XXVIII venue on May 23, 1990, the league has given preference in awarding the Super Bowl to brand new or recently renovated NFL stadiums, alongside a trend of teams demanding public money or relocating to play in new stadiums. To date only two teams have qualified for a Super Bowl at their home stadiums: the 2020 Tampa Bay Buccaneers, who won Super Bowl LV hosted at Raymond James Stadium (selected on May 23, 2017), and the 2021 Los Angeles Rams the following season, who won Super Bowl LVI at SoFi Stadium. Before that, the closest any team had come to accomplishing this feat were the 2017 Minnesota Vikings, who reached the NFC Championship Game but lost to the Eagles. In that instance, U.S. Bank Stadium became the first Super Bowl host stadium (selected on May 20, 2014) to also host a Divisional Playoff Game in the same season (which the Vikings won); all previous times that the Super Bowl host stadium hosted another playoff game in the same postseason were all Wild Card games.", "Two teams have played the Super Bowl in their home market but at a different venue than their home stadium: the Los Angeles Rams, who lost Super Bowl XIV in the Rose Bowl instead of Los Angeles Memorial Coliseum; and the 49ers, who won Super Bowl XIX in Stanford Stadium instead of Candlestick Park, during a time when the league often picked a stadium that was not home to an NFL team to host the Super Bowl (see above). Traditionally, the NFL does not award Super Bowls to stadiums that are located in climates with an expected average daily temperature less than 50 °F (10 °C) on game day unless the field can be completely covered by a fixed or retractable roof.[51] Six Super Bowls have been played in northern cities: two in the Detroit area—Super Bowl XVI at Pontiac Silverdome in Pontiac, Michigan, and Super Bowl XL at Ford Field in Detroit; two in Minneapolis—Super Bowl XXVI at the Hubert H. Humphrey Metrodome and Super Bowl LII at the U.S. Bank Stadium; one in Indianapolis at Lucas Oil Stadium for Super Bowl XLVI; and one in the New York area—Super Bowl XLVIII at MetLife Stadium.", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints.", "Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]"], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The answer indicates that the documents do not contain the necessary information to answer the question."} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [0], "prediction": "", "docs": ["In early March 2022, multiple sources reported that Truth Social usage remained low, with Trump himself not having posted to his account since his first message two weeks earlier and his account having only 140,000 followers—less than 0.2% of the 90 million followers he had on Twitter before his account was banned.[81][108] The Daily Dot reported the Truth Social iOS app had fallen from the number one slot for downloads on the Apple App Store to number 84.[110] The Daily Beast reported Trump was dissatisfied with the social network's progress.[109][68] At the end of March 2022, TheWrap reported that weekly installations of the Truth Social app had fallen from 872,000 in its launch week to around 60,000 per week, a reduction of over 90%. Visits to truthsocial.com had also fallen, from 6 million per week to 1.9 million. According to Sensor Tower, Truth Social had been downloaded 1.2 million times by late March.[111] In early April 2022, Bloomberg News reported that shares in Truth Social's publicly traded holding company Digital World Acquisition Corp. (DWAC) had fallen 31% from the time of the app's launch in late February[112] and 64% from its all-time high.[113] In early April 2022, Business Insider described Truth Social as \"like a conservative ghost town that had been overrun by bots\".", "During May 2023, SimilarWeb's ranking of the Truth Social iOS app has fluctuated wildly, ranging from #18 to #153 in the Apple App Store social networking category during that period.[121] Following Elon Musk's proposed acquisition of Twitter, many commentators observed that a Musk-run Twitter would be likely to reduce demand for Truth Social's services.[122][123] Musk said that as of late April 2022, Truth Social iOS app downloads exceeded those of Twitter and TikTok on the same platform.[124] He said Truth Social only existed because of Twitter's restrictions on free speech. Describing Truth Social as a \"terrible name\", Musk joked that it should be renamed \"Trumpet\".[125][126] Following Musk's comments on Twitter, the Truth Social app rose in popularity, returning to the number 1 position for free iOS apps on Apple's App Store on April 30, with the Twitter app at number 2; DWAC shares also rose in value.[127][128] DWAC's share price fell after Musk's announcement of his intention to buy Twitter.[129] Truth Social CEO Devin Nunes later stated that Musk had been encouraged by Trump to buy Twitter;[130] Musk denied this, saying \"This is false. I've had no communication, directly or indirectly, with Trump, who has publicly stated that he will be exclusively on Truth Social.", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "Reports say that Trump has been privately complaining that Google was trying to \"fuck\" him. According to Rolling Stones' source, however, the truth is that Truth Social hasn't even submitted an Android app to the Google Play store yet. Still, though, the launch of a web app is significant. Truth Social profiles and posts will now be completely shareable on other platforms. Using the iPhone app, if you want to share a Truth Social post on another platform, you have to take a screenshot. Now, Truth Social users will be able to post links directly to any account or post. In turn, non-Truth Social users will have direct access to sign up and engage with content on the site. (Note: Internal Truth Social links currently require users to login to their account in order to see the content.) In short: It's going to be a lot easier for Trump's fanbase to share his content on other platforms. Launched in February, Truth Social struggled during the first few months. Downloads plummeted after the initial rush to download due to a long waitlist of users wanting to sign up. However, in recent weeks, Trump finally started posting on his own platform, which has helped give the conservative social network another bounce.  Truth Social announced a public beta of the web app just last week. According to a press release from Wednesday, the initial web app rollout was scheduled for some time over the next week or two.", "[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]"], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The provided answer \"I can not answer this question\" indicates that the document does not contain the necessary information to answer the question."} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [0], "prediction": "The Fabelmans won best drama at the 79th Golden Globe Awards.", "docs": ["Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ...", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "Best motion picture - drama WINNER: The FabelmansAvatar: The Way of WaterElvisTár Top Gun: Maverick Best motion picture - musical or comedy WINNER: The Banshees of InisherinBabylonEverything Everywhere All at OnceGlass Onion: A Knives Out MysteryTriangle of Sadness Best television series - drama WINNER: House of the Dragon (HBO Max)Better Call Saul (AMC+/AMC)The Crown (Netflix)Ozark (Netflix)Severance (Apple TV+) Best television series - musical or comedy WINNER: Abbott Elementary (ABC)The Bear (FX)Hacks (HBO Max)Only Murders in the Building (Hulu)Wednesday (Netflix) Best motion picture - animated WINNER: Guillermo del Toro's PinocchioInu-OhMarcel the Shell with Shoes OnPuss in Boots: The Last WishTurning Red Best motion picture - Non-English language (formerly foreign language) WINNER: Argentina, 1985All Quiet on the Western FrontCloseDecision to LeaveRRR Best television limited series, anthology series or motion picture made for television WINNER: The White Lotus (HBO Max)Black Bird (Apple TV+)Dahmer - Monster: The Jeffrey Dahmer Story (Netflix)The Dropout (Hulu)Pam & Tommy (Hulu) Best performance by an actor in a television series - drama WINNER: Kevin Costner, YellowstoneJeff Bridges", "On Tuesday night, the Golden Globes were held for the 80th time in history, though this year's ceremony was notable for a bigger reason. The awards show that is supposed to honor excellence in film and TV has been trying to recover from a racial exclusion scandal after a 2021 Los Angeles Times story revealed that none of the 87 Hollywood Foreign Press members was Black. Tom Cruise subsequently gave back his Globes, NBC opted not to air the ceremony last year, and reform in the form of inclusivity began to take shape. After Jerrod Carmichael explained to the audience at the Beverly Hilton how he wound up as the host (spoiler: \"I'm here because I'm Black,\" he quipped before launching into a detailed and honest account of his decision-making process), the trophy distribution began. The Banshees of Inisherin, which led all movies with eight nominations, struck up a meaningful friendship with Globes voters over the evening: The Irish-island-set tragicomedy took home the best comedy film trophy, while Colin Farrell triumphed in the acting category and writer-director Martin McDonagh won for best screenplay. The Fablemans also came into frame by winning best drama film honors and best director (Steven Spielberg). Meanwhile, Everything Everywhere All at Once prevailed in two dimensions, as Michelle Yeoh and Ke Huy Quan netted acting trophies.", "Keeravani, Rahul Sipligunj (RRR) – WINNER Donald Glover, AtlantaBill Hader, BarrySteve Martin, Only Murders in the BuildingMartin Short, Only Murders in the BuildingJeremy Allen White, The Bear – WINNER Quinta Brunson, Abbott Elementary – WINNERKaley Cuoco, The Flight AttendantSelena Gomez, Only Murders in the BuildingJenna Ortega, WednesdayJean Smart, Hacks Diego Calva, BabylonDaniel Craig, Glass Onion: A Knives Out MysteryAdam Driver, White NoiseColin Farrell, The Banshees of Inisherin – WINNERRalph Fiennes, The Menu Margot Robbie, BabylonAnya Taylor-Joy, The MenuEmma Thompson, Good Luck to You, Leo GrandeLesley Manville, Mrs."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "Yes, the question is addressed by the documents. The Fabelmans won best drama at the 79th Golden Globe Awards."} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [-1], "prediction": "The document does not contain information about the cost of Georgia Tech softball 2022 season tickets. I can not answer the question because of the insufficient information in documents.", "docs": ["Georgia Tech opens the 2023 season hosting the annual Buzz Classic, beginning its action with a doubleheader against UConn on Feb. 10 at 4:30 p.m. at Mewborn Field. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2023 Home Schedule and Season Highlights Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes. Be a part of developing Georgia Tech’s Everyday Champions and helping the Yellow Jackets compete for championships at the highest levels of college athletics by supporting the Annual Athletic Scholarship Fund, which directly provides scholarships for Georgia Tech student-athletes. To learn more about supporting the Yellow Jackets, visit atfund.org. For the latest information on the Georgia Tech Yellow Jackets, follow us on Instagram (@GaTechSoftball), Twitter (@GaTechSoftball), Facebook (Georgia Tech Softball) or visit us at www.ramblinwreck.com.", "No visiting team colors may be worn in this area. All non-courtside students will be seated in the general admission seating area in Section 113. *The GTAA reserves the right to distribute student tickets via a ticket lottery if demand is high for a certain game. Such changes will be communicated to the student body in a timely manner. For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff. Georgia Tech student seating is available as general admission. Students will need to visit the box office near Gate 3 (first-base side) and display their BuzzCard in order to receive a ticket to the game. Postseason home games - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission.", "Skip to content Dear GT Softball Family, Let me first say \"thank you\" to everyone who supported Georgia Tech Softball during the 2022 season. The young women on our team and all of our staff certainly felt the support you provided us last year. We concluded our historic season with our highest win total and best win percentage since 2011 and we're looking forward to having another great season!  Donations to the Mew Crew directly benefit Georgia Tech Softball, and we have set a goal of $100,000 targeted to specific needs for our program: I'm excited for the 2023 season and a chance for us to build on our momentum from last season. Your support for the GT Softball community has been paramount in our program's success, laying a foundation to rely on no matter the challenges we face. I look forward to surpassing each of our goals on and off the field this year.. Reaching our goal will ensure our ability to deliver a championship-caliber experience to all of our student-athletes. Your support will earn benefits unique to GT Softball and provide the resources necessary to develop young women who compete up the height of their potential during their time at Tech. Thank you for your consideration and Go Jackets! Aileen Morales Head Coach, GT Softball *Gifts from July 1, 2022 - June 30, 2023 Alexander-Tharpe Fund Georgia Tech Athletic Association", "Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The answer indicates that the document does not contain the necessary information to answer the question."} diff --git a/results/Negative Rejection/output_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json b/results/Negative Rejection/output_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..6521b7ac307a8dbb7067fdd427f50278aef364ea --- /dev/null +++ b/results/Negative Rejection/output_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["I have no answer as to why the film wasn’t released in 2011, but an appreciation of a musical collaboration that Rolling Stone magazine (and only Rolling Stone magazine) probably ranks really really high on some list of the greatest whatevers ever arrives better late than never. The Gist: In 1970, Taylor and King performed their first concert together at the famed Troubadour club in Hollywood. It was the beginning of a beautiful – 100 percent platonic! – friendship in which they made beautiful music together, and I’m sorry for the cliches, but in this case, they’re true. They sang each other’s songs, encouraged and complemented each other, and harmonized like tea and honey. Forty years later, they decided to celebrate their convergence with a 50-plus-date tour, and now, 12 years after that, we get a celebration of the celebration, a remembrance of a remembrance that brought so much joy to so many people 52 years ago and then again 12 years ago, and now again a third time officially, with this movie. Just Call Out My Name opens with clips of late-night talk show hosts (Leno, Carson, Letterman) introducing Taylor or King or both, then a blip of Oprah praising Taylor, but what she thinks of King, NOBODY KNOWS.", "The track is one of 15 the pair recorded live from West Hollywood’s The Troubadour in 2007, where they gigged together in 1970, for the Live At The Troubadour album, released in 2010 The documentary follows the two along The Troubadour Reunion Tour in 2010. Also interviewed in the film are sidemen Danny Kortchmar, Russ Kunkel, and Lee Sklar, who accompanied the duo on all their shows together from 1970 through 2010.  King is about to be inducted into the Rock and Roll Hall of Fame in Cleveland on Oct. 30, where Taylor Swift and Jennifer Hudson will act as presenters and perform her songs. See more Only members can comment. Become a member. Already a member? Log In. August 7, 2023, 8:00 pm August 7, 2023, 7:30 pm August 7, 2023, 5:30 pm August 7, 2023, 5:00 pm August 7, 2023, 4:53 pm August 7, 2023, 4:30 pm August 2, 2023, 6:30 am April 7, 2023, 8:45 am June 12, 2022, 10:16 am", "A concert film that explores the 50-year friendship between award-winning singer/songwriters James Taylor and Carole King.", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):"], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["You can help us help kids by suggesting a diversity update. Want suggestions based on your streaming services? Get personalized recommendations Common Sense Media's unbiased ratings are created by expert reviewers and aren't influenced by the product's creators or by any of our funders, affiliates, or partners. Common Sense is the nation's leading nonprofit organization dedicated to improving the lives of all kids and families by providing the trustworthy information, education, and independent voice they need to thrive in the 21st century. We're a nonprofit. Support our work", "27][28] In February 2021, Edwin Hodge joined the cast in a starring role.[29] In January 2022, it was reported that Sendhil Ramamurthy was cast in a recurring role while Hilarie Burton and Bethany Joy Lenz are set to guest star.[4][7] In February 2022, Victoria Rowell joined the cast in a recurring role.[5] Principal photography for the series began on October 18, 2021 and concluded on March 24, 2022, in Oakville, Ontario.[30] The review aggregator website Rotten Tomatoes reported a 63% approval rating with an average rating of 7.5/10, based on 8 critic reviews.[31] Metacritic, which uses a weighted average, assigned a score of 56 out of 100 based on 5 critics, indicating \"mixed or average reviews\".[32]", "Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell.", "When he awakens and wants to resume surgery, however, it falls to her to supervise this overbearing blowhard who never acknowledged her talents – and also happens to be her father. Jason Isaacs, Edwin Hodge, Skye P. Marshall, Michael Stahl-David, Davi Santos, Omar Maskati and Wendy Crewson also star. It comes from writer Katie Wech, Jennie Snyder Urman and Sutton St. Productions banner and CBS Studios. Wech, Snyder Urman and Joanna Klein with Tamra Davis directing and EPing the pilot. Meanwhile, Smallwood stars Crashing’s Pete Holmes as a seemingly ordinary man, who, after being laid off from the assembly line at the GM factory, makes the extraordinary decision to provide for his family by following his dream of becoming a professional bowler. It is based on the life of professional bowler Tom Smallwood. The multicamera comedy comes from Mark Gross and producers David Hollander and Brian D’Arcy James. The trio exec produce with Mark Cendrowski as director. CBS Studios produces. Alongside Holmes, Chi McBride and Katie Lowes star. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["The game was a punt hater’s dream. And it was a nightmare for Ole Miss QB Jaxson Dart. He threw three interceptions and fumbled once. Texas Tech QB Tyler Shough rushed for two TDs and threw for another as the Red Raiders easily held on to a 19-point halftime lead throughout the second half. The loss also meant that Ole Miss ends the season at 8-5 after starting the season 7-0. Oklahoma: The Sooners entered the Cheez-It Bowl shorthanded and as significant underdogs to Florida State. Losing 35-32 was still a cover for Oklahoma. But the loss also means that Oklahoma finishes the season at 6-7. That’s the first losing season for OU since 1998. The first year of the Brent Venables era was a bit rocky — especially when you consider the success that Caleb Williams and Lincoln Riley had at USC. But there’s no reason to panic in Norman. Yet. SMU: The Mustangs entered the New Mexico Bowl as 4.5-point favorites over a BYU team that started freshman third-string QB Sol-Jay Maiava-Peters for the first time. Yet BYU did just enough on the ground to eke out a 24-23 win after stopping an SMU two-point conversion with eight seconds left.", "Western Kentucky: WKU may have had the most impressive performance of bowl season. The Hilltoppers trounced South Alabama 44-23 in the New Orleans Bowl in a game that was not as close as the final score may indicate. South Alabama was looking for its first-ever bowl win, but WKU jumped out to a 31-3 halftime lead and never looked back, putting up a total of 677 yards by the time the final seconds ticked off. Austin Reed threw for 497 yards and four touchdowns in the win. Air Force: Air Force looked right at home on an incredibly cold night in Fort Worth. The Falcons ran all over Baylor in a 30-15 victory in the Armed Forces Bowl. Air Force rushed for 276 yards and limited Baylor to just 42 rushing yards. With the win, Air Force got to double-digit victories for the third time in four seasons. AFA went 11-2 in 2019 and 10-3 in the past two seasons. In the shortened 2020 season, the Falcons finished 3-3. As a program, Air Force has won four consecutive bowl games. New Mexico State: Year 1 of the Jerry Kill era at New Mexico State ended with a bowl victory. NMSU knocked off Bowling Green 24-19 in the Quick Lane Bowl on Monday to capture the program’s second bowl victory since 1960.", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987.", "Head coach Kirk Ferentz has kept things close to the vest with his signal-callers, but it's looking like Petras, who started the season as the starter and ended the season as the starter, will get the nod. Star running back Tyler Goodson opted out of the Citrus Bowl for the Hawkeyes as he prepares for the NFL Draft. Freshman receiver Keagan Johnson has also been ruled out for the Citrus Bowl."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["Thomas's celebration of life was held at McCamish Pavilion on December 20. Friends, former teammates, and fans attended the event. On April 27, 2022, Georgia Tech and the PeyBack Foundation, which is run by Thomas's former teammate Peyton Manning announced the Demaryius A. Thomas Scholarship Endowment. The Demaryius A. Thomas Scholarship Endowment endows academic scholarships to attend Georgia Tech for incoming freshmen students from Laurens County, Georgia, Thomas's hometown. In addition to this, Georgia Tech announced that August 8 would be annually recognized as “Demaryius Thomas Day”. On September 26, 2022, following the team's 3rd loss of the season in 4 games, Coach Geoff Collins and Athletics Director Todd Stansbury were relieved of their duties. Former Georgia Tech football alum Brent Key was named as interim coach. Georgia Tech announced its 2022 football schedule on February 1, 2022.[1] The 2022 schedule consisted of five home games, six away games and a neutral-site game in the regular season. The Yellow Jackets hosted ACC foes Duke, Virginia, and Miami and traveled to Pitt, Florida State, Virginia Tech and North Carolina. They played Clemson in a neutral-site game at the Mercedes-Benz Stadium in Atlanta, Georgia.[2] The Yellow Jackets hosted two of their non-conference opponents, Western Carolina from the Division I FCS and Ole Miss from the SEC.", "Even with a dad who coached, Semore knows his background – childhood on a reservation, Division II football – didn’t lend itself to the ready-made connections of other aspiring college coaches. But he says his experiences in Ganado, growing up among the Navajo, taught him how to feel at home in other cultures. And that, in turn, has helped him thrive in coaching. “Being able to establish relationships came naturally to me, and it was important to me, and it has allowed me to get to where I’m at today,” Semore said. It’s an experience he wouldn’t trade either. This Saturday, when Georgia Tech faces Pittsburgh (8 p.m. ET, Georgia Tech Sports Network from Legends Sports), the coach’s son from Ganado will continue the next chapter in his career, charting a path few in college football have duplicated.", "A Biletnikoff Award finalist and one of the most productive pass catchers in Wyoming football history, Jovon Bouknight took his experience and skill set playing the game and turned it into a coaching career. He spent time as a grad assistant with his alma mater before coaching at Utah State, Oregon, and Texas Tech, joining the Marshall coaching staff from the Kentucky Wildcats. A standout linebacker at Idaho State, Telly Lockette established himself as an elite offensive mind in the Miami high school arena early in his coaching career before joining the college ranks with South Florida. He also spent time at Oregon State, FSU, and Miami (FL) before joining the Marshall coaching staff as the running back coach and run game coordinator. His son, Tellek Lockette, is an ascending offensive lineman in the Sun Belt for Louisiana-Monroe. A long-time member of the Marshall coaching staff who is on his third stint with the team, Shannon Morrison serves as the LB coach while also being the assistant head coach. He was previously the LB coach in Huntington from 2006-2006, while coaching safeties from 2007-2008. A former team captain and honorable All-American, he was part of the 1992 FCS title team. Another standout player for the Thundering Herd, Ralph Street was a team captain and won three MAC titles between 1998 and 2001.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life.", "Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["Jun 7, 2023 ... How many Tesla vehicles were delivered in 2023? ... 1,313.86 1,313.86 422.88 422.88 Q1 Q2 Q3 Q4 2016 2017 2018 2019 2020 2021 2022 2023.", "in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Jan 2, 2023 ... Tesla reports 1.31 million deliveries in 2022, growth of 40% over last ... Musk asked employees to “volunteer” to deliver as many cars to ...", "Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations.", "Jan 2, 2022 ... The Rise of Electric Vehicles ... Tesla does not break out its deliveries by country. Much of its recent growth has been propelled by sales in ..."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["Share this post Boxoffice Staff  •  Aug 7th Hoyts has launched new branding as a part of their ‘See the Big Picture’ campaign. More than just a refreshed look and tagline, the branding speaks to the heart of the company’s vision. Hoyts’ investment in big screens, surround sound,... Boxoffice Staff  •  Aug 7th CES+ announced a partnership with Corporación Lady Lee for their new venture, Megacinemas, signifying the successful introduction of Lady Lee’s new brand into the Central American cinema scene. CES+ has been integral to the development of Megacinemas, providing end-to-end digital... Boxoffice Staff  •  Aug 4th Will Rogers Motion Picture Pioneers Foundation (WRMPPF) announced Friday that the late MGM and United Artists Releasing Distribution Chief Erik Lomis will be recognized posthumously with the 2023 Pioneer of the Year Award on October 4th at The Beverly Hilton.... Boxoffice Staff  •  Aug 4th Featuring artwork from TEENAGE MUTANT NINJA TURTLES: MUTANT MAYHEM exclusively on sale in participating theatres. Proceeds from gold heart pins help fund life-changing Variety programs for children globally.", "The “out-of home” entertainment company’s brands include EVO Entertainment, EVO Cinemas and EVO Concerts. RELATED: Will Houston audiences return to movie theaters? The combined enterprise has 16 venues with 148 screens, 108 bowling lanes, nine restaurants and bars, a 3,000-capacity live music venue, and more than 30,000 combined square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. Several additional venues are on track to open in the coming months. Founded by Kevin Mitchell, who is Roberts’ uncle, in 2007, ShowBiz Cinemas operates seven locations with 89 screens and 70 bowling lanes in four states. The chain has area locations in Kingwood, Humble, northeast Houston and Baytown. The company will continue to operate under the ShowBiz name. Katherine Feser is a business reporter for the Houston Chronicle covering real estate and special sections. She can be reached at katherine.feser@houstonchronicle.com. Compass Real Estate is marketing the private sanctuary and long--time residence of the late legendary surgeon Michael DeBakey located in the Museum District/Rice Village area of Houston. By Marissa Luck", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!", "Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members...", "“As you look ahead into 2022, all the studios are going back to an exclusive window” for theaters, Roberts said. He added that new releases will typically be in theaters for 45 days before streaming. Warner is among the studios committing to a period of theatrical exclusivity before films go to streaming, and Disney will likely do the same, especially for its biggest titles, according to Bloomberg Intelligence. Universal’s new model will bring most films to its Peacock streaming platform 45 days after being released in theaters. RELATED: Virginia engineering firm expands with Houston acquisition Although 2022 is off to a slow start with a surge in the omicron variant and few new releases, the box office could more than double $4.5 billion in sales in 2021, according to Bloomberg Intelligence. It’s still far below sales of $11.3 billion in 2019. “The demand for movies is still very much there as we saw from 'Spider-Man,'” said Geetha Ranganathan, a senior media analyst at Bloomberg Intelligence. “But we do think the model is slowly changing to focus only on the big-budget blockbusters as mid-budget releases find their way to streaming.” Founded in 2014, EVO Entertainment is backed by Austin-based Marbella Interests, which manages investments for the family of former Parsley Energy CEO Bryan Sheffield."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints.", "Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]", "Two teams have played the Super Bowl in their home market but at a different venue than their home stadium: the Los Angeles Rams, who lost Super Bowl XIV in the Rose Bowl instead of Los Angeles Memorial Coliseum; and the 49ers, who won Super Bowl XIX in Stanford Stadium instead of Candlestick Park, during a time when the league often picked a stadium that was not home to an NFL team to host the Super Bowl (see above). Traditionally, the NFL does not award Super Bowls to stadiums that are located in climates with an expected average daily temperature less than 50 °F (10 °C) on game day unless the field can be completely covered by a fixed or retractable roof.[51] Six Super Bowls have been played in northern cities: two in the Detroit area—Super Bowl XVI at Pontiac Silverdome in Pontiac, Michigan, and Super Bowl XL at Ford Field in Detroit; two in Minneapolis—Super Bowl XXVI at the Hubert H. Humphrey Metrodome and Super Bowl LII at the U.S. Bank Stadium; one in Indianapolis at Lucas Oil Stadium for Super Bowl XLVI; and one in the New York area—Super Bowl XLVIII at MetLife Stadium.", "Besides the Rose Bowl, the only other Super Bowl venues that were not the home stadium to NFL teams at the time were Rice Stadium (the Houston Oilers had played in Rice Stadium previously but moved to the Astrodome several years before Super Bowl VIII) and Stanford Stadium. Starting with the selection of the Super Bowl XXVIII venue on May 23, 1990, the league has given preference in awarding the Super Bowl to brand new or recently renovated NFL stadiums, alongside a trend of teams demanding public money or relocating to play in new stadiums. To date only two teams have qualified for a Super Bowl at their home stadiums: the 2020 Tampa Bay Buccaneers, who won Super Bowl LV hosted at Raymond James Stadium (selected on May 23, 2017), and the 2021 Los Angeles Rams the following season, who won Super Bowl LVI at SoFi Stadium. Before that, the closest any team had come to accomplishing this feat were the 2017 Minnesota Vikings, who reached the NFC Championship Game but lost to the Eagles. In that instance, U.S. Bank Stadium became the first Super Bowl host stadium (selected on May 20, 2014) to also host a Divisional Playoff Game in the same season (which the Vikings won); all previous times that the Super Bowl host stadium hosted another playoff game in the same postseason were all Wild Card games.", "The 49ers reportedly requested to wear an all-white third jersey ensemble for Super Bowl LIV, which the San Francisco Chronicle noted they could do with special permission from the league; the league never granted such permission, and the 49ers instead opted for their standard uniform of white jerseys with gold pants.[76] Fifteen different regions have hosted Super Bowls. Note: Years listed are the year the game was actually played (or will be played[ˇ]; future games are denoted through italics) rather than what NFL season it is considered to have been. A total of 27 different stadiums, seven of which have been since demolished, either have hosted or are scheduled to host Super Bowls. The years listed in the table below are the years the game was actually played (will be played[ˇ]) rather than the NFL season it concluded. ^ ^: Stadium has since been demolished. ^ ‡: Prior to the incorporation of Miami Gardens in 2003, the stadium was in unincorporated Miami-Dade County. ^ ††: The original Stanford Stadium, which hosted Super Bowl XIX, was demolished and a new stadium constructed on the site in 2006. ^ ˇ: Future Super Bowls, also denoted by italics. Future venues: The Super Bowl has not yet been played in any region that lacked an NFL or AFL franchise at the time the game was played."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents. The documents provided information about the Truth Social app's performance and issues it faced but did not provide specific details about its initial launch date on iOS since it was already available on both iOS and other platforms by the time the events in the documents occurred.", "docs": ["[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "Reports say that Trump has been privately complaining that Google was trying to \"fuck\" him. According to Rolling Stones' source, however, the truth is that Truth Social hasn't even submitted an Android app to the Google Play store yet. Still, though, the launch of a web app is significant. Truth Social profiles and posts will now be completely shareable on other platforms. Using the iPhone app, if you want to share a Truth Social post on another platform, you have to take a screenshot. Now, Truth Social users will be able to post links directly to any account or post. In turn, non-Truth Social users will have direct access to sign up and engage with content on the site. (Note: Internal Truth Social links currently require users to login to their account in order to see the content.) In short: It's going to be a lot easier for Trump's fanbase to share his content on other platforms. Launched in February, Truth Social struggled during the first few months. Downloads plummeted after the initial rush to download due to a long waitlist of users wanting to sign up. However, in recent weeks, Trump finally started posting on his own platform, which has helped give the conservative social network another bounce.  Truth Social announced a public beta of the web app just last week. According to a press release from Wednesday, the initial web app rollout was scheduled for some time over the next week or two.", "During May 2023, SimilarWeb's ranking of the Truth Social iOS app has fluctuated wildly, ranging from #18 to #153 in the Apple App Store social networking category during that period.[121] Following Elon Musk's proposed acquisition of Twitter, many commentators observed that a Musk-run Twitter would be likely to reduce demand for Truth Social's services.[122][123] Musk said that as of late April 2022, Truth Social iOS app downloads exceeded those of Twitter and TikTok on the same platform.[124] He said Truth Social only existed because of Twitter's restrictions on free speech. Describing Truth Social as a \"terrible name\", Musk joked that it should be renamed \"Trumpet\".[125][126] Following Musk's comments on Twitter, the Truth Social app rose in popularity, returning to the number 1 position for free iOS apps on Apple's App Store on April 30, with the Twitter app at number 2; DWAC shares also rose in value.[127][128] DWAC's share price fell after Musk's announcement of his intention to buy Twitter.[129] Truth Social CEO Devin Nunes later stated that Musk had been encouraged by Trump to buy Twitter;[130] Musk denied this, saying \"This is false. I've had no communication, directly or indirectly, with Trump, who has publicly stated that he will be exclusively on Truth Social.", "In early March 2022, multiple sources reported that Truth Social usage remained low, with Trump himself not having posted to his account since his first message two weeks earlier and his account having only 140,000 followers—less than 0.2% of the 90 million followers he had on Twitter before his account was banned.[81][108] The Daily Dot reported the Truth Social iOS app had fallen from the number one slot for downloads on the Apple App Store to number 84.[110] The Daily Beast reported Trump was dissatisfied with the social network's progress.[109][68] At the end of March 2022, TheWrap reported that weekly installations of the Truth Social app had fallen from 872,000 in its launch week to around 60,000 per week, a reduction of over 90%. Visits to truthsocial.com had also fallen, from 6 million per week to 1.9 million. According to Sensor Tower, Truth Social had been downloaded 1.2 million times by late March.[111] In early April 2022, Bloomberg News reported that shares in Truth Social's publicly traded holding company Digital World Acquisition Corp. (DWAC) had fallen 31% from the time of the app's launch in late February[112] and 64% from its all-time high.[113] In early April 2022, Business Insider described Truth Social as \"like a conservative ghost town that had been overrun by bots\"."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents. The provided answer indicates that the documents do not contain the specific information required to answer when Truth Social launched on iOS, as the focus of the documents seems to be on the app's performance and issues rather than its initial launch timeline for iOS."} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents. The provided document gives details about the winners of the 80th Golden Globe Awards and does not contain information about the 79th ceremony.", "docs": ["Keeravani, Rahul Sipligunj (RRR) – WINNER Donald Glover, AtlantaBill Hader, BarrySteve Martin, Only Murders in the BuildingMartin Short, Only Murders in the BuildingJeremy Allen White, The Bear – WINNER Quinta Brunson, Abbott Elementary – WINNERKaley Cuoco, The Flight AttendantSelena Gomez, Only Murders in the BuildingJenna Ortega, WednesdayJean Smart, Hacks Diego Calva, BabylonDaniel Craig, Glass Onion: A Knives Out MysteryAdam Driver, White NoiseColin Farrell, The Banshees of Inisherin – WINNERRalph Fiennes, The Menu Margot Robbie, BabylonAnya Taylor-Joy, The MenuEmma Thompson, Good Luck to You, Leo GrandeLesley Manville, Mrs.", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "Best motion picture - drama WINNER: The FabelmansAvatar: The Way of WaterElvisTár Top Gun: Maverick Best motion picture - musical or comedy WINNER: The Banshees of InisherinBabylonEverything Everywhere All at OnceGlass Onion: A Knives Out MysteryTriangle of Sadness Best television series - drama WINNER: House of the Dragon (HBO Max)Better Call Saul (AMC+/AMC)The Crown (Netflix)Ozark (Netflix)Severance (Apple TV+) Best television series - musical or comedy WINNER: Abbott Elementary (ABC)The Bear (FX)Hacks (HBO Max)Only Murders in the Building (Hulu)Wednesday (Netflix) Best motion picture - animated WINNER: Guillermo del Toro's PinocchioInu-OhMarcel the Shell with Shoes OnPuss in Boots: The Last WishTurning Red Best motion picture - Non-English language (formerly foreign language) WINNER: Argentina, 1985All Quiet on the Western FrontCloseDecision to LeaveRRR Best television limited series, anthology series or motion picture made for television WINNER: The White Lotus (HBO Max)Black Bird (Apple TV+)Dahmer - Monster: The Jeffrey Dahmer Story (Netflix)The Dropout (Hulu)Pam & Tommy (Hulu) Best performance by an actor in a television series - drama WINNER: Kevin Costner, YellowstoneJeff Bridges", "On Tuesday night, the Golden Globes were held for the 80th time in history, though this year's ceremony was notable for a bigger reason. The awards show that is supposed to honor excellence in film and TV has been trying to recover from a racial exclusion scandal after a 2021 Los Angeles Times story revealed that none of the 87 Hollywood Foreign Press members was Black. Tom Cruise subsequently gave back his Globes, NBC opted not to air the ceremony last year, and reform in the form of inclusivity began to take shape. After Jerrod Carmichael explained to the audience at the Beverly Hilton how he wound up as the host (spoiler: \"I'm here because I'm Black,\" he quipped before launching into a detailed and honest account of his decision-making process), the trophy distribution began. The Banshees of Inisherin, which led all movies with eight nominations, struck up a meaningful friendship with Globes voters over the evening: The Irish-island-set tragicomedy took home the best comedy film trophy, while Colin Farrell triumphed in the acting category and writer-director Martin McDonagh won for best screenplay. The Fablemans also came into frame by winning best drama film honors and best director (Steven Spielberg). Meanwhile, Everything Everywhere All at Once prevailed in two dimensions, as Michelle Yeoh and Ke Huy Quan netted acting trophies.", "Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ..."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska.", "Skip to content Dear GT Softball Family, Let me first say \"thank you\" to everyone who supported Georgia Tech Softball during the 2022 season. The young women on our team and all of our staff certainly felt the support you provided us last year. We concluded our historic season with our highest win total and best win percentage since 2011 and we're looking forward to having another great season!  Donations to the Mew Crew directly benefit Georgia Tech Softball, and we have set a goal of $100,000 targeted to specific needs for our program: I'm excited for the 2023 season and a chance for us to build on our momentum from last season. Your support for the GT Softball community has been paramount in our program's success, laying a foundation to rely on no matter the challenges we face. I look forward to surpassing each of our goals on and off the field this year.. Reaching our goal will ensure our ability to deliver a championship-caliber experience to all of our student-athletes. Your support will earn benefits unique to GT Softball and provide the resources necessary to develop young women who compete up the height of their potential during their time at Tech. Thank you for your consideration and Go Jackets! Aileen Morales Head Coach, GT Softball *Gifts from July 1, 2022 - June 30, 2023 Alexander-Tharpe Fund Georgia Tech Athletic Association", "Georgia Tech opens the 2023 season hosting the annual Buzz Classic, beginning its action with a doubleheader against UConn on Feb. 10 at 4:30 p.m. at Mewborn Field. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2023 Home Schedule and Season Highlights Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes. Be a part of developing Georgia Tech’s Everyday Champions and helping the Yellow Jackets compete for championships at the highest levels of college athletics by supporting the Annual Athletic Scholarship Fund, which directly provides scholarships for Georgia Tech student-athletes. To learn more about supporting the Yellow Jackets, visit atfund.org. For the latest information on the Georgia Tech Yellow Jackets, follow us on Instagram (@GaTechSoftball), Twitter (@GaTechSoftball), Facebook (Georgia Tech Softball) or visit us at www.ramblinwreck.com.", "No visiting team colors may be worn in this area. All non-courtside students will be seated in the general admission seating area in Section 113. *The GTAA reserves the right to distribute student tickets via a ticket lottery if demand is high for a certain game. Such changes will be communicated to the student body in a timely manner. For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff. Georgia Tech student seating is available as general admission. Students will need to visit the box office near Gate 3 (first-base side) and display their BuzzCard in order to receive a ticket to the game. Postseason home games - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission.", "Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating."], "noise_rate": 1.0, "factlabel": 0, "evaluation": "No, the question is not addressed by the documents."} diff --git a/results/Negative Rejection/scores_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json b/results/Negative Rejection/scores_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..f3b42fc6eb3630b0005f6e18019ff7ffa8f604bc --- /dev/null +++ b/results/Negative Rejection/scores_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,7 @@ +{ + "reject_rate": 0.4, + "all_rate": 0.1, + "tt": 1, + "rejecttt": 4, + "nums": 10 +} \ No newline at end of file diff --git a/results/Negative Rejection/scores_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json b/results/Negative Rejection/scores_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..4242b48552197da8eebc0e0960c906f57c8f62ad --- /dev/null +++ b/results/Negative Rejection/scores_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,7 @@ +{ + "reject_rate": 0.8, + "all_rate": 0.0, + "tt": 0, + "rejecttt": 8, + "nums": 10 +} \ No newline at end of file diff --git a/results/Negative Rejection/scores_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json b/results/Negative Rejection/scores_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..b7e48943e08a167687e78421aa3f2ee923095563 --- /dev/null +++ b/results/Negative Rejection/scores_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,7 @@ +{ + "reject_rate": 1.0, + "all_rate": 0.0, + "tt": 0, + "rejecttt": 10, + "nums": 10 +} \ No newline at end of file diff --git a/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.2_passage_5_num_queries_10.json b/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.2_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..9a742f3c178553d969b5f2c8463ab78ca311cb93 --- /dev/null +++ b/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.2_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [1], "prediction": "According to the provided document, the premiere of 'Carole King & James Taylor: Just Call Out My Name' is on Sunday, January 2, 2022, at 9:00pm ET/PT on CNN.", "docs": ["Subscribe to CNN Press Room Email Updates Frank Marshall-Directed Film, CAROLE KING & JAMES TAYLOR: JUST CALL OUT MY NAME, Premieres Sunday, Jan. 2 at 9:00PM ET/PT on CNN CNN Films will premiere CAROLE KING & JAMES TAYLOR: Just Call Out My Name for television on Sunday, Jan. 2, 2022, at 9:00pm ET/PT on CNN.  Also released today are the trailer and poster art for the film.  The new documentary feature is centered around Carole King’s and James Taylor’s legendary 2010 Troubadour Reunion Tour, and includes exclusive footage.  The film is directed and produced by Frank Marshall, and produced by Aly Parker and The Kennedy / Marshall Company.    CAROLE KING & JAMES TAYLOR: Just Call Out My Name celebrates King’s and Taylor’s relationship of 50 years.  Their expansive 2010 concert tour reunited these beloved singer/songwriters for a rare musical experience.  The set list for the film contains a breadth of material, including songs that they first performed together in 1970 at The Troubadour, the famed Los Angeles music venue that initially helped propel them both onto the world stage, and again in 2007 at the club’s 50th anniversary.", "However, the concert tour took place in honor of the 40th anniversary. The two might have aged since they first performed together but neither Carole King nor James Taylor have lost a beat in all these years!The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.", "Jan 2, 2022 ... Carole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via ...", "The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.Please subscribe to Solzy at the Movies on Substack.", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved."], "noise_rate": 0.2, "factlabel": 0} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [1], "prediction": "According to the provided document, the genre of the drama \"Good Sam\" is a medical procedural with a family drama twist.", "docs": ["Based on 1 parent review GOOD SAM plays in the standard medical procedural sandbox, but there is a family drama twist. Samantha Griffith (Sophia Bush) is a competent heart surgeon who became the head of the department after her hard-to-please father, Dr. Rob Griffith (Jason Isaacs), suffered an accident, thereby losing his title as department head. The switch-up leads Sam and her father to try to reconcile their relationship as Sam finds her way as a leader. This show seems to suggest CBS is keeping to its mission to steadily showcase more diverse, complicated storylines. While Good Sam could have easily been just a run-of-the-mill medical show about a problem of the week, the series also entangles its characters in some thorny familial drama. This adds a new layer to what fans of this type of genre might be used to, and thankfully so. Bush, who once headlined another procedural, Chicago P.D., is great at playing a woman who has grown tired of trying to please her father and wants to show her worth as a doctor on her own terms. English actor Isaacs' American accent falters at the beginning of the first episode, but by the time it's ended, you believe he's a difficult man who might have a good heart, but is buried underneath guilt and unresolved trauma.", "The new CBS drama Good Sam is likely to draw viewers towards more shows that revolve around medical drama and family issues. Starring Jason Isaacs and Sophia Bush, Good Sam delves into the strenuous father-daughter relationship between Dr. Sam Griffith and Dr. Rob Griffith. Tensions increase as the duo also happen to work in the same hospital.  RELATED: 10 Medical Dramas That Are Better Than Grey's Anatomy Good Sam serves as an interesting watch for medical drama fans. So, it is natural for audiences to also check out other genre classics like Grey’s Anatomy and contemporary shows like The Good Doctor. At the same time, Good Sam’s complex family dynamics imply that viewers can also binge their way through some acclaimed “dysfunctional family dramas”. ABC's The Good Doctor's main character Shaun Murphy is a brilliant surgeon who relocates to a prestigious California hospital. Along with saving patient lives, he struggles to get over his troubled past and to counter his social insecurities. The show benefits greatly from Freddie Highmore’s committed performance as he emulates the optimistic nature of the lead character.  Fans of Good Sam must check out The Good Doctor for it shows how a doctor’s psyche can influence the operation. Even though Sam is still in her good-natured self, Rob is shown as a talented yet hot-headed surgeon.", "By Monique Jones, Common Sense Media Reviewer Common Sense Media Reviewers Common Sense Media reviewers include writers, editors, and child development experts. They're trained in creating high-quality parenting advice based on best practices in child development. Read more about how we rate and review Family drama expands medical procedural genre. What you will—and won't—find in this TV show. Communication and teamwork are keys to great leade Dr. Sam Griffith is a compassionate, empathetic do Even though the series features a white lead, Dr. A scene with a major character being shot. Scenes Swear words like \"ass,\" \"damnit,\" \"ass kisser.\" Parents need to know that Good Sam is a medical procedural featuring a father-and-daughter heart surgeon team who hash out their familial drama as they save patients. Parents should be aware of scenes featuring simulated heart surgery and other scary topics, such as conversations about a near-fatal car… Communication and teamwork are keys to great leadership and a healthy working environment. Great leaders -- as well as great doctors -- should also have empathy and compassion with their patients and coworkers. Dr. Sam Griffith is a compassionate, empathetic doctor who strives to create a healthy, productive working environment for her coworkers. She also strives to create a comforting environment for scared, worried patients; she hopes to put them at ease and to feel they're in good hands. Even though the series features a white lead, Dr.", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell.", "Sam Griffith (Sophia Bush) is a female lead, still a rarity in medical dramas. The cast diversity is notable: Malcolm Kinglsey (Edwin Hodge) is a Black man from a wealthy, prominent family. Wealthy Black Americans aren't usually showcased on television. Malcolm is also a love interest for Sam, adding to the representation of interracial relationships on television. However, most of the diversity comes in the form of the secondary cast (Skye P. Marshall, Omar Maskati, Davi Santos), who are very involved in the main storylines. Did we miss something on diversity? Suggest an update. A scene with a major character being shot. Scenes of heart surgery. A scene with a patient who was punched by his wife for cheating. Did you know you can flag iffy content? Adjust limits for Violence & Scariness in your kid's entertainment guide. Swear words like \"ass,\" \"damnit,\" \"ass kisser.\" Did you know you can flag iffy content? Adjust limits for Language in your kid's entertainment guide. Parents need to know that Good Sam is a medical procedural featuring a father-and-daughter heart surgeon team who hash out their familial drama as they save patients. Parents should be aware of scenes featuring simulated heart surgery and other scary topics, such as conversations about a near-fatal car accident, \"coding\" (needing to be resuscitated), and other medical lingo."], "noise_rate": 0.2, "factlabel": 0} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [1], "prediction": "According to the provided document, the Kentucky Wildcats won the 2022 VRBO Citrus Bowl, defeating the University of Iowa 20-17.", "docs": ["This time, it was the No. 15 Iowa Hawkeyes who Kentucky took down in the final minutes en route to a 20-17 victory. It’s the fourth straight bowl win for Kentucky, which is tied with Alabama among Power 5 programs. It also broke the school record for consecutive bowl wins.", "Kentucky Wildcats win Citrus Bowl, 4th straight bowl game | whas11.", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "A late drive by No. 22 Kentucky sealed the Wildcat victory over the 15th-ranked University of Iowa football team in the 2022 VRBO Citrus Bowl on Saturday afternoon at Camping World Stadium.", "Kentucky secured its fourth straight bowl victory Saturday with a 20-17 Citrus Bowl win over Iowa. Down four in the final few minutes, Wan'Dale Robinson and Chris Rodriguez Jr. came through with great individual efforts to put the Wildcats on top:"], "noise_rate": 0.2, "factlabel": 0} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [1], "prediction": "According to the provided document, Jason Semore held the position of Defensive Coordinator at Valdosta State before returning to Georgia Tech.", "docs": ["Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "A hugely successful high school quarterback, he threw for over 5,300 yards and 59 touchdowns at North Florida Christian High School before spending the early part of his college career at FSU. However, it was at West Virginia where his playing career took off, leading the Big 12 in completion percentage in 2014 while becoming a semifinalist for the Davey O’Brien Award. A new addition to the Marshall coaching staff for the 2023 college football season, Jason Semore becomes the Thundering Herd’s defensive coordinator. He arrives in Huntington having spent the last season with Georgia Tech, the latest stop on a varied and successful coaching career that has seen him gain experience in multiple roles at several different levels of competition. A linebacker at Adams State from 2001-2005, Semore spent 2022 working with the Georgia Tech linebackers and was slated to become their special teams coordinator with responsibilities for nickel backs and safeties. Instead, he reprises a role he previously held at Valdosta State, Montana, and the Colorado School of Mines, in addition to co-DC duties at his alma mater. He has tasted success in each of those stints. Semore helped lead Colorado School of Mines to a 10-2 season, assisted Montana in achieving three consecutive winning seasons and top-ranked Big Sky defense, and his defense fueled a Valdosta State run to the DII title game in 2021.", "Sep 29, 2022 ... Share · Jason Semore helped lead Valdosta State to the 2021 NCAA Division II national championship game as defensive coordinator before returning ...", "At some point, he and Batt may talk about the possibility of Key taking over the program, but Key understands Batt’s job right now is to vet coaches and Key’s job is to try to put the best possible product on the field to state his case. Even if Batt chooses to hire from outside, a great run as the interim could vault Key into contention for other head coaching jobs. Key also wants to make sure his players don’t believe winning is easy after doing it twice in a row. Though he doesn’t mind letting them enjoy the new vibe on campus. “It’s been a while since we had this kind of momentum in the program,” tight end Dylan Leonard told reporters Monday. “It’s our first time with back-to-back wins. It’s great for us as players, but it’s also cool to see the fan base. You hear different conversations in the classroom. There’s a little more hype. It’s really cool walking around campus seeing people be excited about us.” Advertisement Semore worked as an analyst at Georgia Tech in 2019 and 2020 before going to Valdosta State last season to be the defensive coordinator. At the Division II powerhouse, Semore saw a team with a different attitude. The Blazers walk onto the field every week expecting to win. When Semore returned to Georgia Tech this season as the linebackers coach, the Yellow Jackets didn’t feel that way. But after consecutive wins, they are starting to develop that feeling.", "2006 | Round Valley (AZ) High School (Defensive Coordinator) 2007 | Colorado School of Mines (Secondary Coach) 2008 - 2009 | Adams State (Co-Defensive Coordinator/Secondary Coach/Special Teams Coordinator) 2010 - 2011 | Tulsa (Outside Linebackers Coach) 2012 - 2013 | Oklahoma State (Defensive Assistant) 2014 | Colorado School of Mines (Defensive Coordinator) 2015 | Montana (Secondary Coach/Special Teams Coordinator) 2016 - 2017 | Montana (Defensive Coordinator) 2018 | Temple (Senior Defensive Advisor) 2019 - 2020 | Georgia Tech (Defensive Analyst) 2021 | Valdosta State (Defensive Coordinator) Semore actually has more experience than I remember seeing, but this is still the highest level position he has held and is sure to bring plenty of challenge. At Valdosta State, Semores defense ranked top 20 nationally in defensive touchdowns, pass defense, redzone defense, and fumble recoveries. The Blazers also made an appearance in the national championship game, but failed to bring home the trophy. These are two very different coaches (in terms of experience), but I believe collectively, they are replacing one coach in all but name: Andrew Thacker. Though he remains defensive coordinator in name, he is no longer the linebackers coach."], "noise_rate": 0.2, "factlabel": 0} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [1], "prediction": "According to the document, Tesla delivered 936,172 vehicles in 2021.", "docs": ["Microchip shortage? What microchip shortage? EV maker Tesla, which it should be pointed out produces its own chips in-house, seems not to have been bothered by supply-chain issues all that much in 2021, delivering 936,172 vehicles in the year just ended, according to a report by finance news outlet Finbold. That represents a healthy 87 percent increase over 2020, when the company handed over 499,550 Teslas to customers. Even better for the company, it ended the year with a bang, racking up a record number of sales in the last quarter of 2021, or 308,600 units. Most of that total consisted of Model 3 and Model Y models, no surprise. It’s the sixth consecutive quarter that it breaks its record for sales. In 2019, the automaker delivered 367,500 units, so annual sales growth, while not exponential, is clearly accelerating. The company has said in the past that one its main goals is to attain 50 percent sales growth year after year. Once upon a time, Tesla struggled mightily to hit its delivery targets, but no more. There’s also no sign of that growth slowing down any time soon, even as all-electric rivals join the market by the month. Projections made by Finbold put estimated sales for 2022 at over 1.5 million units, for an increase of close to 65 percent. Shopicar.", "The EV maker doesn't disclose U.S.-only sales figures but claims sales for the year were up an amazing 87 percent in a turbulent marketplace. Anyone who thinks the legacy automakers are catching Tesla in the electric-vehicle sales race should take a quick look at some recently released figures. Over the weekend, Tesla announced it delivered 308,600 vehicles in the fourth quarter of 2021. Model S and Model X EVs made up 11,750 of those deliveries, while the bulk—296,850—were Model 3 and Model Y deliveries. These numbers brought Tesla's 2021 full-year deliveries to 936,172 vehicles. The 936,000 vehicle deliveries represent an 87 percent increase from 2020, Reuters and other news sources noted, based on Tesla's announcement dated January 2, while the 306,600 deliveries for the quarter mean that Tesla delivered 71 percent more electric vehicles in the fourth quarter of 2021 than it did a year earlier. Reuters reportssemiconductor chipsTesla doesn't break out its deliveries by country, but its sales are strongest in Europe and China, the notes. Tesla itself called those two regions \"important markets\" in its last SEC filing, but the U.S. is still the region where Tesla makes the most money. In the third quarter of 2021, for example, an shows Tesla made more than $6 billion in revenue in the U.S., compared to $3.", "The EV maker doesn't disclose U.S.-only sales figures but claims sales for the year were up an amazing 87 percent in a turbulent marketplace. Anyone who thinks the legacy automakers are catching Tesla in the electric-vehicle sales race should take a quick look at some recently released figures. Over the weekend, Tesla announced it delivered 308,600 vehicles in the fourth quarter of 2021. Model S and Model X EVs made up 11,750 of those deliveries, while the bulk—296,850—were Model 3 and Model Y deliveries. These numbers brought Tesla's 2021 full-year deliveries to 936,172 vehicles. The 936,000 vehicle deliveries represent an 87 percent increase from 2020, Reuters and other news sources noted, based on Tesla's announcement dated January 2, while the 306,600 deliveries for the quarter mean that Tesla delivered 71 percent more electric vehicles in the fourth quarter of 2021 than it did a year earlier. Tesla's 308,600 deliveries last quarter made it the best quarter ever, said the automaker, beating the 241,300 EVs it delivered in the previous record quarter, the third quarter of 2021. Reuters reports that Tesla has set new record delivery numbers for six quarters in a row now, despite the well-known problems that the auto industry is having with various supply chains and a lack of semiconductor chips.", "Jan 3, 2022 ... In 2021, Tesla says, it delivered 936,172 vehicles around the world. Exactly how many were in the U.S.—or in China or Europe or ...", "in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market"], "noise_rate": 0.2, "factlabel": 0} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [1], "prediction": "According to the provided documents, Evo Entertainment Group acquired ShowBiz Cinemas in an all-cash deal.", "docs": ["Evo Entertainment Group has acquired 100 percent of the stock of Showbiz Cinemas in an all-cash deal. The companies did not disclose the full details of the acquisition. \"Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of Evo Entertainment Group and 2022 Forbes 30 Under 30 honoree. “This transaction establishes Evo as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” Roberts and Kevin Mitchell, CEO and founder of Showbiz Cinemas, represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a genuine success. Said Mitchell, \"It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry.", "EVO Entertainment Group has acquired ShowBiz Cinemas in an all-cash deal, it was announced Monday (Jan. 3). The acquisition is the first major transaction to arise under the partnership between EVO and Marbella Interests, the family office of Formentera Partners founder and former Parsley Energy founder and CEO Bryan Sheffield. The combined operation is comprised of 16 venues boasting 148 screens, 108 bowling lanes, nine full-service restaurants and bars, a 3,000-capacity live music space and over 30,000 square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. EVO will continue expanding in 2022 with additional locations currently under construction. “Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of EVO Entertainment Group. “This transaction establishes EVO as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” ShowBiz Cinemas CEO and Founder Kevin Mitchell added, “It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry.", "Searching for your content... In-Language News Contact Us 888-776-0942 from 8 AM - 10 PM ET Acquisition Establishes EVO Entertainment Group as Largest Operator of Cinema-Entertainment Centers in the Country News provided by 03 Jan, 2022, 13:00 ET Share this article AUSTIN, Texas, Jan. 3, 2022 /PRNewswire/ -- EVO Entertainment Group (\"EVO\") and ShowBiz Cinemas (\"ShowBiz\"), two leading innovators in motion picture entertainment, announced today that they have closed a transaction under which EVO has acquired 100% of the stock of Showbiz Cinemas in an all-cash deal. \"Today is a monumental moment for our company and our industry,\" said Mitch Roberts, Founder and CEO of EVO Entertainment Group and 2022 Forbes 30 under 30 honoree. \"This transaction establishes EVO as the country's largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.\" Kevin Mitchell, CEO & Founder of Showbiz Cinemas, along with Mitch Roberts represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a smashing success.", "ShowBiz Cinemas in Kingwood is one of four locations in the Houston area. The chain has been acquired by EVO Entertainment Group. Two Texas theater entertainment companies have combined in a deal that expands Austin-based EVO Entertainment Group’s footprint to Houston and other markets. EVO Entertainment acquired 100 percent of the stock of ShowBiz Cinemas of Dallas in an all-cash deal, the companies said. The acquisition price was not disclosed. The deal comes as the industry tries to navigate COVID-19, which has reduced the number of theater goers and changing consumer habits, such as streaming releases at home rather than going out. EVO’s expansion comes as nearly 12 percent of the nation’s 5,500 theaters operating just before the coronavirus pandemic have closed, according to Comscore, a market research firm. But Mitch Roberts, founder and CEO of EVO Entertainment, said reports of the death of movie theaters are greatly exaggerated. With the release of blockbusters such as \"Spider-Man: No Way Home,\" ShowBiz Cinemas posted its strongest holiday season since being founded in 2007, the companies said. “The demand is still there,” Roberts said. “People still want to get out and experience movies on the big screen.” Roberts sees a bright outlook as a backlog of movies held back during the pandemic are released in the coming years. Plus, he said, the same-day release of movies at theaters and on streaming platforms during the pandemic is not something that will hold.", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!"], "noise_rate": 0.2, "factlabel": 0} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [1], "prediction": "According to the document, the Super Bowl is held in 2022 at SoFi Stadium in Inglewood, California, the home stadium of the Rams.", "docs": ["The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second ...", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints.", "The Super Bowl is going to be held indoors for a little while. After last year's contest in Raymond James Stadium in Tampa, Florida, the Super Bowl heads out west to SoFi Stadium in Inglewood, California, for Super Bowl 56. From then on, the Super Bowl will continue to be held in dome stadiums for a while. Each of the next three announced venues will have a roof over the heads of the fans and players, and will be in warmer weather areas, as is typical of the Super Bowl. Sporting News has you covered with all you need to know about the location of this year's Super Bowl, as well as the host site in future years. This year's Super Bowl will be held at SoFi Stadium in Los Angeles, California. The home of the Rams and the Chargers, SoFi Stadium was originally set to host the Super Bowl in 2021, however its opening was delayed until 2020, and NFL rules dictate that a stadium has to be open for at least two seasons before it can host the title game. This will be the third time the city has hosted the Super Bowl, with the L.A. Memorial Coliseum having hosted it twice (1967, 1973). Pasadena also hosted the Super Bowl five times (1977, 1980, 1983, 1987, 1993) in the Rose Bowl.", "When the Super Bowl is played Feb. 13 at SoFi Stadium in Inglewood, it will mark the first time in nearly 30 years that the game returns to its roots in Los Angeles. Starting with Super Bowl I in 1967, the game has been played seven times in the Los Angeles area, all at the Rose Bowl in Pasadena and LA Memorial Coliseum south of downtown LA. Below, we have a look at those seven Southern California Super Bowls and memorable, sometimes bizarre, moments from each game, halftime shows, national anthem performers and more. The 2022 Super Bowl is Sunday, Feb. 13. It will air live on NBC and the streaming service Peacock. The broadcast will begin at 3 p.m. PT, with a kickoff time set for 3:30 p.m. The first Super Bowl bears little resemblance to the days-long cultural and sporting event we know now. About 62,000 people attended the game at the historic home of the USC Trojans and two Summer Olympics. That's the smallest attendance figure of any Super Bowl, illustrating the difference between the first game -- which also was broadcast by two TV networks -- and today's mega-event. The game was actually called the American Football League (AFL)-National Football League (NFL) Championship Game.", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII."], "noise_rate": 0.2, "factlabel": 0} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [1], "prediction": "According to the provided document, Truth Social launched on iOS on February 21st, 2022, which is also Presidents' Day in the US.", "docs": ["Donald Trump's much-anticipated social media platform, called Truth Social, has debuted on iOS. And here's what you need to know about it. Former US President Donald Trump’s social media platform, called Truth Social, is now available to download on iOS. So, here's what you need to know about Truth Social, which is already proving to be a controversial social media platform for various reasons. Former US President Donald Trump's social media app, Truth Social, is now available to download from Apple's App Store. It was launched on February 21st, 2022, which is President’s Day in the US. Immediately upon launching, the app reached the number one spot on the App Store's Top Charts. Truth Social came about following Trump's bans from various social media platforms---including Facebook and Twitter---in 2021. These platforms removed Trump due to concerns around his public comments following the Capitol Hill riots in January 2021. Before getting himself banned from various social media platforms, Trump built up huge followings. So once these mainstream social media platforms dumped him, Trump announced his intention to build his own platform. So, what is Trump’s social network about anyway? Here’s everything you need to know about Truth Social. Truth Social is a social media app founded by former US President Donald Trump and owned by Trump Media & Technology Group (TMTG). This company was formed in February 2021 with the intention of building alternatives to mainstream media platforms.", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "Truth Social, Donald Trump’s Twitter-like social media platform has launched on the App Store, CNET has reported. That confirms a statement from a verified account tied to Truth Social chief product officer “Billy B,” who told people to mark February 21st on their calendars. “We’re currently set for release in the Apple App Store for Monday, February 21st,” he said, according to Reuters. Incidentally, the 21st marks the Presidents' Day holiday in the US. Provided the network doesn’t suffer a hiccup like the one it did last fall when a prankster claimed the “donaldjtrump” username and posted an image of defecting pig, the launch will mark Trump’s return to social media. Twitter and Facebook banned the former president following the January 6th attack on the US Capitol. Before a test version of Truth Social was pulled down last fall, the website’s code showed it ran on a mostly unmodified version of open-source software Mastodon. In October, the Software Freedom Conservancy accused The Trump Media and Technology Group (TMTG) of violating Mastodon’s AGPLv3 license by not sharing the platform’s source code. The website added a dedicated section containing a ZIP archive of its source code two weeks later.Subscribe to the Engadget Deals NewsletterGreat deals on consumer electronics delivered straight to your inbox, curated by Engadget’s editorial team.", "Jan 6, 2022 ... Former President Donald Trump's new social network, Truth Social, will launch on iOS on February 21st, according to a listing on the App ...", "By Jay Peters, a news editor who writes about technology, video games, and virtual worlds. He’s submitted several accepted emoji proposals to the Unicode Consortium. If you buy something from a Verge link, Vox Media may earn a commission. See our ethics statement. Former President Donald Trump’s new social network, Truth Social, will launch on iOS on February 21st, according to a listing on the App Store. (That’s Presidents Day, if you didn’t know. Subtle.) The app is being made by the Trump Media and Technology Group (TMTG), Trump’s new media company led by former US Rep. Devin Nunes. Truth Social looks very much like a Twitter clone, based on screenshots in the App Store listing. The profile page shown in one screenshot looks almost exactly like Twitter’s, and posts appear to have icons for replies, retweets, faves, and sharing. (Truth Social describes each individual post as a “truth” in the app’s description. The retweet equivalent is apparently called a “re-truth.”) The Twitter-like design likely isn’t an accident The social network’s Twitter-like design is almost assuredly no accident. Twitter was Trump’s favorite megaphone for years, until he was permanently banned in January 2021 shortly after the January 6th insurrection on the US Capitol."], "noise_rate": 0.2, "factlabel": 0} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [1], "prediction": "According to the provided document, \"The Power of the Dog\" won Best Picture Drama at the 79th Golden Globes.", "docs": ["Best Picture Drama: “The Power of the Dog” Jane Campion’s first film in more than a decade, “The Power of the Dog,” took home the most prestigious award of the night. “Power of the Dog” won Best Picture Drama, Best Director Motion Picture (Jane Campion), and Best Supporting Actor — Motion Picture (Kodi Smit-McPhee).  The acclaimed Netflix drama was the most-nominated movie along with “Belfast,” with each film earning seven nominations. Campion became the third woman to win in this category at Golden Globes. Best Television Series — Musical or Comedy: “Hacks” HBO Max’s “Hacks” won the main Television (Musical or Comedy) category and Best Actress — Comedy/Musical for star Jean Smart at the 79th Golden Globes Awards. While other shows in this category were also strong contenders, such as Apple TV+’s “Ted Lasso,” “Hacks” proved to be a favorite in this category with its first season. “Hacks can laugh all the way to the bank with this one,” announced the official Golden Globes account via Twitter. “Congratulations on taking home the #GoldenGlobe for Best Musical/Comedy Series.” Best Television Series — Drama: “Succession” HBO’s “Succession” was the big winner at this year’s Golden Globes, scooping three major categories.", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "The 79th Golden Globe Awards honored the best in film and American television of 2021, as chosen by the Hollywood Foreign Press Association (HFPA). The ceremony took place privately on January 9, 2022.[1] The nominees were announced on December 13, 2021, by rapper Snoop Dogg and HFPA president Helen Hoehne.[1][2] For the first time since 2008, there was no traditional, televised ceremony. In support of boycotts of the HFPA by various media companies, actors, and other creatives over its lack of action to increase the membership diversity of the organization, the Golden Globes' regular broadcaster NBC declined to televise the 79th Golden Globe Awards. The HFPA ultimately chose to hold the presentation privately, with attendance limited to the organization's beneficiaries, and results announced via press release and highlighted on the Golden Globe Awards' social media pages. The films Belfast and The Power of the Dog were tied for the most nominations, at seven each. The latter tied with Steven Spielberg's West Side Story and HBO's drama Succession with the most awards of the night, with three each. These included the awards for Best Drama Film, Best Musical or Comedy Film and Best Drama Series, respectively.", "TAGGED AS: 79th Golden Globes Awards, Awards, Film, movies, television, TV The Hollywood Foreign Press Association announced the winners for the 79th Annual Golden Globe Awards tonight with The Power of the Dog named Best Motion Picture – Drama and West Side Story as Best Motion Picture – Musical or  Comedy. On the television side, Succession won Best Television Series – Drama, while Hacks won for Best Television Series – Musical or Comedy. After a year of controversy about diversity, payola, and improper behavior endemic to the organization that culminated in the Globes losing its NBC broadcast, tonight’s coverage and the subsequent congratulatory marketing from winners will be a good litmus test for if the beleaguered organization can rinse off some of the stink from a year of bad headlines and even more puzzling decisions. If you need a refresher on the ins and outs of what happened read our recap of how we got here. Over the last eight months, the HFPA has reformed its bylaws, implementing changes that address ethics and code of conduct, diversity, equity and inclusion, governance, and membership. The HFPA recently admitted their largest and most diverse class to date of 21 new members, all of whom are first-time Golden Globe voters.", "Though the jury is very much out on if HFPA can squeeze its way back into the good graces of Hollywood, after a fairly uneventful and mostly uncontroversial group of diverse winners, it is unlikely to hurt those efforts. Read on for the full list of winners from the 79th Golden Globes. 1. Best Motion Picture – Drama Belfast, Focus Features Coda, Apple TV+ Dune, Warner Bros. King Richard, Warner Bros. The Power of the Dog, Netflix – WINNER 2. Best Performance By An Actress In A Motion Picture – Drama Jessica Chastain, The Eyes Of Tammy Faye Olivia Colman, The Lost Daughter Nicole Kidman, Being The Ricardos – WINNER Lady Gaga, House Of Gucci Kristen Stewart, Spencer 3. Best Performance By An Actor In A Motion Picture – Drama Mahershala Ali, Swan Song Javier Bardem, Being The Ricardos Benedict Cumberbatch, The Power Of The Dog Will Smith, King Richard – WINNER Denzel Washington, The Tragedy Of Macbeth 4. Best Motion Picture – Musical Or Comedy Cyrano, MGM Don’t Look Up, Netflix Licorice Pizza, MGM Tick, Tick…Boom!, Netflix West Side Story, 20th Century Studios / Walt Disney Studios Motion Pictures – WINNER 5."], "noise_rate": 0.2, "factlabel": 0} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [1], "prediction": "According to the provided document, Georgia Tech softball 2022 season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat.", "docs": ["THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes.", "Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "Wiley Ballard catches up with Coach Morales ahead of the Buzz Classic Storylines Series Notes 2022 SOFTBALL TICKETS Season tickets remain on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Season ticket members enjoy every game in the same seat for a discounted rate. 2022 single-game tickets for all home contests are also on sale and can be purchased HERE. Single-Game Pricing: Reserved Chairback: $5 Adult GA Bench: $3 Youth/Senior GA Bench: $2 Group (10+) GA Bench: $2 Standing room only tickets will be sold for $2 each if all other sections are sold out. Georgia Tech students and faculty/staff can receive free admission to regular season home games while seats remain available by showing a valid BuzzCard at the entrance. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes. Be a part of developing Georgia Tech’s Everyday Champions and helping the Yellow Jackets compete for championships at the highest levels of college athletics by supporting the Annual Athletic Scholarship Fund, which directly provides scholarships for Georgia Tech student-athletes.", "THE FLATS – Georgia Tech softball 2023 season and single-game tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Season ticket members enjoy every game in the same seat for a discounted rate. Single-game tickets are also available as detailed below. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Single-Game Pricing: Reserved Chairback: $5 Adult GA Bench: $3 Youth/Senior GA Bench: $2 Group (10+) GA Bench: $2 Standing room only tickets will be sold for $2 each if all other sections are sold out. Georgia Tech students and faculty/staff can receive free admission to regular season home games while seats remain available by showing a valid BuzzCard at the entrance. Tech’s 56-game 2023 regular season schedule is highlighted by 33 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will also host three home tournaments, most notably the ACC/B1G Challenge, as well as a pair of SEC schools, including this season’s edition of Clean, Old-Fashioned Hate. The White and Gold are slated to face six ranked opponents throughout the year, hosting four of them for eight total games.", "THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes."], "noise_rate": 0.2, "factlabel": 0} diff --git a/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.2_passage_5_num_queries_100.json b/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.2_passage_5_num_queries_100.json new file mode 100644 index 0000000000000000000000000000000000000000..4dda33e16d04580e1efdcc2162e542022136e9f6 --- /dev/null +++ b/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.2_passage_5_num_queries_100.json @@ -0,0 +1,100 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [1], "prediction": "According to the provided documents, the premiere of 'Carole King & James Taylor: Just Call Out My Name' is on January 2, 2022, at 9:00pm ET/PT on CNN.", "docs": ["However, the concert tour took place in honor of the 40th anniversary. The two might have aged since they first performed together but neither Carole King nor James Taylor have lost a beat in all these years!The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.", "Jan 2, 2022 ... Carole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via ...", "The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.Please subscribe to Solzy at the Movies on Substack.", "Subscribe to CNN Press Room Email Updates Frank Marshall-Directed Film, CAROLE KING & JAMES TAYLOR: JUST CALL OUT MY NAME, Premieres Sunday, Jan. 2 at 9:00PM ET/PT on CNN CNN Films will premiere CAROLE KING & JAMES TAYLOR: Just Call Out My Name for television on Sunday, Jan. 2, 2022, at 9:00pm ET/PT on CNN.  Also released today are the trailer and poster art for the film.  The new documentary feature is centered around Carole King’s and James Taylor’s legendary 2010 Troubadour Reunion Tour, and includes exclusive footage.  The film is directed and produced by Frank Marshall, and produced by Aly Parker and The Kennedy / Marshall Company.    CAROLE KING & JAMES TAYLOR: Just Call Out My Name celebrates King’s and Taylor’s relationship of 50 years.  Their expansive 2010 concert tour reunited these beloved singer/songwriters for a rare musical experience.  The set list for the film contains a breadth of material, including songs that they first performed together in 1970 at The Troubadour, the famed Los Angeles music venue that initially helped propel them both onto the world stage, and again in 2007 at the club’s 50th anniversary.", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved."], "noise_rate": 0.2, "factlabel": 0} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [1], "prediction": "According to the document, the genre of the drama \"Good Sam\" is a medical procedural, featuring a family drama twist.", "docs": ["May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell.", "Sam Griffith (Sophia Bush) is a female lead, still a rarity in medical dramas. The cast diversity is notable: Malcolm Kinglsey (Edwin Hodge) is a Black man from a wealthy, prominent family. Wealthy Black Americans aren't usually showcased on television. Malcolm is also a love interest for Sam, adding to the representation of interracial relationships on television. However, most of the diversity comes in the form of the secondary cast (Skye P. Marshall, Omar Maskati, Davi Santos), who are very involved in the main storylines. Did we miss something on diversity? Suggest an update. A scene with a major character being shot. Scenes of heart surgery. A scene with a patient who was punched by his wife for cheating. Did you know you can flag iffy content? Adjust limits for Violence & Scariness in your kid's entertainment guide. Swear words like \"ass,\" \"damnit,\" \"ass kisser.\" Did you know you can flag iffy content? Adjust limits for Language in your kid's entertainment guide. Parents need to know that Good Sam is a medical procedural featuring a father-and-daughter heart surgeon team who hash out their familial drama as they save patients. Parents should be aware of scenes featuring simulated heart surgery and other scary topics, such as conversations about a near-fatal car accident, \"coding\" (needing to be resuscitated), and other medical lingo.", "By Monique Jones, Common Sense Media Reviewer Common Sense Media Reviewers Common Sense Media reviewers include writers, editors, and child development experts. They're trained in creating high-quality parenting advice based on best practices in child development. Read more about how we rate and review Family drama expands medical procedural genre. What you will—and won't—find in this TV show. Communication and teamwork are keys to great leade Dr. Sam Griffith is a compassionate, empathetic do Even though the series features a white lead, Dr. A scene with a major character being shot. Scenes Swear words like \"ass,\" \"damnit,\" \"ass kisser.\" Parents need to know that Good Sam is a medical procedural featuring a father-and-daughter heart surgeon team who hash out their familial drama as they save patients. Parents should be aware of scenes featuring simulated heart surgery and other scary topics, such as conversations about a near-fatal car… Communication and teamwork are keys to great leadership and a healthy working environment. Great leaders -- as well as great doctors -- should also have empathy and compassion with their patients and coworkers. Dr. Sam Griffith is a compassionate, empathetic doctor who strives to create a healthy, productive working environment for her coworkers. She also strives to create a comforting environment for scared, worried patients; she hopes to put them at ease and to feel they're in good hands. Even though the series features a white lead, Dr.", "Based on 1 parent review GOOD SAM plays in the standard medical procedural sandbox, but there is a family drama twist. Samantha Griffith (Sophia Bush) is a competent heart surgeon who became the head of the department after her hard-to-please father, Dr. Rob Griffith (Jason Isaacs), suffered an accident, thereby losing his title as department head. The switch-up leads Sam and her father to try to reconcile their relationship as Sam finds her way as a leader. This show seems to suggest CBS is keeping to its mission to steadily showcase more diverse, complicated storylines. While Good Sam could have easily been just a run-of-the-mill medical show about a problem of the week, the series also entangles its characters in some thorny familial drama. This adds a new layer to what fans of this type of genre might be used to, and thankfully so. Bush, who once headlined another procedural, Chicago P.D., is great at playing a woman who has grown tired of trying to please her father and wants to show her worth as a doctor on her own terms. English actor Isaacs' American accent falters at the beginning of the first episode, but by the time it's ended, you believe he's a difficult man who might have a good heart, but is buried underneath guilt and unresolved trauma.", "The new CBS drama Good Sam is likely to draw viewers towards more shows that revolve around medical drama and family issues. Starring Jason Isaacs and Sophia Bush, Good Sam delves into the strenuous father-daughter relationship between Dr. Sam Griffith and Dr. Rob Griffith. Tensions increase as the duo also happen to work in the same hospital.  RELATED: 10 Medical Dramas That Are Better Than Grey's Anatomy Good Sam serves as an interesting watch for medical drama fans. So, it is natural for audiences to also check out other genre classics like Grey’s Anatomy and contemporary shows like The Good Doctor. At the same time, Good Sam’s complex family dynamics imply that viewers can also binge their way through some acclaimed “dysfunctional family dramas”. ABC's The Good Doctor's main character Shaun Murphy is a brilliant surgeon who relocates to a prestigious California hospital. Along with saving patient lives, he struggles to get over his troubled past and to counter his social insecurities. The show benefits greatly from Freddie Highmore’s committed performance as he emulates the optimistic nature of the lead character.  Fans of Good Sam must check out The Good Doctor for it shows how a doctor’s psyche can influence the operation. Even though Sam is still in her good-natured self, Rob is shown as a talented yet hot-headed surgeon."], "noise_rate": 0.2, "factlabel": 0} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [1], "prediction": "According to the provided document, the Kentucky Wildcats won the 2022 Citrus Bowl with a score of 20-17 over the 15th-ranked University of Iowa football team.", "docs": ["This time, it was the No. 15 Iowa Hawkeyes who Kentucky took down in the final minutes en route to a 20-17 victory. It’s the fourth straight bowl win for Kentucky, which is tied with Alabama among Power 5 programs. It also broke the school record for consecutive bowl wins.", "Kentucky Wildcats win Citrus Bowl, 4th straight bowl game | whas11.", "Kentucky secured its fourth straight bowl victory Saturday with a 20-17 Citrus Bowl win over Iowa. Down four in the final few minutes, Wan'Dale Robinson and Chris Rodriguez Jr. came through with great individual efforts to put the Wildcats on top:", "A late drive by No. 22 Kentucky sealed the Wildcat victory over the 15th-ranked University of Iowa football team in the 2022 VRBO Citrus Bowl on Saturday afternoon at Camping World Stadium.", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events."], "noise_rate": 0.2, "factlabel": 0} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [1], "prediction": "According to the document, Jason Semore held the position of Defensive Coordinator at Valdosta State before returning to Georgia Tech.", "docs": ["At some point, he and Batt may talk about the possibility of Key taking over the program, but Key understands Batt’s job right now is to vet coaches and Key’s job is to try to put the best possible product on the field to state his case. Even if Batt chooses to hire from outside, a great run as the interim could vault Key into contention for other head coaching jobs. Key also wants to make sure his players don’t believe winning is easy after doing it twice in a row. Though he doesn’t mind letting them enjoy the new vibe on campus. “It’s been a while since we had this kind of momentum in the program,” tight end Dylan Leonard told reporters Monday. “It’s our first time with back-to-back wins. It’s great for us as players, but it’s also cool to see the fan base. You hear different conversations in the classroom. There’s a little more hype. It’s really cool walking around campus seeing people be excited about us.” Advertisement Semore worked as an analyst at Georgia Tech in 2019 and 2020 before going to Valdosta State last season to be the defensive coordinator. At the Division II powerhouse, Semore saw a team with a different attitude. The Blazers walk onto the field every week expecting to win. When Semore returned to Georgia Tech this season as the linebackers coach, the Yellow Jackets didn’t feel that way. But after consecutive wins, they are starting to develop that feeling.", "Sep 29, 2022 ... Share · Jason Semore helped lead Valdosta State to the 2021 NCAA Division II national championship game as defensive coordinator before returning ...", "Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "A hugely successful high school quarterback, he threw for over 5,300 yards and 59 touchdowns at North Florida Christian High School before spending the early part of his college career at FSU. However, it was at West Virginia where his playing career took off, leading the Big 12 in completion percentage in 2014 while becoming a semifinalist for the Davey O’Brien Award. A new addition to the Marshall coaching staff for the 2023 college football season, Jason Semore becomes the Thundering Herd’s defensive coordinator. He arrives in Huntington having spent the last season with Georgia Tech, the latest stop on a varied and successful coaching career that has seen him gain experience in multiple roles at several different levels of competition. A linebacker at Adams State from 2001-2005, Semore spent 2022 working with the Georgia Tech linebackers and was slated to become their special teams coordinator with responsibilities for nickel backs and safeties. Instead, he reprises a role he previously held at Valdosta State, Montana, and the Colorado School of Mines, in addition to co-DC duties at his alma mater. He has tasted success in each of those stints. Semore helped lead Colorado School of Mines to a 10-2 season, assisted Montana in achieving three consecutive winning seasons and top-ranked Big Sky defense, and his defense fueled a Valdosta State run to the DII title game in 2021.", "2006 | Round Valley (AZ) High School (Defensive Coordinator) 2007 | Colorado School of Mines (Secondary Coach) 2008 - 2009 | Adams State (Co-Defensive Coordinator/Secondary Coach/Special Teams Coordinator) 2010 - 2011 | Tulsa (Outside Linebackers Coach) 2012 - 2013 | Oklahoma State (Defensive Assistant) 2014 | Colorado School of Mines (Defensive Coordinator) 2015 | Montana (Secondary Coach/Special Teams Coordinator) 2016 - 2017 | Montana (Defensive Coordinator) 2018 | Temple (Senior Defensive Advisor) 2019 - 2020 | Georgia Tech (Defensive Analyst) 2021 | Valdosta State (Defensive Coordinator) Semore actually has more experience than I remember seeing, but this is still the highest level position he has held and is sure to bring plenty of challenge. At Valdosta State, Semores defense ranked top 20 nationally in defensive touchdowns, pass defense, redzone defense, and fumble recoveries. The Blazers also made an appearance in the national championship game, but failed to bring home the trophy. These are two very different coaches (in terms of experience), but I believe collectively, they are replacing one coach in all but name: Andrew Thacker. Though he remains defensive coordinator in name, he is no longer the linebackers coach."], "noise_rate": 0.2, "factlabel": 0} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [1], "prediction": "According to the document, Tesla delivered 936,172 vehicles in 2021.", "docs": ["Jan 3, 2022 ... In 2021, Tesla says, it delivered 936,172 vehicles around the world. Exactly how many were in the U.S.—or in China or Europe or ...", "The EV maker doesn't disclose U.S.-only sales figures but claims sales for the year were up an amazing 87 percent in a turbulent marketplace. Anyone who thinks the legacy automakers are catching Tesla in the electric-vehicle sales race should take a quick look at some recently released figures. Over the weekend, Tesla announced it delivered 308,600 vehicles in the fourth quarter of 2021. Model S and Model X EVs made up 11,750 of those deliveries, while the bulk—296,850—were Model 3 and Model Y deliveries. These numbers brought Tesla's 2021 full-year deliveries to 936,172 vehicles. The 936,000 vehicle deliveries represent an 87 percent increase from 2020, Reuters and other news sources noted, based on Tesla's announcement dated January 2, while the 306,600 deliveries for the quarter mean that Tesla delivered 71 percent more electric vehicles in the fourth quarter of 2021 than it did a year earlier. Reuters reportssemiconductor chipsTesla doesn't break out its deliveries by country, but its sales are strongest in Europe and China, the notes. Tesla itself called those two regions \"important markets\" in its last SEC filing, but the U.S. is still the region where Tesla makes the most money. In the third quarter of 2021, for example, an shows Tesla made more than $6 billion in revenue in the U.S., compared to $3.", "in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Microchip shortage? What microchip shortage? EV maker Tesla, which it should be pointed out produces its own chips in-house, seems not to have been bothered by supply-chain issues all that much in 2021, delivering 936,172 vehicles in the year just ended, according to a report by finance news outlet Finbold. That represents a healthy 87 percent increase over 2020, when the company handed over 499,550 Teslas to customers. Even better for the company, it ended the year with a bang, racking up a record number of sales in the last quarter of 2021, or 308,600 units. Most of that total consisted of Model 3 and Model Y models, no surprise. It’s the sixth consecutive quarter that it breaks its record for sales. In 2019, the automaker delivered 367,500 units, so annual sales growth, while not exponential, is clearly accelerating. The company has said in the past that one its main goals is to attain 50 percent sales growth year after year. Once upon a time, Tesla struggled mightily to hit its delivery targets, but no more. There’s also no sign of that growth slowing down any time soon, even as all-electric rivals join the market by the month. Projections made by Finbold put estimated sales for 2022 at over 1.5 million units, for an increase of close to 65 percent. Shopicar.", "The EV maker doesn't disclose U.S.-only sales figures but claims sales for the year were up an amazing 87 percent in a turbulent marketplace. Anyone who thinks the legacy automakers are catching Tesla in the electric-vehicle sales race should take a quick look at some recently released figures. Over the weekend, Tesla announced it delivered 308,600 vehicles in the fourth quarter of 2021. Model S and Model X EVs made up 11,750 of those deliveries, while the bulk—296,850—were Model 3 and Model Y deliveries. These numbers brought Tesla's 2021 full-year deliveries to 936,172 vehicles. The 936,000 vehicle deliveries represent an 87 percent increase from 2020, Reuters and other news sources noted, based on Tesla's announcement dated January 2, while the 306,600 deliveries for the quarter mean that Tesla delivered 71 percent more electric vehicles in the fourth quarter of 2021 than it did a year earlier. Tesla's 308,600 deliveries last quarter made it the best quarter ever, said the automaker, beating the 241,300 EVs it delivered in the previous record quarter, the third quarter of 2021. Reuters reports that Tesla has set new record delivery numbers for six quarters in a row now, despite the well-known problems that the auto industry is having with various supply chains and a lack of semiconductor chips."], "noise_rate": 0.2, "factlabel": 0} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [1], "prediction": "According to the provided document, EVO Entertainment Group acquired ShowBiz Cinemas in an all-cash deal.", "docs": ["EVO Entertainment Group has acquired ShowBiz Cinemas in an all-cash deal, it was announced Monday (Jan. 3). The acquisition is the first major transaction to arise under the partnership between EVO and Marbella Interests, the family office of Formentera Partners founder and former Parsley Energy founder and CEO Bryan Sheffield. The combined operation is comprised of 16 venues boasting 148 screens, 108 bowling lanes, nine full-service restaurants and bars, a 3,000-capacity live music space and over 30,000 square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. EVO will continue expanding in 2022 with additional locations currently under construction. “Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of EVO Entertainment Group. “This transaction establishes EVO as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” ShowBiz Cinemas CEO and Founder Kevin Mitchell added, “It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry.", "Evo Entertainment Group has acquired 100 percent of the stock of Showbiz Cinemas in an all-cash deal. The companies did not disclose the full details of the acquisition. \"Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of Evo Entertainment Group and 2022 Forbes 30 Under 30 honoree. “This transaction establishes Evo as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” Roberts and Kevin Mitchell, CEO and founder of Showbiz Cinemas, represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a genuine success. Said Mitchell, \"It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry.", "ShowBiz Cinemas in Kingwood is one of four locations in the Houston area. The chain has been acquired by EVO Entertainment Group. Two Texas theater entertainment companies have combined in a deal that expands Austin-based EVO Entertainment Group’s footprint to Houston and other markets. EVO Entertainment acquired 100 percent of the stock of ShowBiz Cinemas of Dallas in an all-cash deal, the companies said. The acquisition price was not disclosed. The deal comes as the industry tries to navigate COVID-19, which has reduced the number of theater goers and changing consumer habits, such as streaming releases at home rather than going out. EVO’s expansion comes as nearly 12 percent of the nation’s 5,500 theaters operating just before the coronavirus pandemic have closed, according to Comscore, a market research firm. But Mitch Roberts, founder and CEO of EVO Entertainment, said reports of the death of movie theaters are greatly exaggerated. With the release of blockbusters such as \"Spider-Man: No Way Home,\" ShowBiz Cinemas posted its strongest holiday season since being founded in 2007, the companies said. “The demand is still there,” Roberts said. “People still want to get out and experience movies on the big screen.” Roberts sees a bright outlook as a backlog of movies held back during the pandemic are released in the coming years. Plus, he said, the same-day release of movies at theaters and on streaming platforms during the pandemic is not something that will hold.", "Searching for your content... In-Language News Contact Us 888-776-0942 from 8 AM - 10 PM ET Acquisition Establishes EVO Entertainment Group as Largest Operator of Cinema-Entertainment Centers in the Country News provided by 03 Jan, 2022, 13:00 ET Share this article AUSTIN, Texas, Jan. 3, 2022 /PRNewswire/ -- EVO Entertainment Group (\"EVO\") and ShowBiz Cinemas (\"ShowBiz\"), two leading innovators in motion picture entertainment, announced today that they have closed a transaction under which EVO has acquired 100% of the stock of Showbiz Cinemas in an all-cash deal. \"Today is a monumental moment for our company and our industry,\" said Mitch Roberts, Founder and CEO of EVO Entertainment Group and 2022 Forbes 30 under 30 honoree. \"This transaction establishes EVO as the country's largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.\" Kevin Mitchell, CEO & Founder of Showbiz Cinemas, along with Mitch Roberts represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a smashing success.", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!"], "noise_rate": 0.2, "factlabel": 0} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [1], "prediction": "According to the provided document, the Super Bowl is held in 2022 at SoFi Stadium in Inglewood, California.", "docs": ["The Super Bowl is going to be held indoors for a little while. After last year's contest in Raymond James Stadium in Tampa, Florida, the Super Bowl heads out west to SoFi Stadium in Inglewood, California, for Super Bowl 56. From then on, the Super Bowl will continue to be held in dome stadiums for a while. Each of the next three announced venues will have a roof over the heads of the fans and players, and will be in warmer weather areas, as is typical of the Super Bowl. Sporting News has you covered with all you need to know about the location of this year's Super Bowl, as well as the host site in future years. This year's Super Bowl will be held at SoFi Stadium in Los Angeles, California. The home of the Rams and the Chargers, SoFi Stadium was originally set to host the Super Bowl in 2021, however its opening was delayed until 2020, and NFL rules dictate that a stadium has to be open for at least two seasons before it can host the title game. This will be the third time the city has hosted the Super Bowl, with the L.A. Memorial Coliseum having hosted it twice (1967, 1973). Pasadena also hosted the Super Bowl five times (1977, 1980, 1983, 1987, 1993) in the Rose Bowl.", "The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second ...", "When the Super Bowl is played Feb. 13 at SoFi Stadium in Inglewood, it will mark the first time in nearly 30 years that the game returns to its roots in Los Angeles. Starting with Super Bowl I in 1967, the game has been played seven times in the Los Angeles area, all at the Rose Bowl in Pasadena and LA Memorial Coliseum south of downtown LA. Below, we have a look at those seven Southern California Super Bowls and memorable, sometimes bizarre, moments from each game, halftime shows, national anthem performers and more. The 2022 Super Bowl is Sunday, Feb. 13. It will air live on NBC and the streaming service Peacock. The broadcast will begin at 3 p.m. PT, with a kickoff time set for 3:30 p.m. The first Super Bowl bears little resemblance to the days-long cultural and sporting event we know now. About 62,000 people attended the game at the historic home of the USC Trojans and two Summer Olympics. That's the smallest attendance figure of any Super Bowl, illustrating the difference between the first game -- which also was broadcast by two TV networks -- and today's mega-event. The game was actually called the American Football League (AFL)-National Football League (NFL) Championship Game.", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints.", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII."], "noise_rate": 0.2, "factlabel": 0} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [1], "prediction": "According to the provided documents, Truth Social will launch on iOS on February 21st, which is also Presidents' Day in the US.", "docs": ["By Jay Peters, a news editor who writes about technology, video games, and virtual worlds. He’s submitted several accepted emoji proposals to the Unicode Consortium. If you buy something from a Verge link, Vox Media may earn a commission. See our ethics statement. Former President Donald Trump’s new social network, Truth Social, will launch on iOS on February 21st, according to a listing on the App Store. (That’s Presidents Day, if you didn’t know. Subtle.) The app is being made by the Trump Media and Technology Group (TMTG), Trump’s new media company led by former US Rep. Devin Nunes. Truth Social looks very much like a Twitter clone, based on screenshots in the App Store listing. The profile page shown in one screenshot looks almost exactly like Twitter’s, and posts appear to have icons for replies, retweets, faves, and sharing. (Truth Social describes each individual post as a “truth” in the app’s description. The retweet equivalent is apparently called a “re-truth.”) The Twitter-like design likely isn’t an accident The social network’s Twitter-like design is almost assuredly no accident. Twitter was Trump’s favorite megaphone for years, until he was permanently banned in January 2021 shortly after the January 6th insurrection on the US Capitol.", "Donald Trump's much-anticipated social media platform, called Truth Social, has debuted on iOS. And here's what you need to know about it. Former US President Donald Trump’s social media platform, called Truth Social, is now available to download on iOS. So, here's what you need to know about Truth Social, which is already proving to be a controversial social media platform for various reasons. Former US President Donald Trump's social media app, Truth Social, is now available to download from Apple's App Store. It was launched on February 21st, 2022, which is President’s Day in the US. Immediately upon launching, the app reached the number one spot on the App Store's Top Charts. Truth Social came about following Trump's bans from various social media platforms---including Facebook and Twitter---in 2021. These platforms removed Trump due to concerns around his public comments following the Capitol Hill riots in January 2021. Before getting himself banned from various social media platforms, Trump built up huge followings. So once these mainstream social media platforms dumped him, Trump announced his intention to build his own platform. So, what is Trump’s social network about anyway? Here’s everything you need to know about Truth Social. Truth Social is a social media app founded by former US President Donald Trump and owned by Trump Media & Technology Group (TMTG). This company was formed in February 2021 with the intention of building alternatives to mainstream media platforms.", "Jan 6, 2022 ... Former President Donald Trump's new social network, Truth Social, will launch on iOS on February 21st, according to a listing on the App ...", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "Truth Social, Donald Trump’s Twitter-like social media platform has launched on the App Store, CNET has reported. That confirms a statement from a verified account tied to Truth Social chief product officer “Billy B,” who told people to mark February 21st on their calendars. “We’re currently set for release in the Apple App Store for Monday, February 21st,” he said, according to Reuters. Incidentally, the 21st marks the Presidents' Day holiday in the US. Provided the network doesn’t suffer a hiccup like the one it did last fall when a prankster claimed the “donaldjtrump” username and posted an image of defecting pig, the launch will mark Trump’s return to social media. Twitter and Facebook banned the former president following the January 6th attack on the US Capitol. Before a test version of Truth Social was pulled down last fall, the website’s code showed it ran on a mostly unmodified version of open-source software Mastodon. In October, the Software Freedom Conservancy accused The Trump Media and Technology Group (TMTG) of violating Mastodon’s AGPLv3 license by not sharing the platform’s source code. The website added a dedicated section containing a ZIP archive of its source code two weeks later.Subscribe to the Engadget Deals NewsletterGreat deals on consumer electronics delivered straight to your inbox, curated by Engadget’s editorial team."], "noise_rate": 0.2, "factlabel": 0} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [1], "prediction": "According to the provided document, \"The Power of the Dog\" won Best Picture Drama at the 79th Golden Globe Awards.", "docs": ["Best Picture Drama: “The Power of the Dog” Jane Campion’s first film in more than a decade, “The Power of the Dog,” took home the most prestigious award of the night. “Power of the Dog” won Best Picture Drama, Best Director Motion Picture (Jane Campion), and Best Supporting Actor — Motion Picture (Kodi Smit-McPhee).  The acclaimed Netflix drama was the most-nominated movie along with “Belfast,” with each film earning seven nominations. Campion became the third woman to win in this category at Golden Globes. Best Television Series — Musical or Comedy: “Hacks” HBO Max’s “Hacks” won the main Television (Musical or Comedy) category and Best Actress — Comedy/Musical for star Jean Smart at the 79th Golden Globes Awards. While other shows in this category were also strong contenders, such as Apple TV+’s “Ted Lasso,” “Hacks” proved to be a favorite in this category with its first season. “Hacks can laugh all the way to the bank with this one,” announced the official Golden Globes account via Twitter. “Congratulations on taking home the #GoldenGlobe for Best Musical/Comedy Series.” Best Television Series — Drama: “Succession” HBO’s “Succession” was the big winner at this year’s Golden Globes, scooping three major categories.", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "The 79th Golden Globe Awards honored the best in film and American television of 2021, as chosen by the Hollywood Foreign Press Association (HFPA). The ceremony took place privately on January 9, 2022.[1] The nominees were announced on December 13, 2021, by rapper Snoop Dogg and HFPA president Helen Hoehne.[1][2] For the first time since 2008, there was no traditional, televised ceremony. In support of boycotts of the HFPA by various media companies, actors, and other creatives over its lack of action to increase the membership diversity of the organization, the Golden Globes' regular broadcaster NBC declined to televise the 79th Golden Globe Awards. The HFPA ultimately chose to hold the presentation privately, with attendance limited to the organization's beneficiaries, and results announced via press release and highlighted on the Golden Globe Awards' social media pages. The films Belfast and The Power of the Dog were tied for the most nominations, at seven each. The latter tied with Steven Spielberg's West Side Story and HBO's drama Succession with the most awards of the night, with three each. These included the awards for Best Drama Film, Best Musical or Comedy Film and Best Drama Series, respectively.", "TAGGED AS: 79th Golden Globes Awards, Awards, Film, movies, television, TV The Hollywood Foreign Press Association announced the winners for the 79th Annual Golden Globe Awards tonight with The Power of the Dog named Best Motion Picture – Drama and West Side Story as Best Motion Picture – Musical or  Comedy. On the television side, Succession won Best Television Series – Drama, while Hacks won for Best Television Series – Musical or Comedy. After a year of controversy about diversity, payola, and improper behavior endemic to the organization that culminated in the Globes losing its NBC broadcast, tonight’s coverage and the subsequent congratulatory marketing from winners will be a good litmus test for if the beleaguered organization can rinse off some of the stink from a year of bad headlines and even more puzzling decisions. If you need a refresher on the ins and outs of what happened read our recap of how we got here. Over the last eight months, the HFPA has reformed its bylaws, implementing changes that address ethics and code of conduct, diversity, equity and inclusion, governance, and membership. The HFPA recently admitted their largest and most diverse class to date of 21 new members, all of whom are first-time Golden Globe voters.", "Though the jury is very much out on if HFPA can squeeze its way back into the good graces of Hollywood, after a fairly uneventful and mostly uncontroversial group of diverse winners, it is unlikely to hurt those efforts. Read on for the full list of winners from the 79th Golden Globes. 1. Best Motion Picture – Drama Belfast, Focus Features Coda, Apple TV+ Dune, Warner Bros. King Richard, Warner Bros. The Power of the Dog, Netflix – WINNER 2. Best Performance By An Actress In A Motion Picture – Drama Jessica Chastain, The Eyes Of Tammy Faye Olivia Colman, The Lost Daughter Nicole Kidman, Being The Ricardos – WINNER Lady Gaga, House Of Gucci Kristen Stewart, Spencer 3. Best Performance By An Actor In A Motion Picture – Drama Mahershala Ali, Swan Song Javier Bardem, Being The Ricardos Benedict Cumberbatch, The Power Of The Dog Will Smith, King Richard – WINNER Denzel Washington, The Tragedy Of Macbeth 4. Best Motion Picture – Musical Or Comedy Cyrano, MGM Don’t Look Up, Netflix Licorice Pizza, MGM Tick, Tick…Boom!, Netflix West Side Story, 20th Century Studios / Walt Disney Studios Motion Pictures – WINNER 5."], "noise_rate": 0.2, "factlabel": 0} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [1], "prediction": "According to the provided document, Georgia Tech softball 2022 season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat.", "docs": ["THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes.", "THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes.", "Wiley Ballard catches up with Coach Morales ahead of the Buzz Classic Storylines Series Notes 2022 SOFTBALL TICKETS Season tickets remain on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Season ticket members enjoy every game in the same seat for a discounted rate. 2022 single-game tickets for all home contests are also on sale and can be purchased HERE. Single-Game Pricing: Reserved Chairback: $5 Adult GA Bench: $3 Youth/Senior GA Bench: $2 Group (10+) GA Bench: $2 Standing room only tickets will be sold for $2 each if all other sections are sold out. Georgia Tech students and faculty/staff can receive free admission to regular season home games while seats remain available by showing a valid BuzzCard at the entrance. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes. Be a part of developing Georgia Tech’s Everyday Champions and helping the Yellow Jackets compete for championships at the highest levels of college athletics by supporting the Annual Athletic Scholarship Fund, which directly provides scholarships for Georgia Tech student-athletes.", "Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "THE FLATS – Georgia Tech softball 2023 season and single-game tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Season ticket members enjoy every game in the same seat for a discounted rate. Single-game tickets are also available as detailed below. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Single-Game Pricing: Reserved Chairback: $5 Adult GA Bench: $3 Youth/Senior GA Bench: $2 Group (10+) GA Bench: $2 Standing room only tickets will be sold for $2 each if all other sections are sold out. Georgia Tech students and faculty/staff can receive free admission to regular season home games while seats remain available by showing a valid BuzzCard at the entrance. Tech’s 56-game 2023 regular season schedule is highlighted by 33 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will also host three home tournaments, most notably the ACC/B1G Challenge, as well as a pair of SEC schools, including this season’s edition of Clean, Old-Fashioned Hate. The White and Gold are slated to face six ranked opponents throughout the year, hosting four of them for eight total games."], "noise_rate": 0.2, "factlabel": 0} +{"id": 10, "query": "When does the 2022 Olympic Winter Games end?", "ans": [["February 20", "Feb 20", "Feb. 20", "20 February", "20 Feb", "20 Feb."]], "label": [1], "prediction": "According to the provided document, the closing ceremony of the 2022 Winter Olympics was held on February 20, 2022.", "docs": ["By  Bill Chappell The Beijing Winter Olympics are set to open in February. Visitors recently watched a light show at the newly built ski jumping center in northern China's Hebei province. Noel Celis/AFP via Getty Images hide caption The Beijing Winter Olympics are set to open in February. Visitors recently watched a light show at the newly built ski jumping center in northern China's Hebei province. We're still in the final days of the Tokyo Summer Olympics — but thanks to the one-year delay of these Games, the Beijing 2022 Winter Olympics are now less than six months away. \"All venues and facilities for Beijing 2022 are close to complete,\" organizers said in a recent update. Those structures range from luge tracks and skating rinks to snowboard courses. The 12 ice and snow venues are scattered between Beijing and neighboring Hebei province, which includes a large mountain resort. Test events were held at those venues this year to fine-tune them for competition, organizers said. While many facilities are brand-new, some may look familiar: The famous \"Water Cube\" that hosted Olympic swimming in 2008, for instance, is now the \"Ice Cube,\" to host curling.", "The 2022 Winter Olympics (2022年冬季奥林匹克运动会), officially called the XXIV Olympic Winter Games (Chinese: 第二十四届冬季奥林匹克运动会; pinyin: Dì Èrshísì Jiè Dōngjì Àolínpǐkè Yùndònghuì) and commonly known as Beijing 2022 (北京2022), was an international winter multi-sport event held from 4 to 20 February 2022 in Beijing, China, and surrounding areas with competition in selected events beginning 2 February 2022.[1] It was the 24th edition of the Winter Olympic Games. Beijing was selected as host city in 2015 at the 128th IOC Session in Kuala Lumpur, Malaysia, marking its second time hosting the Olympics, and the last of three consecutive Olympics hosted in East Asia following the 2018 Winter Olympics in Pyeongchang County, South Korea, and the 2020 Summer Olympics in Tokyo, Japan. Having previously hosted the 2008 Summer Olympics, Beijing became the first city to have hosted both the Summer and Winter Olympics.", "Members of Team Denmark make their way into the Beijing National Stadium during the Beijing 2022 Winter Olympics Closing Ceremony on Day 16 of the Beijing 2022 Winter Olympics at Beijing National Stadium on February 20, 2022 in Beijing, China. Lintao Zhang/Getty Images hide caption Gold medallist Alexander Bolshunov of Team ROC, center, Silver medallist Ivan Yakimushkin of Team ROC, left, and Bronze medallist Simen Hegstad Krueger of Team Norway, right pose with their medals during the Men's Cross-Country Skiing 50km Mass Start Free medal ceremony during the Beijing 2022 Winter Olympics Closing Ceremony. Maja Hitij/Getty Images hide caption The Olympic Cauldron is seen as performers dance during the Beijing 2022 Winter Olympics Closing Ceremony on Day 16 of the Beijing 2022 Winter Olympics at Beijing National Stadium on February 20, 2022 in Beijing, China. Dean Mouhtaropoulos/Getty Images hide caption General view inside of the Beijing National Stadium as the Olympic Cauldron is seen during the Beijing 2022 Winter Olympics Closing Ceremony on Day 16 of the Beijing 2022 Winter Olympics at Beijing National Stadium on February 20, 2022 in Beijing, China. Dean Mouhtaropoulos/Getty Images hide caption", "The closing ceremony of the 2022 Winter Olympics was held at Beijing National Stadium on 20 February 2022; it included a cultural presentation, closing remarks, and the formal handover to Milan and Cortina d'Ampezzo as hosts of the 2026 Winter Olympics.[60] The 2022 Winter Olympics include a record 109 events over 15 disciplines in seven sports.[61] There are seven new medal events, including men's and women's big air freestyle, women's monobob, mixed team competitions in freestyle skiing aerials, ski jumping, and snowboard cross, and the mixed relay in short track speed skating.[62] Numbers in parentheses indicate the number of medal events contested in each discipline. In October 2016, the International Ski Federation (FIS) announced plans to begin permitting women's competitions in Nordic combined, to contest the discipline at the Olympic level for the first time in Beijing.[63] In November 2017, a further three events were put forward by the FIS for possible Olympic inclusion: a ski jumping mixed team competition and men's and women's big air in freestyle skiing.", "By  Jaclyn Diaz A firework display is seen during the closing ceremony on Day 16 of the Beijing 2022 Winter Olympics at Beijing National Stadium on Feb. 20, 2022. Catherine Ivill/Getty Images hide caption A firework display is seen during the closing ceremony on Day 16 of the Beijing 2022 Winter Olympics at Beijing National Stadium on Feb. 20, 2022. BEIJING — An Olympic Games beset by COVID-19 concerns, politics, and later tarnished by (another) Russian doping scandal is now over. After 16 days and 109 events, the 2022 Beijing Winter Olympics officially ended Sunday with the traditional closing ceremony. A small, but enthusiastic, group of spectators sat in the stands at Beijing's Bird's Nest stadium during the bitterly cold night in the host city. Some did the wave and cheerfully waved the Chinese flag while waiting for the night's festivities to start. Chinese President Xi Jinping sat next to International Olympic Committee President Thomas Bach in the stands, watching the ceremony unfold. Members of Team China wave flags as they walk in the athletes parade during the closing ceremony of the 2022 Beijing Olympic Games. Lintao Zhang/Getty Images hide caption The performances were limited, echoing the muted opening ceremony held earlier this month. Organizers emphasized snow and ice as the main theme."], "noise_rate": 0.2, "factlabel": 0} +{"id": 11, "query": "Who won the Spanish Super Cup 2022?", "ans": ["Real Madrid"], "label": [1], "prediction": "According to the provided document, Real Madrid won the Spanish Super Cup 2022, defeating Athletic Bilbao 2-0 with goals from Luka Modrić and Karim Benzema.", "docs": ["Real Madrid clinched their first title of the season with the club's twelfth Spanish Super Cup against Athletic in Riyadh. A solid Real Madrid side outclassed their opponents and added to their trophy haul courtesy of Modrić's 38th minute strike and Benzema's 52nd minute penalty. Courtois was at his best in the 86th minute to keep out Raúl García's penalty, after Militão had been dismissed. Real Madrid left Saudi Arabia with another trophy as Modrić was named man of the match in the final.\r  \r The first half was played at a high intensity without many big chances being created until Modrić's goal. The first chance came after 18 minutes when Benzema's shot from the edge of the area was saved by Unai Simón. Casemiro tried his luck nine minutes later, cutting in from the right and almost catching out the Athletic goalkeeper. The opening goal in the final soon followed and what a goal. Rodrygo lured in three defenders before slipping in Modrić who beat Unai Simón with a beautiful right-footed strike in the 38th minute. The Basque side looked to level things up in stoppage time when Sancet's shot went just over the bar. Video.0-2: Spanish Super Cup champions!", "^ \"Athletic Bilbao 0-2 Real Madrid: Luka Modric scores in Super Cup final win\". BBC Sport. 16 January 2022. Retrieved 16 January 2022. ^ Mctear, Euan ...", "Both coaches - Real Madrid’s Carlo Ancelotti and Barcelona’s Xavier Hernandez -  are expected to field full-strength sides with no injury concerns reported ahead of the final, which will be played in front of over 60,000 fans in attendance. It will also be the first Real Madrid vs Barcelona final in a knockout tournament in over five years. In the Spanish Super Cup 2021-22 final, Real Madrid defeated Athletic Bilbao 2-0 courtesy of goals from  Luka Modric and Karim Benzema. The Real Madrid vs Barcelona Spanish Super Cup 2022-23 final match will start at 12:30 AM IST (Indian Standard Time) on Monday. There is no live streaming or telecast of the Super Cup 2022-23 final in India.", "Forgot password? Subscribe to our newsletters LEAGUES CUP WOMEN'S WORLD CUP 2023 SAUDI PRO LEAGUE DAZN Enjoy live and on-demand online sports on DAZN. Activate your account NBA Pass League Now you can watch the entire NBA season or your favorite teams on streaming.", "The 2022 Supercopa de España final decided the winner of the 2021–22 Supercopa de España, the 38th edition of the annual Spanish football super cup competition. The match was played on 16 January 2022 at the King Fahd International Stadium in Riyadh, Saudi Arabia. The match was a clásico between 2020–21 Copa del Rey runners-up Athletic Bilbao and 2020–21 La Liga runners-up Real Madrid, the first time the clubs had met to directly compete for a trophy since the 1958 Copa del Generalísimo Final.[5] Real Madrid won the final 2–0 for their 12th Supercopa de España title.[6][7] Man of the Match: Luka Modrić (Real Madrid)[1] Assistant referees:[2] Raúl Cabañero Martínez (Murcia) José Gallego García (Murcia) Fourth official:[2] Isidro Díaz de Mera Escuderos (Castilla–La Mancha) Reserve assistant referee:[2] Pau Cebrián Devis (Valencia) Video assistant referee:[2] David Medié Jiménez (Catalonia) Assistant video assistant referee:[2] Javier Alberola Rojas (Castilla–La Mancha) Match rules"], "noise_rate": 0.2, "factlabel": 0} +{"id": 12, "query": "How much is Microsoft acquiring Activision Blizzard for?", "ans": [["$68.7 billion", "$68.7bn"]], "label": [0], "prediction": "", "docs": ["Checking Accounts Best Credit Cards for Small Business Best Small Business Loans Best Tax Software for Small Business SELECT All Taxes Best Tax Software Best Tax Software for Small Businesses Tax Refunds SELECT All Help for Low Credit Scores Best Credit Cards for Bad Credit Best Personal Loans for Bad Credit Best Debt Consolidation Loans for Bad Credit Personal Loans if You Don't Have Credit Best Credit Cards for Building Credit Personal Loans for 580 Credit Score or Lower Personal Loans for 670 Credit Score or Lower Best Mortgages for Bad Credit Best Hardship Loans How to Boost Your Credit Score SELECT All Investing Best IRA Accounts Best Roth IRA Accounts Best Investing Apps Best Free Stock Trading Platforms Best Robo-Advisors Index Funds Mutual Funds ETFs Bonds In this article Microsoft announced Tuesday it will buy video game giant Activision Blizzard in a $68.7 billion all-cash deal. The price means Microsoft will pay $95 per share for Activision. Activision's stock ended the day up more than 25%, closing at $82.31 per share on Tuesday. Microsoft's shares closed down more than 2%. This would be Microsoft's largest acquisition to date, followed by its purchase of LinkedIn in 2016 for $26.2 billion. Activision, which is known for popular games such as Call of Duty and Tony Hawk's Pro Skater, has been mired in controversy for the last several months after reports of sexual misconduct and harassment among the company's executives.", "and Google, and that Activision Blizzard lacked the computation expertise in machine learning and data analytics that would be necessary to compete with these companies. According to Kotick, this led to the idea of Microsoft, which does have those capabilities, acquiring Activision Blizzard at an attractive price point.[15] Spencer further had stated that Microsoft's intent with the acquisition is access to Activision's mobile games, which would include those by its King division such as Candy Crush Saga. He said that while there are 200 million game console users worldwide, the mobile market reaches over 3 billion people.[16] In a statement released on Activision Blizzard's investor website, the company said its industry is the \"most dynamic and exciting category of entertainment across all platforms\" and that gaming will be the forefront of the development of the emerging metaverse. Some journalists saw this acquisition, and Microsoft's March 2021 acquisition of Bethesda Softworks, as a bid to compete against Meta Platforms, formerly known as Facebook.[17][12][13] The announcement had come in the wake of events related to California Department of Fair Employment and Housing v. Activision Blizzard, a lawsuit raised in July 2021 accusing the company of sexual harassment, employment discrimination and retaliation on the part of Activision Blizzard.[18][19] Allegations had expanded by November 2021 to include actions that Activision Blizzard's CEO Bobby Kotick had done.", "January 18, 2022\t\t\t \t\t\t | Microsoft News Center REDMOND, Wash. and Santa Monica, Calif. – Jan. 18, 2022 – With three billion people actively playing games today, and fueled by a new generation steeped in the joys of interactive entertainment, gaming is now the largest and fastest-growing form of entertainment. Today, Microsoft Corp. (Nasdaq: MSFT) announced plans to acquire Activision Blizzard Inc. (Nasdaq: ATVI), a leader in game development and interactive entertainment content publisher. This acquisition will accelerate the growth in Microsoft’s gaming business across mobile, PC, console and cloud and will provide building blocks for the metaverse. Microsoft will acquire Activision Blizzard for $95.00 per share, in an all-cash transaction valued at $68.7 billion, inclusive of Activision Blizzard’s net cash. When the transaction closes, Microsoft will become the world’s third-largest gaming company by revenue, behind Tencent and Sony. The planned acquisition includes iconic franchises from the Activision, Blizzard and King studios like “Warcraft,” “Diablo,” “Overwatch,” “Call of Duty” and “Candy Crush,” in addition to global eSports activities through Major League Gaming. The company has studios around the world with nearly 10,000 employees.", "Tech giant Microsoft made headlines in early 2022 by announcing its intention to buy Activision Blizzard, one of the world’s most-valuable gaming companies, for $68.7bn (~£50.5bn). The news took the world by storm, and was quickly labelled one of the most influential deals in the history of gaming. Yet it’s July 2023, and the two companies are still separate due to a number of legal hurdles, lawsuits and inquiries from governments all around the world.  The merger may still go ahead, but no one truly knows if or when. The original deadline for the merger to complete was July 18th, however this has now been extended. We’ve compiled a recap to keep you abreast of the Activision Blizzard deal’s trials and tribulations. Due to the scale of the deal, regulators around the world fear that this acquisition may hurt competition and give Microsoft — which already owns Xbox — too much power in the gaming market. Fears have centred around the potential effect on market share in the console gaming market. Microsoft could, regulators argue, make Activision Blizzard’s games (including the ultra-successful Call of Duty franchise) exclusive to its consoles, thereby hurting competition with rivals Sony and Nintendo. Other concerns have been around the potential impact on market share in the growing cloud gaming market.", "Founded in 1993 by brothers Tom and David Gardner, The Motley Fool helps millions of people attain financial freedom through our website, podcasts, books, newspaper column, radio show, and premium investing services. Founded in 1993 by brothers Tom and David Gardner, The Motley Fool helps millions of people attain financial freedom through our website, podcasts, books, newspaper column, radio show, and premium investing services. You’re reading a free article with opinions that may differ from The Motley Fool’s Premium Investing Services. Become a Motley Fool member today to get instant access to our top analyst recommendations, in-depth research, investing resources, and more. Learn More It's been over a year since Microsoft (MSFT 0.71%) announced it would acquire Activision Blizzard (ATVI -0.01%) in an all-cash deal valued at $68.7 billion, yet the deal remains uncertain. Activision shares are trading about 24% below its acquisition price of $95 per share.  Here's a look at what happened since the deal was announced and whether Activision Blizzard is a buy. The market, fearing antitrust concerns, was skeptical that regulators would approve Microsoft's acquisition of Activision Blizzard from the beginning. Activision stock hasn't reached more than $82 per share over the past year and was as low as $71 per share."], "noise_rate": 0.2, "factlabel": 0} +{"id": 13, "query": "What is the price for a 30-second spot during the Super Bowl 2022?", "ans": ["$6.5 million"], "label": [1], "prediction": "According to the provided document, the price for a 30-second spot during the Super Bowl 2022 is $6.5 million.", "docs": ["Feb 2, 2023 ... These were the prices for a 30-second commercial in recent Super Bowl history (in reverse chronological order):. 2022: $6.5 million.", "The pandemic had a minor but noticeable effect as the cost of a 30-second spot in the 2021 Super Bowl was $5.5 million – down $100,000 from the pre-pandemic high of $5.6 million.  GET FOX BUSINESS ON THE GO BY CLICKING HERE YouTube announced that it will bring back the AdBlitz for the 16th year running, noting that 72% of fans rewatch at least some football commercials. AdBlitz already has several 2022 teaser ads to provide a taste of what will be the most expensive advertisement offering ever.  Quotes displayed in real-time or delayed by at least 15 minutes. Market data provided by Factset. Powered and implemented by FactSet Digital Solutions.  Legal Statement. This material may not be published, broadcast, rewritten, or redistributed. ©2023 FOX News Network, LLC. All rights reserved.", "Normally, fans don't pay too much attention to commercials during a sporting event. But, the one time of year that viewers actually want to see commercials is during the Super Bowl. Super Bowl 56 is no different. The Bengals will face the Rams for the game, and a rap performance featuring Dr. Dre, Snoop Dogg, Eminem, Mary J. Blige and Kendrick Lamar will take place during the halftime show. But, in between all of the action, there will be a long list of new, and possibly iconic, Super Bowl commercials. In order to get your company a spot during the Super Bowl commercials, you must pay a pretty penny. Here's what you need to know about how much Super Bowl commercials cost. MORE: The 25 best Super Bowl commercials of all time, ranked NBC, the home for Super Bowl 56, has not reported the official prices for each Super Bowl ad spot, but it was reported back in September by Dan Lovinger of NBC Sports Group that the spots were selling quickly and for an upwards of $6.5 million for a 30-second ad. This year's price is the most expensive Super Bowl ad price in NFL history. This price is about a 20 percent increase from the last time NBC hosted the Super Bowl in 2018. The last two Super Bowls, hosted by Fox (2020) and CBS (2021) only saw bids as high as $5.6 million.", "The ad portrays Pittsburgh’s Joe Greene in the locker room interacting with a young fan who offers him an ice cold bottle of Coke. Another admired ad presented Ridley Scott’s rendition of the popular dystopian George Orwell novel “1984” in an Apple commercial introducing the Macintosh for Super Bowl XVIII in 1984.  Super Bowl I, which took place in 1967, featured the Green Bay Packers and the Kansas City Chiefs. The event aired solely on two networks: NBC and CBS. At the time, NBC charged companies $75,000 for a 60-second spot and CBS charged $85,000. For a 30-second spot, the networks pressed $42,000.  These were the prices for a 30-second commercial in recent Super Bowl history (in reverse chronological order): 2022: $6.5 million 2021: $5.5 million 2020: $5.6 million 2019: $5.3 million 2018: $5.2 million 2017: $5 million 2016: $4.5 million 2015: $4.25 million And now, a snapshot of history: 2000: $2.1 million 1995: $1.", "A star-studded lineup of Super Bowl LVII commercials is set to hit our screens on Sunday. While millions of people will be tuning into the intense NFL action between the Kansas City Chiefs and Philadelphia Eagles, a large sum will be even more excited for the iconic commercials. The cost for a 30-second commercial during this year’s Super Bowl is reaching a record-high amount, with advertisers hoping their ad makes a bang for the viewers. Ahead of the game, let’s take a look at the costs of a Super Bowl commercial in 2023 and more history about the big game day ads: In 2023, a 30-second Super Bowl commercial costs a record-high average of $7 million, according to Forbes. In 2022, a 30-second commercial slot during the Super Bowl was $6.5 million, which was an increase from the $5.5 million asked for in 2021. Here were the prices in some recent previous years:  Connecting you to your favorite North Texas sports teams as well as sports news around the globe. There's a reason commercials during the Super Bowl have to refer to the event as the \"Big Game\" rather than \"Super Bowl LVII.\" The reason is that the term has been a registered NFL trademark since 1969, requiring commercials, radio hosts and other specific media personnel to pay to use the official name."], "noise_rate": 0.2, "factlabel": 0} +{"id": 14, "query": "When is the Sports Star of the Year Awards Show 2022?", "ans": [["May 26", "May 26", "May. 26", "26 May", "26 May", "26 May."]], "label": [1], "prediction": "According to the provided document, the 87th annual Seattle Sports Star of the Year Awards Show was held on May 26, 2022.", "docs": ["(SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) Check out some of the best players and moments from the 2023 season.", "(SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) Here is your 2023 Seahawks roster heading into training camp.", "It was much different when I was growing up than it is now.\"When I was in college, I had an eating disorder and it took me five years to tell someone. And that's five years of my life I wish I had back.\" Player of the Year awards were announced for all 28 high school sports during the show. Here is a rundown of the night's award recipients.", "The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show, where Tyler Lockett was named the 2022 Seattle Male Sports Star of the Year. Read more: https://shwks.com/xmzkct (Photos: Seattle Sports Commission/Alabastro Photography) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022.", "(SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022."], "noise_rate": 0.2, "factlabel": 0} +{"id": 15, "query": "Who are the recipients of the 2022 Ivan Allen Jr. Prize for Social Courage?", "ans": ["Lawrence Williams", "Ralph Long Jr.", "Ford Greene", "Ronald Yancey"], "label": [1, 1, 1, 1], "prediction": "The recipients of the 2022 Ivan Allen Jr. Prize for Social Courage are Ford Greene, Ralph Long Jr., Lawrence Williams, and Ronald Yancey.", "docs": ["Tehreem Hussain on February 4, 2022 in News The sculpture of the “Three Pioneers,” standing in the shadow of Tech Tower in Harrison Square is a poignant reminder of the Institute’s history with integration and race relations.  On Sep. 27, 1961, three black students attended classes at the Institute, making Tech the first higher education institution to integrate in the Deep South. Peaceful integration without a court order was unprecedented at the time; black students were often met with violence, and civil unrest ensued throughout college campuses across the South.  In recognition of their roles as trailblazers and pioneers, Tech’s first black students, Ford Greene, Ralph Long Jr. and late Lawrence Williams, along with the first black graduate, Ronald Yancey, have been named as the recipients of the 2022 Ivan Allen Jr. Prize for Social Courage.  The Ivan Allen Jr. Prize for Social Courage was established in 2010 in honor of beloved Tech alumnus and former Atlanta mayor, Ivan Allen Jr.  The award’s foundation is rooted in the rhetoric surrounding Tech’s core principle: bettering the human condition through progress and service. Much like Mayor Allen, recipients of the award have dedicated their lives to supporting a moral principle, despite risks to their careers and lives.", "In 1961, three Black students began classes at Georgia Tech and made history, making the Institute the first higher education entity to peacefully integrate in the Deep South without a court order. Civil unrest was rampant throughout college campuses across the South. In recognition of their roles as trailblazers, Tech’s first Black students — Lawrence Williams, Ralph Long Jr., and the late Ford Greene, along with the first Black graduate Ronald Yancey — were awarded the 2022 Ivan Allen Jr. Prize for Social Courage on April 20 at the Biltmore Ballroom in Atlanta. A symposium was led by 2020 Ivan Allen Jr. Prize recipient Charlayne Hunter-Gault where Long Jr., Williams, and Yancey discussed the integration of the Institute, the former students’ personal experiences, and the continued struggle for racial equity and inclusion at higher education institutes across the nation. During the panel session, the three former students recounted the racism they encountered — despite a facade of peaceful integration. Although their experiences left them feeling socially and intellectually isolated from most of the student body at the time, the pioneers expressed their hope that future generations of Black students at Tech feel at home on campus. “I’m so thankful for those who continue to matriculate here and carry on the tradition,” said Williams.  A video greeting from Atlanta Mayor Andre Dickens, a Georgia Tech chemical engineering graduate himself, was presented at the celebration.", "Peterson lauded Nunn for courage and commitment to his own moral compass, for standing up for his beliefs, and for enacting meaningful and sustainable solutions for making the world a better, and more peaceful place.[4] The Ivan Allen Jr. Prize for Social Courage was established in 2010 by the Georgia Institute of Technology. The international award honors individuals whose life and work embody the moral courage personified by former Atlanta Mayor Ivan Allen Jr.[14] The Prize underscores the Institute’s mission to improve the human condition by recognizing those around the globe who, like Mayor Allen, have risked everything to stand up for moral principle and have made a positive difference in the world.[15] The Prize is funded in perpetuity by a grant from the Wilbur and Hilda Glenn Family Foundation.[14] The prize's forerunner was the Ivan Allen Jr. Prize for Progress and Service, which was awarded annually from 2001–2010 by the Georgia Tech.[14] The nominating committee is responsible for assessing candidates who meet the requirements of the prize, demonstrating social courage in adverse circumstances. Each year after deliberation, the committee submits a nominee to the president of the Georgia Institute of Technology, who makes the final selection. Joseph R. Bankoff, Chair, President & CEO, Woodruff Arts Center; Susan E. Eisenhower, Chairman Emeritus, The Eisenhower Institute, United States Department of Energy, Blue Ribbon Commission on America's Nuclear Future; Dr.", "Ford Greene, Ralph Long Jr., and Lawrence Williams, Georgia Tech’s first Black students, and Ronald Yancey, Tech’s first Black graduate, will receive the 2022 Ivan Allen Jr. Prize for Social Courage. The likenesses of the four men are permanently enshrined in campus sculptures, but now, decades after breaking the color barrier at Georgia Tech, they will join the ranks of past awardees that include Jimmy and Rosalynn Carter, John Lewis, Andrew Young, and other pathbreaking leaders. “The Ivan Allen Jr. Prize recognizes exemplary, courageous leaders — those who, like Mayor Allen, take on personal risks in an effort to improve the lives of others,” said Georgia Tech President Ángel Cabrera. “With great determination, Ford Greene, Ralph Long Jr., Lawrence Williams, and Ronald Yancey withstood hazards and adversity of every kind to prove to the world that Black students had the right to study at Georgia Tech, paving the way for the thousands of Black Yellow Jackets who have earned their degrees here since.” Greene, Long, and Williams, dubbed the “three pioneers” in the Harrison Square sculpture that depicts them on their first day at Tech, began classes in the fall of 1961. And, although their arrival didn’t elicit violence as it had at other southern universities, it was not easy.", "January 21, 2022 Ford Greene, Ralph Long Jr., and Lawrence Williams, Georgia Tech’s first Black students, and Ronald Yancey, Tech’s first Black graduate, will receive the 2022 Ivan Allen Jr. Prize for Social Courage. The Ivan Allen Jr. Prize for Social Courage was established in 2010 to honor Tech alumnus and former Atlanta Mayor Ivan Allen Jr. Funded in perpetuity by a grant from the Wilbur and Hilda Glenn Family Foundation, the prize includes a $100,000 stipend for recipients. The inaugural prize was awarded in March 2011. It recognizes exemplary, courageous leaders — those who, like Mayor Allen, take on personal risks in an effort to improve the lives of others,” said Georgia Tech President Ángel Cabrera. “With great determination, Ford Greene, Ralph Long Jr., Lawrence Williams, and Ronald Yancey withstood hazards and adversity of every kind to prove to the world that Black students had the right to study at Georgia Tech, paving the way for the thousands of Black Yellow Jackets who have earned their degrees here since.” Greene, Long, and Williams, dubbed the “three pioneers” in the Harrison Square sculpture that depicts them on their first day at Tech, began classes in the fall of 1961. And, although their arrival didn’t elicit violence as it had at other southern universities, it was not easy."], "noise_rate": 0.2, "factlabel": 0} +{"id": 16, "query": "What is the codename for Google's AR headset project?", "ans": ["Project Iris"], "label": [1], "prediction": "According to the documents, the codename for Google's AR headset project is \"Project Iris\".", "docs": ["Google has had its eye on the augmented reality (AR) space for a very long time. Its first effort, Google Glass, flopped. The execution wasn’t exactly ideal, giving rise to the “Glassholes” epithet, but perhaps its second try — Project Iris — will be better. Project Iris is the codename for Google’s latest foray into AR, according to a report from The Verge. Its existence isn’t a complete surprise. The search giant acquired North, a company specialising in smart glasses, in 2020. A new version of its smart headwear was always a possibility. The report cites two people “familiar with the project”, and claims that the target launch date for these glasses is 2024. There are no visuals accompanying this information, so we’ll have to use our imagination a little. While Google Glass looked like a Saiyan scouter designed by someone who can see Table Mountain from their office, these will be more like ski goggles in terms of design. Which might not be a bad thing. The additional screen space will allow for more information to be displayed at a time. Google Glass only had a very small screen over one eye. The proposed new design will carry loads more data, enhancing the AR headset’s potential functionality. But, the report says, Project Iris is still a secret one.", "Project Iris headset is the next big thing from Google with Augmented Reality (AR) to compete with; Metaverse and upcoming tech from Microsoft and Apple. Previously, the tech giant was in the plan to bring the DayDream VR headsets as well as Google Glasses. Now, the boom of Augmented Reality might have changed the direction of the company to concentrate on the AR world making them join the league after Facebook, Microsoft, and Apple. The codename of these new AR headsets is Project Iris and Google may use a similar type of outer camera technology. The outward cameras on the headsets will blend computer graphics with a feed of the real world. The headset from Google will work wirelessly and doesn’t require any tethered connection as per the reports. Moreover, Project Iris will feature the Silicon technology chipset from the last year’s announced Pixel 6 smartphone. This Augmented Reality headset from Google looks like a pair of “ski goggles” with cameras on them which doesn’t require external power. Furthermore, the specific chipset used on the headsets is the GS101 chipset; however, the graphic-intensive visuals are sourced from a different point. This means the headset requires an active internet connection; that receives the data from the data centers that remotely render graphics. Also Read: 9 Best PS5 Headsets For Amazing Gaming Experience As we have mentioned above the design of the prototype looks like the Ski Goggles; Google has revealed the team working behind the project.", "Project Iris is the codename for an unreleased augmented reality (AR) headset designed and developed by Google. Intended to resemble ordinary eyeglasses and for a 2024 release, it was canceled in early 2023. Following the highly publicized failure of Google Glass smartglasses in 2013, Google executives were initially disinclined to re-enter the field of wearable AR technology. However, by 2021, work had begun on a new AR headset, later reported to be codenamed Project Iris. After going through numerous iterations, Google unveiled a version of Iris at the 2022 Google I/O keynote before publicly testing prototype models later that year. The following year, Google was reported to have abandoned the project in the midst of company-wide layoffs and internal turmoil. Google first experimented with the prospect of smartglasses with the introduction of Google Glass in 2013.[1] The product was panned by critics due to privacy and ethical concerns,[2] leading Google to discontinue the consumer-facing model and focus on the enterprise model.", "12] In January 2022, The Verge reported that Google was building an AR headset which used \"outward-facing cameras to blend computer graphics with a video feed of the real world\", internally codenamed Project Iris and being developed in a highly secretive and secure facility located in the San Francisco Bay Area. Overseen by Bavor, the headset was to be powered by the Android operating system as well as a custom system on a chip akin to Tensor, expected to launch in 2024 alongside Project Starline. Other key people named as part of the project include Shahram Izadi, Eddie Chung, Scott Huffman, Kurt Akeley, and Lucovsky.[13] An early prototype of the headset bore a close resemblance to the North Focals.[14] In March, The Information reported that Google would acquire Raxium, an AR hardware startup, for approximately $1 billion, and would continue to make further acquisitions to assist in their AR and mixed reality (MR) work.[15] The acquisition was completed a month later.[16] In May 2022, Google unveiled a different version of Iris resembling eyeglasses with live translation capabilities during the 2022 Google I/O keynote.[14][17][18] The company began publicly testing these prototypes across the U.S. in August,[19] before expanding into Canada in October.[20] According to Business Insider, Google executives' constantly changing strategy for Project Iris frustrated employees.", "3][4] In May 2019, Google VR/AR head Clay Bavor told CNET that the company was heavily invested in R&D regarding AR devices,[5] while a February 2020 report from The Information revealed that Google had no plans to develop a new pair of augmented reality (AR) smartglasses as of mid-2019, in part due to the highly publicized failure of Glass.[6] In June 2020, Google acquired North, a manufacturer of smartglasses, to assist in its hardware division's vision of ambient computing.[7] In August 2021, following the announcement that the Pixel 6 and Pixel 6 Pro smartphones would feature the custom-developed Tensor system-on-chip (SoC), Google hardware chief Rick Osterloh told Business Insider that he believed that Tensor had long-term potential for AR-powered smartglasses,[8] and was echoed by CEO Sundar Pichai in October.[9] In November, a \"Google Labs\" division led by Bavor was created to oversee Google's AR and virtual reality (VR) ventures, unrelated to the defunct service of the same name,[10] while development on an AR operating system began the next month for an unknown \"innovative AR device\", an effort spearheaded by Mark Lucovsky.[11] Meanwhile, The New York Times reported that Google was working on a \"new iteration\" of smartglasses as a result of its acquisition of North."], "noise_rate": 0.2, "factlabel": 0} +{"id": 17, "query": "What is the name of Meta's AI supercomputer?", "ans": [["RSC", "the AI Research SuperCluster"]], "label": [1], "prediction": "According to the document, the name of Meta's AI supercomputer is the Research SuperCluster (RSC).", "docs": ["But Meta stressed that the MTIA, which it continues to refine, “greatly” increases the company’s efficiency in terms of performance per watt when running recommendation workloads — in turn allowing Meta to run “more enhanced” and “cutting-edge” (ostensibly) AI workloads. Perhaps one day, Meta will relegate the bulk of its AI workloads to banks of MTIAs. But for now, the social network’s relying on the GPUs in its research-focused supercomputer, the Research SuperCluster (RSC). First unveiled in January 2022, the RSC — assembled in partnership with Penguin Computing, Nvidia and Pure Storage — has completed its second-phase buildout. Meta says that it now contains a total of 2,000 Nvidia DGX A100 systems sporting 16,000 Nvidia A100 GPUs. So why build an in-house supercomputer? Well, for one, there’s peer pressure. Several years ago, Microsoft made a big to-do about its AI supercomputer built in partnership with OpenAI, and more recently said that it would team up with Nvidia to build a new AI supercomputer in the Azure cloud. Elsewhere, Google’s been touting its own AI-focused supercomputer, which has 26,000 Nvidia H100 GPUs — putting it ahead of Meta’s. Meta’s supercomputer for AI research. Image Credits: Meta Meta’s supercomputer for AI research.", "To enjoy additional benefits CONNECT WITH US February 23, 2022 10:30 am | Updated 10:30 am IST COMMents SHARE READ LATER This picture shows the BullSequana XH3000, a next generation hybrid exascale-class supercomputer created by French information technology service and consulting company Atos, taken in Paris, on February 16, 2022 . | Photo Credit: AFP The story so far: Facebook-parent Meta announced in January last week that it is building an AI supercomputer, the AI Research SuperCluster (RSC). The company said that this will be the fastest supercomputer in the world once fully built by mid-2022. The device is said to accelerate AI research and help in building the metaverse, the next major computing platform. A supercomputer can perform high-level processing at a faster rate when compared to a normal computer. Supercomputers are made up of hundreds or thousands of powerful machines which use better artificial intelligence (AI) models to improve operations that process huge amounts of data in less time than normal computers. They work together to perform complex operations that are not possible with normal computing systems, Sanjay Gupta, Vice President, and India Managing Director, NXP India, a global semiconductor company said to The Hindu. Supercomputers require high-speed and specialised chip architectures.", "Meta pulled the plug on a large-scale rollout of the custom chip, which was planned for 2022, and instead placed orders for billions of dollars’ worth of Nvidia GPUs that required major redesigns of several of its data centers. In an effort to turn things around, Meta made plans to start developing a more ambitious in-house chip, due out in 2025, capable of both training AI models and running them. And that was the main topic of today’s presentation. Meta calls the new chip the Meta Training and Inference Accelerator, or MTIA for short, and describes it as a part of a “family” of chips for accelerating AI training and inferencing workloads. (“Inferencing” refers to running a trained model.) The MTIA is an ASIC, a kind of chip that combines different circuits on one board, allowing it to be programmed to carry out one or many tasks in parallel. An AI chip Meta custom-designed for AI workloads. Image Credits: Meta An AI chip Meta custom-designed for AI workloads. Image Credits: Meta “To gain better levels of efficiency and performance across our important workloads, we needed a tailored solution that’s co-designed with the model, software stack and the system hardware,” Bjorlin continued. “This provides a better experience for our users across a variety of services.” Custom AI chips are increasingly the name of the game among the Big Tech players.", "By James Vincent, a senior reporter who has covered AI, robotics, and more for eight years at The Verge. Social media conglomerate Meta is the latest tech company to build an “AI supercomputer” — a high-speed computer designed specifically to train machine learning systems. The company says its new AI Research SuperCluster, or RSC, is already among the fastest machines of its type and, when complete in mid-2022, will be the world’s fastest. “Meta has developed what we believe is the world’s fastest AI supercomputer,” said Meta CEO Mark Zuckerberg in a statement. “We’re calling it RSC for AI Research SuperCluster and it’ll be complete later this year.” The news demonstrates the absolute centrality of AI research to companies like Meta. Rivals like Microsoft and Nvidia have already announced their own “AI supercomputers,” which are slightly different from what we think of as regular supercomputers. RSC will be used to train a range of systems across Meta’s businesses: from content moderation algorithms used to detect hate speech on Facebook and Instagram to augmented reality features that will one day be available in the company’s future AR hardware. And, yes, Meta says RSC will be used to design experiences for the metaverse — the company’s insistent branding for an interconnected series of virtual spaces, from offices to online arenas.", "Meta Unveils AI Supercomputer for the Metaverse \t\t\t\t\tThis item in \t\t\t\t\t \t\t\t\t\t\tjapanese \t\t\t\t\t Feb 01, 2022 \t\t\t\t\t\t\t\t \t\t\t\t\t\t\t\t \t\t\t\t\t\t\t\t \t\t\t\t\t\t\t\t\t \t\t\t\t\t\t\t\t\t2 \t\t\t\t\t\t\t\t\tmin read \t\t\t\t\t\t\t\t \t\t\t\t\t\t\t by Daniel Dominguez Meta has unveiled its AI Research SuperCluster (RSC) supercomputer, aimed at accelerating AI research and helping the company build the metaverse. The RSC will help the company build new and better AI models, working across hundreds of different languages, and to develop new augmented reality tools. Developing the next generation of advanced AI will require powerful new computers capable of quintillions of operations per second. Meta’s researchers have already started using RSC to train large models in natural-language processing (NLP) and computer vision for research, with the aim of one day training models with trillions of parameters across Meta’s businesses, from content-moderation algorithms used to detect hate speech on Facebook and Instagram, to augmented-reality features that will one day be available in the metaverse. RSC can train models that use multimodal signals to determine whether an action, sound or image is harmful or benign. Meta claims this will not only help keep people safe on Meta’s services today, but also in the metaverse."], "noise_rate": 0.2, "factlabel": 0} +{"id": 18, "query": "When will American students start taking digital SAT exams?", "ans": ["2024"], "label": [1], "prediction": "According to the document, American students will begin taking the digital SAT in Spring 2024.", "docs": ["So when is the SAT going digital for international students? The international SAT will go digital first in Spring 2023. To help you prepare, here’s a breakdown of the 2023-2024 SAT exam dates for International students:      But when will the SAT go digital for US students? US students will begin taking the digital SAT in Spring 2024. Here are the 2023-2024 SAT dates for US students:   *These are anticipated SAT dates and deadlines and have not yet been officially confirmed by the College Board. This article will be updated as official dates are confirmed by the College Board.    At this point, the College Board has not announced anticipated or official SAT exam dates beyond June 2023 for International students. This article will be updated as new exam dates are announced by the College Board.      For now, you still have the option to choose between the traditional and digital SAT. Here are a few things to consider before making your decision.    Still wondering, “When is the SAT going digital? Which version should I take?” There’s good news! We’ll walk you through three factors to consider before choosing an SAT date and format below.    For international students planning to take the SAT in Spring 2023 or later, there’s only one option: the new digital version.", "Elissa Nadworny The SAT, a college admissions exam long associated with paper and pencil, will soon go all-digital. Starting in 2023 for international students and in 2024 in the U.S., the new digital SAT will shrink from three hours to two, include shorter reading passages and allow students to use a calculator on the math section. Testing will still take place at a test center or at a school, but students will be able to choose between using their own devices — including a tablet or a laptop — or the schools' devices. \"The digital SAT will be easier to take, easier to give, and more relevant,\" said Priscilla Rodriguez of the College Board, the organization behind the test. \"With input from educators and students, we are adapting to ensure we continue to meet their evolving needs.\" The College Board previously scrapped plans to offer an at-home digital test because of concern about students being able to access three hours of uninterrupted internet and power. Student broadband access has been a constant struggle throughout the pandemic, especially in rural and low-income areas. The new SAT will be designed to autosave, so students won't lose work or time while they reconnect. All this comes as the relevance of the SAT and ACT, another college entrance exam, is being called into question in the college admissions process. More than 1,800 U.S.", "The SAT continues to play a vital role in a holistic admissions process. When viewed within the context of where a student lives and learns, test scores can confirm a student’s grades or demonstrate their strengths beyond what their high school grades may show. When nearly every college went test optional during the pandemic, millions of students still took the SAT. That trend has continued with the high school class of 2022. Most students want to take the SAT, find out how they did, and then decide whether they want to submit their scores to colleges. When surveyed, 83% of students said they want the option to submit test scores to colleges. This finding remains consistent whether or not students have taken the SAT and across race/ethnicity and parents’ level of education.   Read more Homeschooled students will still test at test centers as they do now, through our large network of weekend test centers.   Read more Yes, students will be provided scratch paper and can bring a pen or pencil.   Read more We will share more information this summer when test specifications are available. This will include information about: Also this summer, we will share sample questions so students can start to get an idea of how content will look different from that on the paper and pencil exam.   Read more All educator guidance resources and materials for the digital SAT Suite will be digital. Administration manuals and information will be included in Test Day Toolkit for test center staff to access.", "The PSAT/NMSQT and PSAT 8/9 are being offered digitally in fall 2023 so that students who will be taking the SAT as juniors in the spring of 2024 have an opportunity to familiarize themselves with the digital testing experience before taking the digital SAT. Learn more about when the digital SAT will launch here.   Read more SAT School Day will be administered digitally starting in the spring of 2024. Today, 60% of all students who take the SAT take it for free in their school during the school day. Independent research shows that universal school day testing leads to higher college-going rates for low-income and rural students. Some schools already administer the current version of the SAT digitally for SAT School Day. All schools will start administering the new digital SAT in spring 2024.  Going digital means that schools, districts, and states will have more flexibility for where, when, and how often they administer the SAT.   Read more The digital SAT will be shorter than the current paper and pencil test—around two hours instead of three. It will include two sections (Reading and Writing, Math) with a break in between. Further, the overall test day experience will be shorter since most preadministration activities, such as downloading the exam application and completing the student questionnaire, will happen in advance of test day. Also, testing staff won’t need to spend time handing out, collecting, or sorting test materials.", "The PSAT test will change to a digital format beginning in the fall of 2023. Schools and testing centers in the U.S. will offer the first digital SAT test in the spring of 2024. Whether these changes apply to you varies depending on your grade level. Below we provide more specific guidelines for each group of current high school students. For U.S. students, these changes will only affect Class of 2024 high school students who decide to take the test during the spring of their 12th grade year. As mentioned above, College Board will offer the first digital SAT test in the U.S. during the spring of 2024. These students will experience both paper and digital tests. This past fall (fall of 2022), 10th graders in the Class of 2025 took a paper PSAT test. In 11th grade, they will take the digital PSAT test. It’s important to note here that College Board has indicated that instead of a handful of in-school test dates for the PSAT digital test in the fall of 2023, schools may decide on a test date any time during the month of October. Check with your high school counselor to know exactly which day you can expect to take the test. For SAT tests taken through December of the 11th grade, these students will take the paper version. Starting in spring of 11th grade, they will take the new digital SAT® test."], "noise_rate": 0.2, "factlabel": 0} +{"id": 19, "query": "When do the Paralympic Winter Games 2022 start?", "ans": [["March 4", "Mar 4", "Mar. 4", "4 March", "4 Mar", "4 Mar."]], "label": [1], "prediction": "According to the provided document, the Paralympic Winter Games 2022 start on Friday, March 4, 2022.", "docs": ["Photo taken with a mobile phone shows street decorations for the Beijing 2022 Olympic and Paralympic Winter Games in Beijing, capital of China, Jan. 20, 2022. With one week to go before the opening of the 2022 Olympic Winter Games, Beijing will become the first city to host both summer and winter editions of the Olympic Games. (Photo by Chu Jiayin/Xinhua via Getty Images) Xinhua News Agency via Getty Ima The 2022 Paralympic Winter Games begin on Friday, March 4 through Sunday, March 13 in Beijing, China featuring roughly 564 athletes competing across a total of 78 medal events (39 for men, 35 for women, and 4 mixed events). See below for all of the answers to your frequently asked questions surrounding the 2022 Paralympic Winter Games. RELATED: 2022 Paralympic Winter Games - Day-by-day viewing guide to the Beijing Winter Paralympics The 2022 Paralympic Winter Games begin on Friday, March 4, and end on Sunday, March 13 in Beijing, China. RELATED: Team USA medal count at 2022 Paralympic Winter Games - Full list of every medal won by the United States The Paralympics are the parallel Games to the Olympics.", "The Beijing-Zhangjiakou high-speed railway, completed in 2019, cut travel time from Beijing to Yanqing to 20 minutes, and from Beijing to Zhangjiakou to 50 minutes. The addition of seven new events - women’s monobob, freestyle skiing big air (men’s and women’s), and mixed team events in short track speed skating team relay, ski jumping, freestyle skiing aerials and snowboard cross - to Beijing 2022’s sports programme brought about the most gender-balanced Olympic Winter Games to date, with more female athletes (45.44 percent) and women's events than at any previous Games. The Olympic Winter Games Beijing 2022 took place in February 2022, coinciding with the Chinese New Year (Spring Festival), the most important holiday in China. Local residents welcomed athletes from around the globe, encouraging them to enjoy the Chinese New Year festivities, the majestic landscape and the rich cultures of Beijing, Yanqing, and Zhangjiakou. See the list of teams and medals won by each.", "What may be the biggest Paralympic Winter Games in history is coming our way in March 2022. Get up to speed on when they're happening, what sports are being contested and more. The 2022 Winter Paralympics begin on March 4, 2022, and will be shown on NBC, Peacock, USA Network, Olympic Channel, NBCOlympics.com and the NBC Sports app. The 2022 Paralympic Winter Games will take place from Friday, March 4 - Sunday, March 13. The 2022 Winter Paralympics will feature a maximum of 736 Paralympians across 78 medal events. In addition to having 39 medal events for men, 35 events for women and 4 mixed events, there will be a maximum of 222 slots available for women. Paralympians will compete across six different Paralympic sports at the 2022 Winter Paralympics --  Alpine Skiing, Biathlon, Cross-Country Skiing, Sled Hockey, Snowboarding and Wheelchair Curling. Five events are on the Alpine Skiing program (Downhill, Super-G, Super Combined, Giant Slalom, Slalom) across three competition categories (standing, sitting and vision-impaired). Athletes combine speed and agility while racing down slopes at speeds of around 100km/h.", "Feb 20, 2022 ... The 2022 Winter Paralympics begin on March 4, 2022, and will be shown on NBC, Peacock, USA Network, Olympic Channel, NBCOlympics.com and the ...", "As part of a formal agreement between the International Paralympic Committee and the International Olympic Committee first established in 2001,[6] the winner of the bid for the 2022 Winter Olympics was also to host the 2022 Winter Paralympics.[7] Beijing was selected as the host city of the 2022 Winter Olympics after beating Almaty by four votes on 31 July 2015 at the 128th IOC Session in Kuala Lumpur, Malaysia.[7] The opening ceremony was held on 4 March 2022 at the Beijing National Stadium; it was directed by Zhang Yimou, with the theme \"Blossoming of Life\".[8][9] During his opening remarks, IPC president Andrew Parsons condemned the Russian invasion of Ukraine and the circumvention of the Olympic Truce by Russia, emphasising that Paralympic athletes compete with, and not \"against\", each other, and that \"the 21st century is a time for dialogue and diplomacy, not war and hate\".[9] The final torchbearer was four-time Chinese para-athletics gold medalist Li Duan, who mounted the torch at the centre of a large snowflake sculpture.[9] The closing ceremony was held on 13 March 2022.[10] The ceremony closed after nine days of competition and 78 events at the Beijing National Stadium in Beijing, China.[11]"], "noise_rate": 0.2, "factlabel": 0} +{"id": 20, "query": "Super Bowl 2022 date", "ans": [["February 13", "Feb 13", "Feb. 13", "13 February", "13 Feb", "13 Feb."]], "label": [1], "prediction": "According to the provided document, the date of the 2022 Super Bowl is Sunday, February 13, 2022.", "docs": ["MORE SUPER BOWL: Halftime show | Ticket prices | Commercials The Super Bowl will take place on Sunday, Feb. 13, 2022. It marks the first time since 2003 that the Super Bowl has not been held on the first Sunday in February. Because of the NFL's expanded, 17-game, 18-week schedule, it will be held on the second Sunday in February. This is the latest that a Super Bowl has ever been held. Super Bowls 44, 50 and 55 all were held on Feb. 7, which was previously the record for the latest Super Bowl. Under the NFL's new format, the latest date on which a Super Bowl can occur is Feb. 14. NBC is set to broadcast the Super Bowl. Al Michael, Cris Collinsworth and the rest of the \"Sunday Night Football\" crew will presumably broadcast the event. NBC's last Super Bowl broadcast came in 2019, when Tom Brady's Patriots beat Jared Goff's Rams 13-3. SoFi Stadium — the home of the Rams and the Chargers — will host the Super Bowl in 2022. Originally, the new stadium, which opened in 2020, was scheduled to host the Super Bowl in 2021. However, weather-related construction delays caused the league to move the 2021 Super Bowl to Raymond James Stadium in Tampa Bay, Fla. and the 2022 Super Bowl to Los Angeles.", "The Super Bowl will be the first big event scheduled for SoFi Stadium, with both the College Football Playoff Championship and WrestleMania 39 scheduled to take place there in 2023. The Chargers and Rams both began playing there in 2020, though fans weren't allowed at either of their home games as a result of the COVID-19 pandemic. SoFi Stadium seats 70,240 people normally, but it can be expanded greatly for major events, including the Super Bowl, to seat up to 100,240. The stadium was originally expected to cost $2.5 billion to build, but because of the construction delays, it cost $5.5 billion, making it the most expensive stadium ever built .   The Rams will be the favorites for Super Bowl 56. They are technically the visitors at their home stadium — SoFi Stadium — but bookmakers evidently expect their defensive line to get pressure on Joe Burrow, who was the most sacked quarterback in the NFL during the 2021 NFL season. The NFL had previously announced that State Farm Stadium in Glendale, Ari. — home of the Cardinals — would host the 2023 Super Bowl and the Caesar's Superdome — home of the Saints — would host the 2025 Super Bowl, but the league hadn't confirmed a host city for the 2024 event. Why?", "What is the date and location of the 2022 Super Bowl, who will broadcast the game, what is the halftime show, and who are favorites to win? What is the location and date for the Super Bowl in 2022? After Super Bowl LV was held in Tampa Bay, where will the NFL’s flagship event be played in 2022, where will it be broadcast, who is performing the halftime show, and which teams are the favorite to square off? For years, the Super Bowl commences on the first Sunday in February. Yet, because money speaks louder than Stephen A. Smith with a microphone, the NFL expanded their season to 17 games. This pushes the league’s premier product to February 13, the latest in the game’s history. SoFi Stadium gets the nod to host the Super Bowl in 2022. SoFi sits in Inglewood, California, with a capacity of 70,000. However, it’s expandable to slightly over 100,000 for large events, such as a Super Bowl. It was supposed to host Super Bowl LV, but construction delays derailed that plan. Although Los Angeles originally won one of the bids from the cluster made available of LIII, LIV, and LV, they couldn’t host in 2021. The three Super Bowl hosts were chosen from a four-candidate pool. However, with the delay, all four locations got a spot.", "These tried-and-true Amazon fashion essentials are editor-approved and under $40 Sections Shows More Follow today More Brands Super Bowl 56 is shaping up to be a highly anticipated match-up between the LA Rams and the Cincinnati Bengals. While the big game itself is bound to be exciting, folks are also looking forward to the halftime show, the commercials and all of the inevitably delicious snacks and apps they'll consume while watching. With all of the excitement around football's biggest Sunday of the year, fans might still be wondering: When is the Super Bowl? This Sunday, Feb. 13, The Rams and Bengals will both be vying for the spot of Super Bowl champ — and you can catch all of the action live on NBC and the premium service Peacock. The Super Bowl will be packed with star-studded performances and a game that NFL fans won’t want to miss — maybe even in the setting of a safe gathering with friends and family. The 2022 Super Bowl is on Feb. 13, 2022, at SoFi Stadium, home of the Chargers and Rams, in Los Angeles. Related: Check out the best Super Bowl commercials so far The NBC Super Bowl broadcast starts at 6:00 P.M. ET, with a kickoff time set for 6:30. You can watch the Super Bowl live on NBC, or stream it from Peacock or on the NBC Sports App. (A cable login will be required for NBC Sports.", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII."], "noise_rate": 0.2, "factlabel": 0} +{"id": 21, "query": "Who won the 2022 Nobel Prize for chemistry?", "ans": ["Carolyn R. Bertozzi", "Morten Meldal", "K. Barry Sharpless"], "label": [1, 1, 1], "prediction": "According to the provided documents, the winner of the 2022 Nobel Prize for chemistry is Carolyn R. Bertozzi, Morten Meldal, and K. Barry Sharpless, who were honored for their development of click chemistry and bioorthogonal chemistry.", "docs": ["A 1986 DNA model used by Aziz Sancar, who was awarded the 2015 Nobel Prize in Chemistry. © Nobel Media. Photo: Alexander Mahmoud “The said interest shall be divided into five equal parts, which shall be apportioned as follows: /- – -/ one part to the person who shall have made the most important chemical discovery or improvement…”  (Excerpt from the will of Alfred Nobel.) Chemistry was the most important science for Alfred Nobel’s own work. The development of his inventions as well as the industrial processes he employed were based upon chemical knowledge. Chemistry was the second prize area that Nobel mentioned in his will. The Nobel Prize in Chemistry is awarded by the Royal Swedish Academy of Sciences, Stockholm, Sweden. See all chemistry laureates or learn about the nomination process. More facts and figures © Johan Jarnestad/The Royal Swedish Academy of Sciences Ill. Niklas Elmehed © Nobel Prize Outreach The Nobel Prize medal. © Nobel Prize Outreach. Photo: Clément Morin. See the full list of prizes and laureates Model depicting a molecule that chemistry laureate Akira Suzuki successfully created by artificial means. Photo: Nobel Prize Museum The Nobel Prize in Chemistry: The development of modern chemistry Nobel Prizes in organic chemistry 1901-2010 The role of science and technology in future design", "The Nobel Prize is a prestigious award that recognizes research at the forefront of human innovation. Moreover, the Nobel Prize in Chemistry celebrates the breakthroughs that advance the discipline in important ways. This year, the Nobel Prize in Chemistry was awarded to Carolyn R. Bertozzi, Morten Meldal, and K. Barry Sharpless. They received this accolade “for the development of click chemistry and bioorthogonal chemistry”. Their research is particularly important for the simplification and removal of waste during chemical reactions. The announcement of Nobel Prize winners is a cause for celebration, but also reflection. So, let’s explore the discoveries that the award has highlighted this year, and in the past. Carolyn R. Bertozzi, K. Barry Sharpless, and Morten Meldal are researchers in the field of click chemistry. Joining a list of only seven other women awarded the Nobel Prize in Chemistry, Carolyn Bertozzi made great leaps in applying click chemistry to study “human and animal physiology in new ways”. Her work relates more specifically to adapting click chemistry and bioorthogonal reactions without interfering with the normal functioning of cells. With this development, we can now study cells and biological processes in greater detail. Professor Meldal and Barry Sharpless, on the other hand, are the original developers of the click chemistry method. The method works by connecting molecular building blocks efficiently. Importantly, their breakthrough means we can now use fewer steps within procedures to develop new drugs.", "The Nobel Prize in Chemistry 2022 was awarded to Carolyn R. Bertozzi, Morten Meldal and K. Barry Sharpless “for the development of click chemistry and ...", "Advertisement Supported by Carolyn R. Bertozzi, Morten Meldal and K. Barry Sharpless were honored for their advances in “click chemistry,” which has played a role in treating and diagnosing illnesses. By Cora Engelbrecht, Euan Ward and Oliver Whang The 2022 Nobel Prize in Chemistry has been awarded to three scientists whose work harnessed the power of molecular interaction and introduced new, unobtrusive ways of studying the natural world. Carolyn R. Bertozzi of Stanford University, Morten Meldal of the University of Copenhagen and K. Barry Sharpless of Scripps Research will share the prize, which honors the scientists’ independent research that resulted in the development of what is known as click chemistry and bio-orthogonal chemistry. The three researchers will also split a prize of 10 million Swedish kronor, around $900,000. Their works have “led to a revolution in how chemists think about linking molecules together,” said Johan Aqvist, the chair of the Nobel Committee for Chemistry. In winning the award on Wednesday, Dr. Sharpless became only the fifth person to win two Nobels, having received the chemistry prize in 2001 for his work on chirally catalyzed oxidation reactions. The other two-time winners were Marie Curie, John Bardeen, Linus Pauling and Frederick Sanger. Dr.", "Sharpless awarded his second Nobel Prize in Chemistry–one of only two chemists to ever receive such an honor. Sharpless awarded his second Nobel Prize in Chemistry–one of only two chemists to ever receive such an honor. October 05, 2022 LA JOLLA, CA—Scripps Research professor K. Barry Sharpless, PhD, has been awarded the 2022 Nobel Prize in Chemistry for his groundbreaking research in developing “click chemistry,” an ingenious method for building molecules. Sharpless, the W.M. Keck Professor of Chemistry, shares the prize with Carolyn R. Bertozzi, PhD, of Stanford University and Morten Meldal, PhD, of the University of Copenhagen for the development of click chemistry and bioorthogonal chemistry, according to the Nobel Prize committee. Sharpless previously shared the 2001 Nobel Prize in Chemistry for his work on chirally catalyzed oxidation reactions, making him the second scientist ever to win two Nobel Prizes in Chemistry. Frederick Sanger won the Nobel Prize in Chemistry in 1958 and 1980. “Barry Sharpless has had a tremendous impact on chemistry, first with his development of asymmetric synthesis and now with his elegant ‘click chemistry,’” says Peter Schultz, PhD, President and CEO of Scripps Research. “His work opened whole new scientific frontiers that have had a major impact on the fields of chemistry, biology and medicine."], "noise_rate": 0.2, "factlabel": 0} +{"id": 22, "query": "Who won the Super Bowl 2022?", "ans": ["Los Angeles Rams"], "label": [1], "prediction": "According to the provided document, the Los Angeles Rams won Super Bowl LVI in 2022 by defeating the Cincinnati Bengals with a score of 23-20.", "docs": ["Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII.", "Super Bowl winners are not only named the champions of NFL, they also go on to receive millions of dollars in contracts and become the biggest celebrities in America after their victories. The Super Bowl is an annual American football games which determines the champion of the NFL. The game involves the winning team from the American Football Conference championship game facing the winning team from the National Football Conference championship game. Since 1967 when the merger agreement took place between the NFC and AFC, teams have been competing to receive the Vince Lombardi Trophy, named after the great coach of the Green Bay Packers. It was this team that won the first two Super Bowls, raising questions over whether the AFC was good enough to compete in the event. Originally the NFL and AFL, the two leagues combined into one league in 1970 and instead split into two conferences, with 3 NFL teams converting over to the AFC to equal 13 teams on each side. The term Super Bowl was created by Kansas City Chief Owner Lamar Hunt after seeing his daughter play with a toy called the Super Ball. Only supposed to be a nickname until an official name was released, the term Super Bowl has stuck with the game ever since. Since the first game in 1967, the AFC has managed to win 11 Super Bowls with the NFC blitzing in with 23 Super Bowl championships. New Orleans and Miami seem to be the favourite places to host the Super Bowl as they have both hosted the game 9 times.", "The Lombardi is staying in L.A. 🏆For the first time since 2000, the Rams are #SuperBowl Champions. pic.twitter.com/lbTt1l5gDi February 9, 2022 at 12:15 PM EST The Los Angeles Rams are Super Bowl LVI champions after a 23-20 win over the Cincinnati Bengals on Sunday at SoFi Stadium. Rams receiver Cooper Kupp was named Super Bowl MVP with eight catches for 92 yards and two touchdowns, including the game-winning 1-yard score with 1:29 remaining. This live blog from The Athletic follows game updates, coverage and everything else surrounding Sunday's event in Inglewood, Calif., including the Super Bowl halftime show. Catch up on this week's Super Bowl-related news and the 2022 NFL Honors, too. The Athletic also ranks the best and worst 2022 Super Bowl commercials. Want a free subscription to The Athletic? Sign up for BetMGM, bet $10 and win $200 in free bets plus a free year-long subscription (or renewal). Rams 23, Bengals 20 -- FINAL (Photo: Rob Carr / Getty Images) February 14, 2022 at 8:41 PM EST LOS ANGELES — When Johnny Hekker took the stage, the crowd knew it was on.", "Six of the Super Bowl-record seven sacks Burrow took came in the second half, enabling the Rams to rally from a seven-point deficit for a 23-20 victory to capture the franchise’s second Super Bowl title. Read more below: GO FURTHER Bengals’ need to improve Joe Burrow’s protection more glaring than ever in Super Bowl loss Advertisement February 14, 2022 at 10:01 AM EST The NFL season ended Sunday night with the Los Angeles Rams defeating the Cincinnati Bengals, 23-20, in Super Bowl LVI. What stood out from the Rams’ victory? And where do the Bengals go from here? Let’s take a look. Numbers are courtesy of TruMedia and Pro Football Focus unless otherwise noted. Read more below. GO FURTHER The Bengals can’t do that to Joe Burrow again — ever. Super Bowl LVI takeaways February 14, 2022 at 8:48 AM EST If Matthew Stafford was finally going to get his Super Bowl ring, it really had to happen like this: a hobbled Stafford, trailing in the fourth quarter, needing a late drive to win the whole thing. How many times did Detroit fans see that same script over the years? The first time the Lions saw that magic came in Stafford’s eighth NFL start, against the Browns, when he was just 21 years old.", "By  Emma Bowman ,  Peter Granitz The Rams' Cooper Kupp makes a touchdown catch in the fourth quarter of the Super Bowl. The touchdown put Los Angeles back on top over the Cincinnati Bengals. Gregory Shamus/Getty Images hide caption The Rams' Cooper Kupp makes a touchdown catch in the fourth quarter of the Super Bowl. The touchdown put Los Angeles back on top over the Cincinnati Bengals. The Los Angeles Rams won't have to travel far to enjoy a celebratory Super Bowl victory parade. The Rams rallied for a late touchdown to defeat the Cincinnati Bengals on Sunday, 23-20, marking the second straight year a team won the Super Bowl on its home field. The championship capped a triumphant return to Los Angeles for the Rams, which won its only other Super Bowl as the St. Louis Rams in 2000. And the team's home field at SoFi Stadium in Inglewood, Calif., also hosted a halftime show that featured hip-hop with a West Coast flair. The Rams needed more than 59 minutes to seal the victory in Super Bowl LVI, with Cooper Kupp, the game's most valuable player, catching a short touchdown pass from quarterback Matthew Stafford with 1.25 left to play. That put the Rams on top — again — and for the final time. L.A. started off the game strong. Wide receiver Odell Beckham Jr."], "noise_rate": 0.2, "factlabel": 0} +{"id": 23, "query": "Who won women's 500m speed skating at the 2022 Winter Olympics?", "ans": ["Erin Jackson"], "label": [1], "prediction": "According to the provided documents, Erin Jackson of the United States won the women's 500m speed skating event at the 2022 Winter Olympics, with a time of 37.04 seconds. She beat Japan's Miho Takagi, who finished with a time of 37.12 seconds, and Angelina Golikova of the ROC, who finished with a time of 37.21 seconds.", "docs": ["The U.S. speedster makes history as the first black female speedskater to win a gold medal at the Winter Olympics. She beat Japan’s Takagi Miho into second place with Angelina Golikova of the ROC taking bronze.\r The United States’ Erin Jackson stormed to the women’s 500m gold and into the history books in Beijing 2022 becoming the first black female to win an Olympic speed skating title on Sunday (13 February). The 29-year-old Jackson was the second last pair to chase down the leading time set by Japan’s Takagi Miho. She powered her way to victory in a time of 37.04 seconds, relegating Takagi into second place (37.12). The ROC’s Angelina Golikova had to be content with bronze with a time of 37.21s. \"I wish I could describe how I feel. It is amazing. This medal means so much. It has been a tough couple of years and a tough beginning for this year,” Jackson said. “For this to come around like this I am so happy. It wasn't the perfect race, I had a couple of miss-steps on the back straight, but I could pull it together. Just a couple of miss-steps, that's all.\" Jackson also became the first U.S.", "The women's 500 m competition in speed skating at the 2022 Winter Olympics was held on 13 February, at the National Speed Skating Oval (\"Ice Ribbon\") in Beijing.[1] Erin Jackson of the United States became the Olympic champion, winning her first Olympic medal. She was also the first female Black athlete to medal in speed skating.[2] Miho Takagi of Japan won the silver medal, and Angelina Golikova, representing the Russian Olympic committee, won bronze, also her first Olympic medal. The defending champion and the Olympic record holder was Nao Kodaira. The 2018 silver medalist, Lee Sang-hwa, retired from competitions. She was still the world record holder during the Olympics. The bronze medalist, Karolína Erbanová, retired as well. Golikova was the 2021 World Single Distances champion at the 500 m distance. Femke Kok and Olga Fatkulina were the silver and bronze medalist, respectively. Erin Jackson was leading the 2021–22 ISU Speed Skating World Cup at the 500 m distance with eight events completed before the Olympics, followed by Golikova and Kodaira. Golikova skated the season best time, 36.66 in Calgary on 11 December 2021.[3] Takagi in pair 4 became the early leader with 37.12.", "Takagi is the second Japanese athlete to earn a medal in the women's 500m since 1998.  Speed skating returns on Tuesday with the men's and women's team pursuit semifinal and final rounds.  See the full speed skating schedule here. FULL RESULTS REPLAY Note: Some components of NBCOlympics.com may not be optimized for users browsing with Internet Explorer 11, 10 or older browsers or systems. © 2022 NBC Universal. All rights reserved. Any use, reproduction, modification, distribution, display or performance of this material without NBC Universal’s prior written consent is prohibited. Use of the Website signifies your agreement to the Terms of Use and Privacy Policy. ©IOC 2022 Official Results powered by Atos. Timing and results management by Omega.", "Speed skater Erin Jackson of the United States captured her first career Olympic gold medal in the women's 500m on Sunday.  The 29-year-old from Ocala, Florida, skated a 37.04 time in the 14th pairing to edge Japan's Miho Takagi, who skated a 37.12 in the fourth pairing. Takagi finished in second. Angelina Golikova of the ROC ended third for the bronze.  Jackson, a former inline skating MVP, won the first gold medal in the women's 500m by an American since Bonnie Blair in 1994.  \"I wish I could describe how I feel, it is amazing,\" Jackson told the media after the race. \"This medal means so much. It has been a tough couple of years and a tough beginning for this year. For this to come around like this, I am so happy.\" She started her speed skating career less than six months before Olympic Trials in 2018. She made the team and finished 24th in her Winter Olympic debut. She has since become a force in the sprint distance and is the World Cup standings leader this season.  Jackson's win marked the first podium finish at the 2022 Winter Olympics and individual medal since 2010 for U.S. speed skating. She also became the first black woman to win a speed skating gold medal at the Olympics.", "speedskater since Lillehammer 1994 to win a gold medal in the women’s 500m. The incredible feat may not have happened for Jackson had it not been for the goodwill of compatriot and friend Brittany Bowe. During the U.S. Trials, the world number one Jackson slipped during the deciding 500m race and finished third with the top two skaters earning Olympic berths in the event.  In an extraordinary act of kindness, the first-placed Bowe gave up her spot after already qualifying in her specialist 1000m and 1500m events. Three-time Olympian Bowe featured in the same contest as Jackson finishing in 16th place.  “It is an honour to give her this opportunity, and I would want her to fully enjoy this moment,” Bowe said. “This moment is all about her, I couldn’t be more proud to be her teammate.” Women’s 500m results: 1- Erin Jackson (USA) – 37.04 2- Takagi Miho (JPN) – 37.12 3- Angelina Golikova (ROC) – 37.21 Epic! ⛸💨Erin Jackson (United States of America) claims the #SpeedSkating - women's 500m #Gold medal! She is the first-ever US athlete to win gold in this event since 1994!Congratulations!"], "noise_rate": 0.2, "factlabel": 0} +{"id": 24, "query": "When was Lost Ark game release on Steam?", "ans": [["February 11", "Feb 11", "Feb. 11", "February 11", "11 February", "11 Feb", "11 Feb.", "11 February"]], "label": [1], "prediction": "According to the provided document, Lost Ark was released on Steam on February 11, 2022.", "docs": ["Upon its launch on Feb. 11, Lost Ark rapidly climbed Steam’s charts to hit an all-time peak of 1,325,305 players on Feb. 12, as shown by independent trackers like SteamDB.", "Lost Ark is set to be publically released via Steam as a free-to-play title on February 11th. You can pre-load the game via that platform starting right now (its download size checks in at about 70 GB), but unless you’re willing to buy a Founder’s Pack between now and then, you will need to wait for the title to be fully unlocked before you’ll be able to launch it.", "Lost Ark was originally released in 2019 in South Korea, and has millions of active players in South Korea, Russia, and Japan. It’s free-to-play and has also quickly risen to the top of Twitch, overtaking the popular Just Chatting category. / Sign up for Verge Deals to get deals on products we've tested sent to your inbox daily. The Verge is a vox media network © 2023 Vox Media, LLC.", "Lost Ark on Steam Title: Lost Ark ; Genre: Action, Adventure, Massively Multiplayer, RPG, Free to Play. Developer: Smilegate RPG. Publisher: Amazon Games ; Release Date: Feb 11", "Lost Ark was fully released in South Korea on December 4, 2019, and in North American, South American, and European regions on February 11, 2022, with Amazon Games serving as the global publisher.[16] Users that pre-purchased one of four founder's packs could play 3 days early on February 8, 2022.[17][18][19][20] The game was initially unavailable in Belgium and the Netherlands due to the countries' stringent loot box regulations,[21] with the latter later reversing its decision.[22] Within twenty-four hours of its release, Lost Ark became the second most played game on Steam.[23][24] In 2021, there were plans between Smilegate and game publisher HappyTuk [zh] to launch Lost Ark in Taiwan.[25] It was announced in 2023 that the release of Taiwanese servers has been delayed but not canceled.[26] Lost Ark received \"generally favorable\" reviews according to review aggregator Metacritic.[27] PC Magazine praised Lost Ark's combat, writing, \"Abilities look good, sound sufficiently powerful, and feel great to use. You can’t help but feel like a combat god when you divekick a crowd, and blast fodder monsters into bloody chunks."], "noise_rate": 0.2, "factlabel": 0} +{"id": 25, "query": "What medals did Jessie Diggins win in the Beijing 2022 Olympic Games?", "ans": [["silver", "Silver"], ["bronze", "Bronze"]], "label": [1, 1], "prediction": "According to the provided documents, Jessie Diggins won the following medals in the Beijing 2022 Olympic Games:\n\n* Bronze in the women's individual cross-country sprint\n* Silver in the 30-kilometer freestyle race\n\nNote: There is no mention of a gold medal in the provided documents, which contradicts the initial statement that Jessie Diggins won a gold medal in the 30km mass start cross-country race.", "docs": ["BEIJING — Jessie Diggins brought home the United States’ 25th and final medal of the 2022 Olympic Games, winning silver in the grueling 30km mass start cross-country race while fighting off both exhaustion and the after-effects of food poisoning. \"That might have been the best race of my entire life, I'm not going to lie,” she said after collapsing at the finish. “It was also maybe the hardest race of my whole life.\" The final event in the Games’ Zhangjiakou mountain cluster, the race went off under relatively balmy 14-degree temperatures and the kind of slate-blue skies that have characterized much of these Games. Sporting the stars and stripes on her hat, arms and legs, Diggins ground her way through the event with no one nearby either ahead or behind; for much of the race, she was at least a minute behind gold medal winner Therese Johaug of Norway, and she was at least a minute ahead of the rest of the pack. Diggins, whose surprise gold in the team sprint in PyeongChang vaulted her to national prominence, was a busy woman at these Games. She competed in all six cross country events, placing top 8 in all of them — the only woman to pull off that feat — and in addition to her silver, also won a bronze in the sprint. The hilly 7.", "Yes! Yes! Gold! Schlanger: Jessie Diggins to the line! And it is Jessie Diggins delivering a landmark moment that will be etched in U.S. Olympic history! The first-ever cross-country gold medal for the U.S.! Salmela: It's a gold medal for the United States! It's not just a medal; it's the gold! Diggins competed in all six women's cross-country skiing events at the Olympics and finished in the top 10 in all of them. At the end of the games, she was the flag bearer for the United States in the closing ceremony.[20] Diggins won the 2021 Tour de Ski, a first for an American. She placed atop the overall World Cup 2020–2021 season standings, claiming the biggest annual prize in cross-country skiing. Diggins' victory put her with Koch, who won the men's title in 1982, to be the only Americans to win overall season titles for a World Cup cross-country ski circuit.[4] At the 2022 Winter Olympics, Diggins won bronze in the women's sprint to become the first American to win an individual Olympic medal in a cross-country sprint.[21] She went on to win silver in the women's 30 kilometer freestyle, earning the U.S.' last medal on the last day of the Olympics.[22] She was the first non-European to win a medal in the event.", "He backed that up with a spectacular free skate routine which included four quads and placed first by a margin of 22.55 points. Chloe Kim celebrates after winning her second halfpipe gold medal in as many games during the Olympic Winter Games Beijing 2022 on Feb. 10, 2022 in Zhangjiakou, China.   February 10, 2022: Chloe Kim burst on to the Olympic scene when she captured the snowboard halfpipe gold medal in her Olympic debut in Pyeongchang, becoming the youngest ever woman to do so. Then, four years later, she added another historic milestone to her already illustrious career. Kim scored a 94.00 during the first run of the halfpipe final, enough for her second gold in as many games. In doing so, the California native became the first woman to win two Olympic golds in women's halfpipe. Shaun White celebrates his final Olympic halfpipe run during the Olympic Winter Games Beijing 2022 on Feb. 11, 2022 in Zhangjiakou, China.   February 11, 2022: After an extraordinary career and becoming one of snowboarding's all-time icons, five-time Olympian and three-time Olympic gold medalist Shaun White slid down the halfpipe for the final time in Olympic competition. After posting solid scores of 72.00 and 85.", "the Games, Roque tallied a goal and two assists while finishing +4 for the tournament. The U.S. earned the silver medal after falling to Canada in the gold-medal match by a score of 3-2. Last November, Roque wrote an athlete blog about what it means to be Native American and the significance of National Native American Heritage Month. Jessie Diggins celebrates after capturing the women's individual cross-country sprint bronze medal during the Olympic Winter Games Beijing 2022 on Feb. 8, 2022 in Zhangjiakou, China.   February 20, 2022: Four years after helping secure the first U.S. gold in cross-country skiing, Diggins tallied two medals in 2022, making her the most decorated U.S cross-country skier of all time. She secured a bronze medal on February 8, 2022, becoming the first-ever U.S. woman to medal in the women's individual cross-country sprint. On the final day of competition, the Minnesota native took home a silver medal in the 30-kilometer freestyle race. © 2023 United States Olympic & Paralympic Committee. All Rights Reserved.", "VTDigger \t\t\t\t\tNews in pursuit of truth\t\t\t\t Stratton-trained Jessie Diggins powered through food poisoning Sunday to win her second medal at the 2022 Beijing Winter Games. The 30-year-old cross-country skier, who snagged bronze in the individual sprint Feb. 8, took silver in the 30-kilometer freestyle race. “It’s really emotional,” she told NBC. “That was one of the hardest things I’ve ever done in my whole life, especially because I had food poisoning 30 hours ago, which is why I thought I was going to die at the finish line. My legs were cramping the whole last 17 kilometers. I don’t know how I made it.” With her victory, Diggins, who won gold in the 2018 women’s team sprint, now owns an Olympic medal in every color. “It’s been an emotional roller-coaster, but I am so happy we made it to the end,” Diggins told reporters. “To have a medal in the sprint and the 30K are the ultimate bookends for me. I have been trying to be a good all-round athlete my whole life, so this has been really cool.” Diggins finished the final cross-country race of the Beijing Olympics in 1 hour 26 minutes 37 seconds, less than two minutes behind Therese Johaug of Norway and 50 seconds ahead of third-place finisher Kerttu Niskanen of Finland."], "noise_rate": 0.2, "factlabel": 0} +{"id": 26, "query": "What is the genre of The Endgame (TV show)?", "ans": ["crime"], "label": [1], "prediction": "According to the provided document, the genre of The Endgame (TV show) is a crime drama and a thriller.", "docs": ["The Endgame is an American crime drama thriller television series that premiered on NBC on February 21, 2022. The series is created by Nicholas Wootton and Jake Coburn.[1][2] In May 2022, the series was canceled after one season.[3] In this heist drama, criminal mastermind Elena Federova squares off against principled FBI agent Val Turner.[4] On April 21, 2021, The Untitled Nick Wootton/Jake Coburn Project was given a pilot order by NBC. It was created by Nicholas Wootton and Jake Coburn who were expected to executive produce alongside Julie Plec and Emily Cummins. Wootton also wrote the pilot.[5] On September 21, 2021, NBC ordered The Endgame to series. Justin Lin and Andrew Schneider were added as executive producers. Lin also directed the pilot. Universal Television, Nicholas Wootton Productions, Jake Coburn Productions, Inc., My So-Called Company, and Perfect Storm Entertainment are the production companies involved with producing the series.[1] Upon the series order, Morena Baccarin, Ryan Michelle Bathé, Kamal Angelo Bolden, Costa Ronin, Noah Bean, Jordan Johnson-Hinds, and Mark D. Espinoza were cast in starring roles.[6] On November 18, 2021, Karl Josef Co and Massiel Mordan were added to the cast.", "In May 2022, the series was canceled after one season. The Endgame. Genre. Crime drama · Thriller.", "This series, one of the best that Netflix has made, focuses on this powerful figure, as well as the man whose mission it is to take him out, including Javier Pena (played by Pedro Pascal in one of his best roles). RELATED: 10 Most Underrated Thrillers Of The 2010s Though Narcos can be a bit grim at times, and though its characters are often morally compromised, it still remains a powerful drama about the darkness of the drug trade. The original Fargo is often regarded as one of the Coen Brothers' best movies, and a great deal of its grimly hilarious sensibility has made its way into the series. Each of its first three seasons (though not as much the fourth) focused on a cat and mouse game that will be very familiar to those who enjoyed The Endgame, as officers of the law matched wits with formidable criminal minds that were willing and able to commit acts of great cruelty and malice. Like other great crime dramas, the series excelled at showing the sinister side of the human condition. The iconic Kevin Bacon has been in many great movies and TV series, and The Following is one of those. Like The Endgame, the series focuses on a cat and mouse game between an FBI agent and a sinister figure, in this case, Joe Carroll, a charismatic serial killer.", "Did you expect 'Avengers: Endgame' to get so dark? Welcome to The Witching Hour! Collider’s horror podcast, co-created and co-hosted by Editor and Horror Lead Haleigh Foutch and Senior Editorial Producer Perri Nemiroff. On this week's episode, we dig into the exciting lineup for the Overlook Film Festival before serving up a review for Netflix's latest horror series Chambers and why it doesn't quite hit the mark. After that, we break down which of Netflix's horror series have made the best use of the streaming and bingeing model, as well as the value's of week-to-week sensations like Game of Thrones, and Haleigh gives her thoughts on the first two episodes of The 100 Season 6. Finally, we dive into the genre elements of Avengers: Endgame, and break down the enormous ambition of the storytelling in Marvel's record-smashing epic. Listen to the latest episode of The Collider Podcast below and click here to find us on iTunes. To stay up to date on all things Witching Hour, you can also follow us on Twitter at @HaleighFoutch and @PNemiroff or on Instagram at @HaystackMcGroovy and @pnemiroff, and keep up with the #ColliderWitchingHour hashtag.", "It’s a violent and disturbing series, made all the more so by the fact that James Purefoy makes it very believable that someone like Carroll would command such devout and dangerous loyalty from those who essentially worship him. The Fall is yet another series that focuses its story on a battle of wits between law enforcement and a serial killer. What’s more, it also features a powerful cast, led by Gillian Anderson in one of her best roles. As compelling as Anderson is, she is matched by Jamie Dornan as the serial killer, who exudes his familiar charm and charisma. While there are moments when the series can lose its momentum, there’s no question that it is a provocative exploration of the criminal psyche. It’s hard to think of a more famous fictional serial killer than Hannibal Lecter, who has appeared in multiple forms, including books, movies, and, of course, the TV series that bears his name. There are many things that set Hannibal apart from almost every other series on network TV, but most notable are its stylized violence and the undeniable chemistry between Hannibal and Will Graham. Though supposedly enemies, the two have a bond that forms the emotional core of the series. Like other great serial crime dramas, one of the most appealing things about The Endgame is the light that it sheds on the workings of the FBI. Those who enjoy that particular aspect of the series will also find much to like about Quantico."], "noise_rate": 0.2, "factlabel": 0} +{"id": 27, "query": "When did Russia invade Ukraine?", "ans": [["February 24", "Feb 24", "Feb. 24", "24 February", "24 Feb", "24 Feb."]], "label": [1], "prediction": "According to the document, Russia invaded Ukraine on February 24, 2022, starting a brutal battle that is still raging today.", "docs": ["Jan 29, 2022 ... Why did the West want to enlarge NATO, and how did Russia react? When the Soviet Union collapsed in 1991, the NATO expansion question became ...", "Jump to Russia surprised the world on February 24, 2022, by invading Ukraine, starting a brutal battle that is still raging today. Russia's President Vladimir Putin has given varying public explanations for why he launched the invasion. Here are the reasons Putin gave, how they match with reality, and the other likely reasons why Russia sent its armed forces into an independent, sovereign nation. Ukraine was part of the Soviet Union, before declaring itself an independent country, cementing the move in a referendum days before the USSR collapsed in December 1991. The country has maintained its independence ever since. But Putin still refers to Ukraine as Russian, and denies it's a nation in its own right. He told then-US President George W. Bush in 2008 that Ukraine wasn't even a country. Stephen Hall, a Russian politics expert at the University of Bath in the UK, said many Russians still hold this view, and that \"it isn't just the Kremlin.\" Hall said Russia sees Kyiv, the Ukrainian capital, as the \"mother of Russian cities,\" and for Putin he can't have that being outside his own country. Hall added that Russia needs to claim Ukraine in order to back up its argument to being a great power that has existed for millennia. Without it \"Russia can't claim a thousand years of history because Kyiv was already in existence 1,200 years ago, when Moscow was a forest,\" he said.", "Northeastern Ukraine campaign Eastern Ukraine campaign Southern Ukraine campaign 2023 Ukrainian counteroffensive Other regions Naval operations Spillover and cross-border incidents Resistance Related Attacks on civilians On 24 February 2022, Russia invaded Ukraine in an escalation of the Russo-Ukrainian War which began in 2014. The invasion has killed tens of thousands on both sides. Russian forces have been responsible for mass civilian casualties and for torturing captured Ukrainian soldiers. By June 2022, about 8 million Ukrainians had been internally displaced. More than 8.2 million had fled the country by May 2023, becoming Europe's largest refugee crisis since World War II. Extensive environmental damage, widely described as ecocide, contributed to food crises worldwide. Prior to the invasion, Russian troops concentrated near Ukraine's borders, as Russian officials denied plans to attack. Vladimir Putin announced a \"special military operation\" to support the breakaway republics of Donetsk and Luhansk, whose military forces were fighting Ukraine in the Donbas conflict, claiming the goal was to \"demilitarise\" and \"denazify\" Ukraine. Putin espoused irredentist views, challenged Ukraine's right to exist, and falsely claimed that Ukraine was governed by neo-Nazis persecuting the ethnic Russian minority.", "This video can not be played Watch: Ukraine's recapture of Kherson City was one of Russia's biggest setbacks When Vladimir Putin sent up to 200,000 soldiers into Ukraine on 24 February 2022, he wrongly assumed he could sweep into the capital, Kyiv, in a matter of days and depose the government. After a series of humiliating retreats, his initial invasion plan has clearly failed, but Russia's war is far from over. Even now, Russia's leader describes the biggest European invasion since the end of World War Two as a \"special military operation\". Not the full-scale war that has bombed civilians across Ukraine and left more than 13 million either as refugees abroad or displaced inside their own country. His declared goal on 24 February 2022 was to \"demilitarise and denazify\" Ukraine and not occupy it by force, days after backing independence for eastern Ukrainian territories occupied by Russian proxy forces since 2014. He vowed to protect people from eight years of Ukrainian bullying and genocide - a Russian propaganda claim with no foundation in reality. He spoke of preventing Nato from gaining a foothold in Ukraine, then added another objective of ensuring Ukraine's neutral status. President Putin never said it out loud, but high on the agenda was toppling the government of Ukraine's elected president. \"The enemy has designated me as target number one; my family is target number two,\" said Volodymyr Zelensky.", "He falsely claimed they had been \"been facing humiliation and genocide perpetrated by the Kyiv regime\".[74] Putin also falsely claimed that Ukraine's government were neo-Nazis under Western control, that Ukraine was developing nuclear weapons, and that NATO was building up military infrastructure in Ukraine to threaten Russia.[75] He said Russia sought the \"demilitarisation and denazification\" of Ukraine.[76] Putin said he had no plans to occupy Ukraine and supported the right of the Ukrainian people to self-determination.[75] Within minutes of Putin's announcement, Russian missiles struck targets throughout Ukraine,[77] and Russian troops invaded from the north, east and south.[78] Later an alleged report from Russia's Federal Security Service (FSB) was leaked, claiming that the intelligence agency had not been aware of Putin's plan to invade Ukraine.[79] The invasion began at dawn on 24 February,[72] with infantry divisions and armoured and air support in Eastern Ukraine, and dozens of missile attacks across Ukraine,[80][81] which reached as far west as Lviv.[82][83] The first fighting took place in Luhansk Oblast near Milove village on the border with Russia at 3:40 a.m. Kyiv time."], "noise_rate": 0.2, "factlabel": 0} +{"id": 28, "query": "When was Elden Ring being released?", "ans": [["February 25", "Feb 25", "Feb. 25", "25 February", "25 Feb", "25 Feb."]], "label": [1], "prediction": "According to the provided document, Elden Ring was released on February 25, 2022.", "docs": ["If you’re a glutton for punishment and want to experience the pain of scouring The Lands Between and getting unceremoniously bodied by all the beasts that dwell within, come with us on a journey to the heartlands and read on below. You might just learn something about how to survive in this grimdark fantasy epic. Elden Ring is released on February 25, 2022, hitting PS4, PS5, Xbox One, Xbox Series X, and PC. If you pre-order Elden Ring on the Xbox One or PS4 you’ll get a next-gen upgrade included for free. The game retails at £59.99 in the UK and $59.99 in the US. First, there’s the collector’s edition at £189.99, which will include the game, a steelbook, a 40-page art book, a digital soundtrack, and a 9inch statue of Malenia – Blade of Miquella. Then there’s the premium collectors edition at an eye-watering £259.99, which includes the aforementioned items, along with an official helmet replica of Malenia. You can pre-order all editions, including standard, at Bandi Namco’s official website. Taking place in the Lands Between, the Elden Ring, the source of the Erdtree, has been shattered, causing chaos in the realm.", "“What this represented in them is this sort of golden light, or this golden aura, that’s specifically shown in their eyes. And this symbolises the blessing or the grace of the Erdtree. However, after a time, there were some individuals who lost this grace, and the light faded from their eyes. And these are what are known as the Tarnished.” The Tarnished were banished and exiled from the game’s world many years prior to when you – the player – will enter it. Since their ex-communication, the eponymous Elden Ring has of course been shattered and now the Tarnished are being summoned back to The Lands Between. So what are you waiting for? Get pre-ordering and we’ll see you on the other side… Elden Ring is released on February 25, 2022, hitting PS4, PS5, Xbox One, Xbox Series X, and PC. Keep an eye here for more updates. The world’s defining voice in music and pop culture: breaking what’s new and what’s next since 1952. When you purchase through links on our site, we may earn an affiliate commission. © 2023 NME is part of NME Networks.", "Elden Ring[a] is a 2022 action role-playing game developed by FromSoftware. It was directed by Hidetaka Miyazaki with worldbuilding provided by fantasy writer George R. R. Martin. It was released for PlayStation 4, PlayStation 5, Windows, Xbox One, and Xbox Series X/S on February 25 by FromSoftware in Japan and Bandai Namco Entertainment internationally. Players control a customizable player character who is on a quest to repair the Elden Ring and become the new Elden Lord. Elden Ring is presented through a third-person perspective; players freely roam its interactive open world. The six main areas are traversed using the player character's steed Torrent as the primary mode of travel. Linear, hidden dungeons can be explored to find useful items. Players can use several types of weapons and magic spells, including non-direct engagement enabled by stealth mechanics. Throughout the game's world, checkpoints enable fast travel and allow players to improve their attributes using an in-game currency called Runes. Elden Ring has an online multiplayer mode in which players can join each other for cooperative and player-versus-player combat. During planning, FromSoftware wanted to create an open-world game with gameplay similar to Dark Souls; the company wanted Elden Ring to act as an evolution of the self-titled debut of the series. Miyazaki admired the work of Martin, whose contributions he hoped would produce a more accessible narrative than those of the company's earlier games.", "In the game, the player character is a Tarnished, one of a group of exiles from the Lands Between who are summoned back after the Shattering. The player must traverse the realm to repair the Elden Ring and become the Elden Lord. Early in their journey to repair the Elden Ring, the player-character the Tarnished encounters a maiden named Melina. Because the Tarnished is maidenless, Melina offers to act as their maiden, granting them the ability to turn runes into strength and giving the Tarnished a steed named Torrent. In exchange, Melina requires the Tarnished to take her to the Erdtree, the home of the Elden Ring. Melina later takes the Tarnished to the Roundtable Hold, a gathering place for other Tarnished seeking to repair the Elden Ring. The Hold's benefactor the Two Fingers instructs the Tarnished to collect the Great Runes and bring them to the Erdtree, where they can be used to repair the Elden Ring. The Tarnished travels into the Lands Between, investigating its locales and defeating the demigods. After recovering at least two Great Runes, the Two Fingers allows them to battle Morgott the Grace-Given, the demigod guarding the Erdtree. The Tarnished defeats Morgott but find a wall of thorns blocking the Edtree's interior.", "40] Playtesting was facilitated by Bandai Namco, which in November 2021 initially released the game as a closed beta that players could sign up to test.[41] The game's full release was scheduled for January 21, 2022, but was postponed to February 25 the same year.[42][43] Elden Ring had performance issues at launch; players complained of an insufficient frame rate.[44][45] Bandai Namco addressed some of these problems through software patches and updates.[46][47] A crowdfunding campaign for an Elden Ring-based board game by Steamforged Games was launched on Kickstarter in November 2022.[48] In February 2023, an expansion called Shadow of the Erdtree was announced for release at a later date.[49] Elden Ring received \"universal acclaim\" according to review aggregator website Metacritic.[50][51][52] On video-sharing platform Twitch, it drew nearly 900,000 viewers within 24 hours of release, making it the third-most-popular debut on the platform after Lost Ark and Cyberpunk 2077.[68] The game's open-world setting received acclaim; reviewers praised the exploration mechanics. Tamoor Hussain of GameSpot praised the Lands Between as the most-expansive of FromSoftware's settings, calling exploration and discovery the game's main appeal.[69] Mitchell Saltzman of IGN lauded Elden Ring for rewarding exploration in every part of the map."], "noise_rate": 0.2, "factlabel": 0} +{"id": 29, "query": "Who did Iga Swiatek defeat to win the Qatar Open 2022?", "ans": ["Anett Kontaveit"], "label": [1], "prediction": "According to the documents, Iga Swiatek defeated Viktorija Golubic and Daria Kasatkina in the second and third rounds, respectively. In the quarterfinals, she defeated top seeded Aryna Sabalenka before advancing to the semifinals where she played against Maria Sakkari, winning in straight sets. In the final, she won against fourth-seeded Anett Kontaveit, losing only two games, to claim her second WTA 1000 championship title.", "docs": ["11] As of January 2022, Świątek has reached the second week of a Grand Slam at six consecutive majors, beginning with her 2020 French Open title, setting a record for the longest streak of second-week progressions.[12] In the quarterfinal she defeated Kaia Kanepi in a match at three hours and one minute before losing to Danielle Collins in the semifinal the following day.[13][14] In February, Świątek entered into the Qatar Open, where she was seeded seventh. She defeated Viktorija Golubic and Daria Kasatkina in the second and third rounds, respectively. In the quarterfinals, she defeated top seeded Aryna Sabalenka before advancing to the semifinals where she played against Maria Sakkari, winning in straight sets. In the final, she won against fourth-seeded Anett Kontaveit, losing only two games, to claim her second WTA 1000 championship title.[15] At Indian Wells, Świątek reached her third WTA 1000 final, where, as the third seed, she defeated Anhelina Kalinina, Clara Tauson and Angelique Kerber in three sets, and Madison Keys and Simona Halep, in straight sets. She defeated sixth seed Maria Sakkari, in straight sets, to win her fifth title. With the back-to-back Masters wins, Świątek reached a career-high ranking of world No. 2.[16]", "3: Top 10 players Swiatek defeated en route to her first title of the season in Doha. The win is the second WTA 1000 title of her career.  0: Wins for Swiatek against Maria Sakkari (0-3) and Aryna Sabalenka (0-1) going into Doha. After beating them in back-to-back matches in Doha, she has not lost to either player since. 1: Set lost by Swiatek in Doha, which came to Viktorija Golubic in the first round.  2: Games lost in the final against Anett Kontaveit.  Champions Corner: Swiatek's 'surreal' Indian Wells 20: Wins for Swiatek in 2022 after defeating Maria Sakkari 6-4, 6-1 in the final, the most on tour.  2: Swiatek's new career-high ranking after winning her second-straight WTA 1000 title. 3: Comebacks from a set down for Swiatek in Indian Wells, doing so to beat Anhelina Kalinina, Clara Tauson and Angelique Kerber in her first three matches. She has had seven such comebacks in 2022. Prior to this season, she had just eight in her career.  11: Consecutive wins for Swiatek, tying then No.", "The defending champion needed just 53 minutes to advance, 6-0, 6-1, on Wednesday at the Qatar TotalEnergies Open.ByTENNIS.comPublished Feb 15, 2023 copy_link Published Feb 15, 2023 Iga Swiatek returned to the site where her masterful rise in 2022 began with a 37-match win streak. And what a statement the world No. 1 made at the Qatar TotalEnergies Open in Doha Wednesday.On paper, Swiatek’s opening match presented intrigue. Across the net was Danielle Collins, one of the nine players to defeat the Pole during a banner 2022 season that saw her win eight titles and completely own her status as the 28th world No. 1 in WTA history.In reality, today's show was a solo act. Swiatek completely silenced Collins, serving up another bakery special with a 6-0, 6-1 victory.\"I'm happy that I was kind of composed and from the beginning till the end pretty focused and disciplined with tactics. So I didn't really let Danielle get into the rhythm,\" Swiatek told press. \"I wanted to be aggressive. I'm pretty happy that I did that well.\" On paper, Swiatek’s opening match presented intrigue.", "11] As of January 2022, Świątek has reached the second week of a Grand Slam at six consecutive majors, beginning with her 2020 French Open title, setting a record for the longest streak of second-week progressions.[12] In the quarterfinal she defeated Kaia Kanepi in a match at three hours and one minute before losing to Danielle Collins in the semifinal the following day.[13][14] In February, Świątek entered into the Qatar Open, where she was seeded seventh. She defeated Viktorija Golubic and Daria Kasatkina in the second and third rounds, respectively. In the quarterfinals, she defeated top seeded Aryna Sabalenka before advancing to the semifinals where she played against Maria Sakkari, winning in straight sets. In the final, she won against fourth-seeded Anett Kontaveit, losing only two games, to claim her second WTA 1000 championship title.[15] At Indian Wells, Świątek reached her third WTA 1000 final, where, as the third seed, she defeated Anhelina Kalinina, Clara Tauson and Angelique Kerber in three sets, and Madison Keys and Simona Halep, in straight sets. She defeated sixth seed Maria Sakkari, in straight sets, to win her fifth title. With the back-to-back Masters wins, Świątek reached a career-high ranking of world No. 2.[16]", "Iga Swiatek smashed Anett Kontaveit in the Qatar Open final to win the WTA 1000 event after a brilliant week of tennis. The Polish player did not have a very good time in Dubai however she was able to better herself in Doha playing a superb event this week. With each match, Swiatek looked sharper and more confident than before and it all culminated in the final against Kontaveit with the Polish player simply dominating. Early on it seemed like it would be a very competitive match."], "noise_rate": 0.2, "factlabel": 0} +{"id": 30, "query": "Which country won the most medals at the 2022 Winter Olympics?", "ans": ["Norway"], "label": [1], "prediction": "According to the provided documents, Norway won the most medals at the 2022 Winter Olympics with a total of 37 medals, including 16 gold medals, 8 silver medals, and 13 bronze medals.", "docs": ["The country has 18 alpine skiing medals -- including two golds from PyeongChang -- 16 speed skating medals, 14 biathlon medals, 11 ice hockey medals and 10 figure skating medals. Sweden took home seven gold medals from PyeongChang in 2018, good for sixth out of all participating countries. Their collection of 14 total medals tied for 10th. Total: 167 Gold: 43 Silver: 63 Bronze: 61 Medals won in PyeongChang: 6 Sport with most medals: Cross country skiing (80) Like Sweden, Finland’s top Winter Olympic sport is cross country skiing with 80 total medals. After cross country skiing, the country’s next-best sports are speed skating (24 total medals), ski jumping (22) and Nordic combined (14).  Finland had far and away the smallest haul from the 2018 Winter Olympics, winning just six total medals and only one gold. Four of the six medals, including the gold, came in cross-country skiing. A smaller collection is not uncommon for Finland despite their seventh-place spot on this list. It is the only country among the 10 included here that has never won 15 or more medals at a single Winter Olympics.", "Published on 2/21/2022 at 11:04 AM The 2022 Beijing Winter Olympics have ended after over two weeks of some dramatic, inspiring, and comedic moments. The medals given out during these games were are made up of five rings and a center and are called \"Tong Xin,\" which means \"together as one.\" Unlike during the summer games in Tokyo just last year, the top gold medal winner of the winter games is not the most expected. Instead, the biggest gold medal winner of the 2022 Olympics is Norway. Overall, the nation took home significantly more medals than its competitors. Here's the breakdown of the five countries that won the biggest. Gold: 16Silver: 8Bronze: 13Total: 37 Gold: 6Silver: 12Bronze: 14Total: 32 Gold: 12Silver: 10Bronze: 5Total: 27 Gold: 4Silver: 8Bronze: 14Total: 26 Gold: 8Silver: 10Bronze: 7Total: 25 When it came to which countries won the most medals overall, Norway came in first. The Russian Olympic Committee (the unofficial team representing Russia's athletes) came in second with 32 medals. In third place was Germany, with 27 medals. Canada was next with 26 medals, and the US trailed behind with 25 medals.", "With all 109 medal events decided, competition at the 2022 Winter Olympics in Beijing is officially complete.  After three weeks of dominance, Norway stands alone atop the chart with the most total medals (37) and the most gold medals (16). Norway broke its own record for the most gold medals won at a single Winter Olympics with 16, to go along with eight silver medals and 13 bronze medals. (Norway and Germany in 2018 both matched the record of 14 gold medals at a single Winter Olympics previously set by Canada in Vancouver 2010.) Norway narrowly missed eclipsing its high-water mark of 39 total medals, won in PyeongChang. The United States finished the Games with eight gold medals -- tied for the fourth most along with Sweden and the Netherlands. But America's total medal count of 25 put them fifth. In addition to eight golds, the U.S. tallied 10 silver medals and seven bronze medals. [RELATED: 2022 Winter Olympics medal count] The ROC finished second with 32 total medals (6 gold, 12 silver, 14 bronze). Germany, after absolutely dominating the sliding sports with gold medals in nine out of 10 events, slotted third with 27 total medals (12 gold, 10 silver, 5 bronze). And Canada eclipsed the U.S. for fourth with 26 total medals (4 gold, 8 silver, 14 bronze).", "In 2018, Norway set a Winter Olympics record by winning 39 medals at the Games in PyeongChang, South Korea. Expectations were high for the Norwegians again in 2022, as they seemed likely to win a large number of medals at the Winter Olympics in Beijing. Although Norway didn't break its own record, many of the nation's athletes had impressive showings. The Norwegians won 37 total medals at this year's Winter Games, which are now complete. That's tied for the second-most at a single Winter Olympics with the United States, which also won 37 in 2010. Here's the final medal count for the 2022 Winter Games, followed by a closer look at the countries that will be leaving Beijing with the most gold. 1. Norway: 37 (16 golds, eight silvers, 13 bronzes) 2. Russian Olympic Committee: 32 (six golds, 12 silvers, 14 bronzes) 3. Germany: 27 (12 golds, 10 silvers, five bronzes) 4. Canada: 26 (four golds, eight silvers, 14 bronzes) 5. United States: 25 (eight golds, 10 silvers, seven bronzes) 6.", "The 2022 Winter Olympics, officially known as the XXIV Olympic Winter Games, was a winter multi-sport event held in Beijing, China, from 4 to 20 February. A total of 2,871 athletes from 91 nations participated in 109 events in seven sports across 15 disciplines.[1][2] Overall 29 nations received at least one medal, and 23 of them won at least one gold medal. Athletes from Norway won the most medals overall, with 37, and the most gold medals, with 16. The latter record was the highest gold medal tally at a single Winter Games.[3] Host nation China won nine gold medals surpassing its gold medal tally of five during the 2010 winter edition.[4] Athletes from that nation also won 15 medals overall, which eclipsed its record of 11 at both the 2006 and 2010 winter editions.[5] Biathletes Johannes Thingnes Bø, Quentin Fillon Maillet, and Marte Olsbu Røiseland, and cross-country skier Alexander Bolshunov won the most total medals at the games with five each.[6] Bø also earned the most gold medals with four.[7] Snowboarder Zoi Sadowski-Synnott of New Zealand won the first Winter Olympic gold medal for that nation."], "noise_rate": 0.2, "factlabel": 0} +{"id": 31, "query": "Who won the Male Vocalist of the Year at the 2022 CMA ?", "ans": ["Chris Stapleton"], "label": [1], "prediction": "According to the provided document, Chris Stapleton won the Male Vocalist of the Year award at the 2022 CMA Awards.", "docs": ["Nov 10, 2022 ... Chris Stapleton Wins Male Vocalist of the Year at CMA Awards 2022 · More videos · More videos on YouTube · CMA Awards 2022: Winners & Performances.", "By Maxim Mower Link copied Chris Stapleton picked up his sixth Male Vocalist of the Year prize at the 56th Annual CMA Awards, making him the most decorated artist of all-time in this category. Stapleton has now surpassed country icons such as George Strait, Vince Gill and Blake Shelton with six Male Vocalist of the Year wins. In his acceptance speech, the Kentucky crooner paid tribute to the other artists nominated in this year’s category, Luke Combs, Eric Church, Cody Johnson and Morgan Wallen. This marks the second year in a row that Stapleton has taken home the award, and consolidates the ‘You Should Probably Leave’ songsmith’s status as one of the preeminent artists of the past decade. In addition to this, Stapleton took to the CMA stage for a memorable rendition of ‘You’ll Never Leave Harlan Alive’ with fellow Kentuckian, Patty Loveless. The CMA Awards 2022 also saw performances from artists such as Carrie Underwood, Thomas Rhett, Katy Perry, Zac Brown Band, Miranda Lambert, HARDY, Lainey Wilson and more. Chris Stapleton was nominated in four other categories, including Entertainer of the Year, which went to Luke Combs, and Music Video of the Year, for his high-profile Taylor Swift collaboration, ‘I Bet You Think About Me (Taylor’s Version) (From The Vault)’.", "Entertainer of the Year CMA Awards:Alan Jackson earns Lifetime Achievement Award, all-star tribute Female Vocalist of the Year Male Vocalist of the Year Single of the Year Album of the Year Song of the Year Vocal Group of the Year Vocal Duo of the Year New Artist of the Year Musical Event of the Year Music Video of the Year Musician of the Year", "The following list shows the recipients for the Country Music Association Award for Male Vocalist of the Year.[1] This Award goes to the artist. The Award is based on individual musical performance on a solo Country single or album release, as well as the overall contribution to Country Music.[2] This award was one of the original awards given at the first ceremony in 1967. The inaugural recipient of the award was Jack Greene in 1967. Chris Stapleton holds the record for most wins in the category, with six, while five-time recipient George Strait has a leading twenty-five nominations. Dierks Bentley and Eric Church holds the record for most nominations without a win, with nine each. The current holder of the award is Stapleton, who won at the 56th Annual Country Music Association Awards in 2022. In CMA history only thirteen men have won Male Vocalist of the Year the very first time they were nominated. They are:", "Chris Stapleton won the trophy for Male Vocalist of the Year at the 2022 CMA Awards, beating out fellow nominees Eric Church, Luke Combs, Cody Johnson and Morgan Wallen.  Visibly moved by the win, Stapleton used the opportunity to share his appreciation with those who have supported his career through the years. \"This is a dream every minute we get to live this,\" he told the crowd during his acceptance speech. \"I'm evidence that dreams come true all the time, so thank you, thank you to everybody.\" Stapleton's Wednesday night win marks the second consecutive year that he has won the Male Vocalist of the Year trophy, and his sixth win in the category overall. From 2015 to 2018, the singer had a hot streak as Male Vocalist, but Combs toppled his reign for two years in 2019 and 2020. Still, in 2022, Stapleton's steady traditionalism and consistency as a live act won the day. Together with his All-American Road Show, the singer has been one of country music's most prolific and reliable touring acts this year, and he is even the subject of a current Country Music Hall of Fame exhibit. Early in the year, he won three Grammy Awards, including Best Country Album for his late 2020 project, Starting Over. The 2022 CMA Awards aired live from Nashville's Bridgestone Arena on ABC."], "noise_rate": 0.2, "factlabel": 0} +{"id": 32, "query": "Who won the ACC Tournament in 2022?", "ans": ["Virginia Tech"], "label": [1], "prediction": "According to the provided document, Virginia Tech won the 2022 ACC Tournament by upsetting Duke 82-67 to win the title. This was their first ACC Tournament title and only their second conference tournament title in program history.", "docs": ["Mar 12, 2022 ... The 2022 ACC tournament for men's basketball finished Saturday, March 12 as Virginia Tech upset Duke 82-67 to win the title.", "The 2022 ACC men's basketball tournament (officially the 2022 New York Life ACC Men's Basketball Tournament, for sponsorship reasons) was the postseason men's basketball tournament for the 2021–22 Atlantic Coast Conference men's basketball season. It was held at the Barclays Center in Brooklyn, New York, during March 8–12, 2022.[1] The 2022 tournament was the 69th annual edition of the tournament. The Virginia Tech Hokies won the tournament, their first ACC Tournament title and only their second conference tournament title in program history, receiving the conference's automatic bid to the 2022 NCAA tournament. The Hokies were the second ACC champion to win four tournament games to secure the title and were the lowest overall seed to win the title.[2] All 15 ACC teams participate in the tournament. Teams were seeded by conference record, with a tiebreaker system to seed teams that finished with identical conference records.[3] Duke secured the regular season title and the first overall seed. Notre Dame, North Carolina, and Miami were the other teams to secure double-byes.[4] ‡ – ACC Regular Season Champions.† – Received a double-bye in the conference tournament.# – Received a single-bye in the conference tournament. * – Denotes overtime period Tournament MVP: Hunter Cattoor, Virginia Tech All-Tournament Teams:[5]", "🏈 Ranking the top 25 college football teams 🏆 Preseason FCS bracket projections 📈 HBCU football power rankings 📊 Men's soccer preseason rankings The 2022 ACC tournament for men's basketball finished Saturday, March 12 as Virginia Tech upset Duke 82-67 to win the title. It's the Hokies' first ACC tournament title. Last year, Georgia Tech beat Florida State 80-75 to win the championship. This year's event was played at the Barclays Center in Brooklyn, New York. TOURNEY TIME. 🏀🏆: https://t.co/kvjWZzXTIv pic.twitter.com/ILOzKE4qzd CLICK OR TAP HERE TO SEE THE BRACKET AND MATCHUPS Click or tap here for a live scoreboard. All times ET. Tuesday, March 8 Game 1: No. 13 Boston College 66, No. 12 Pitt 46  Game 2: No. 10 Clemson 70, No. 15 NC State  64 Game 3: No. 11 Louisville 84, No. 14 Georgia Tech 74  Wednesday, March 9 Game 4: No. 9 Syracuse 96, No. 8 Florida State 57 Game 5: No. 13 Boston College 82, No. 5 Wake Forest 77 (OT) Game 6: No.", "With the win, Carolina owns a 14-11 advantage over the Pack in the ACC tournament. UNC is 3-1 against N.C. State this season. Ninety minutes before the first pitch, fans in blue or red tops made their way through the concourse, eventually filling up the bleachers at Truist Field. In 2013, 11,392 fans packed the DPAC in Durham to watch the rivals play in the ACC tournament. Sunday, 10,500 made their way into Truist Field, setting a tournament record for the venue, with local Carolina fans still scooping up tickets late into the game. N.C. State, the first double-digit seeded team to make the final, scored 28 runs in their previous three games this week. After being shut out last year against Duke in the title game, the Pack got on the board in the first inning. It was downhill from there. N.C. State’s Devonte Brown ripped a double on the second pitch of the game. He looked to the Wolfpack dugout and there was a brief celebration. Brown later scored on a controversial play. The umpires took a second look to see if Brown actually tagged third base on his way by. He had, and N.C. State grabbed the lead. Then, UNC took the plate. Honeycutt hit his 19th home run of the season, a two-run shot over the Piedmont Natural Gas picnic area.", "The 2022 ACC men's basketball tournament was the postseason men's basketball tournament for the 2021–22 Atlantic Coast Conference men's basketball season. It was held at the Barclays Center in Brooklyn, New York, during March 8–12, 2022.[1] The 2022 tournament was the 69th annual edition of the tournament. The Virginia Tech Hokies won the tournament, their first ACC Tournament title and only their second conference tournament title in program history, receiving the conference's automatic bid to the 2022 NCAA tournament. The Hokies were the second ACC champion to win four tournament games to secure the title and were the lowest overall seed to win the title,[2] until NC State won the 2024 tournament as a 10-seed two years later. All 15 ACC teams participate in the tournament. Teams were seeded by conference record, with a tiebreaker system to seed teams that finished with identical conference records.[3] Duke secured the regular season title and the first overall seed. Notre Dame, North Carolina, and Miami were the other teams to secure double-byes.[4] ‡ – ACC Regular Season Champions.† – Received a double-bye in the conference tournament.# – Received a single-bye in the conference tournament. * – Denotes overtime period Tournament MVP: Hunter Cattoor, Virginia Tech All-Tournament Teams:[5]"], "noise_rate": 0.2, "factlabel": 0} +{"id": 33, "query": "What chip does the iPhone 14 have?", "ans": ["A15"], "label": [1], "prediction": "According to the document, the iPhone 14 and iPhone 14 Plus have the same A15 chip, while the iPhone 14 Pro and iPhone 14 Pro Max have the A16 chip.", "docs": ["The iPhone 14's A15 chip has a 6-core CPU, 5-core GPU, and a 16-core Neural Engine. It is identical to the A15 in the previous year's iPhone 13 Pro and 13 Pro ...", "By Mitchell Clark Apple has announced that the regular iPhone won’t be getting a new processor this year — instead, the iPhone 14 and 14 Plus will be powered by Apple’s A15 Bionic chip, the same chip that’s in the iPhone 13 Pro — though it does have a bit more grunt than the A15 that was in the regular iPhone 13 and the $429 iPhone SE from earlier this year, thanks to an extra GPU core. This is the first time that Apple’s not updating to a new processor for one of its flagship iPhones since the 2008 iPhone 3G, which featured virtually the same internals as the original iPhone. The iPhone 14 Pro, meanwhile, has an A16 processor, which the company says is more power efficient, even when doing intensive tasks. The raw specs of the new chip are similar, though — like the A15 in the regular 14, it has a six-core CPU, a five-core GPU, and a 16-core Neural Engine. The new version just has better cores, according to Apple. The decision not to update the chipset for the standard iPhone 14 isn’t exactly a surprising one. Analysts like Ming-Chi Kuo and reporters like Mark Gurman have been predicting the move for months, and the chip shortage isn’t quite over yet. Using tried and true chips that Apple’s manufacturer already has experience making could help ensure that there are enough processors to meet demand.", "Learn how to identify your iPhone model by its model number and other details. Learn how to find the model number of your iPhone. Then find the model number in the list below. Year introduced: 2022 Capacity: 128 GB, 256 GB, 512 GB, 1 TB Colors: Silver, gold, space black, deep purple Model numbers: A2651 (United States, Puerto Rico), A2893 (Canada, Guam, Japan, Mexico, Saudi Arabia, and U.S. Virgin Islands), A2896  (China mainland, Hong Kong, Macao), A2895 (Armenia, Belarus, Kazakhstan, Kyrgyzstan, Russia), A2894 (other countries and regions) Details: iPhone 14 Pro Max has a 6.7-inch1 all-screen Super Retina XDR display. The back is premium matte glass, and there's a flat-edge stainless steel band around the frame. The side button is on the right side of the device. There are three cameras on the back: Ultra Wide, Main, and Telephoto. There's a LiDAR Scanner on the back. There's an LED True Tone flash on the back. In the United States, there is no SIM tray.", "Apple's new A16 Bionic chip in the iPhone 14 Pro and iPhone 14 Pro Max costs $110 to produce, making it over 2.4× as costly as the A15 chip in iPhone 13 Pro models released last year, according to a Nikkei Asia report. The A16's higher cost is likely due in part to the chip being manufactured based on TSMC's 4nm process, while the A15 is a 5nm chip. iPhone chips could continue to increase in price as miniaturization continues, with rumors suggesting the A17 chip in iPhone 15 Pro models will be based on TSMC's 3nm process, and a DigiTimes report this week claiming that TSMC will begin volume production of 2nm chips in 2025. Geekbench 5 benchmark results indicate the A16 chip delivers around 15% to 17% faster multi-core performance compared to the A15 chip. Only the iPhone 14 Pro and iPhone 14 Pro Max are equipped with the A16 chip, while the iPhone 14 and iPhone 14 Plus have the same A15 chip with a five-core GPU as found in iPhone 13 Pro models.", "With the A16, Apple's transistor count increased only modestly from 15 billion transistors on the A15. The A16 has \"nearly 16 billion transistors,\" Apple marketing chief Greg Joswiak said. The A14 has 11.8 billion transistors, and the A13 has 8.5 billion transistors. You may not notice new chip performance directly, but it's key to delivering new abilities, like the iPhone 14 Pro's advanced photo and video processing. The act of taking a photo exercises the A16's CPU, GPU, image processor and neural engine, cranking out up to 4 trillion operations per photo to deliver an image. Unlike with previous iPhone generations, the A16 will only be available in Apple's higher-end iPhone 14 Pro and Pro Max models. The more mainstream iPhone 14 and 14 Plus will make do with the A15 chip that Apple debuted in 2021. Apple didn't immediately respond to a request for comment. A reported Geekbench test result shows modest performance gains overall. In single threaded tasks, which depend on the speed of an individual CPU core to do one important job, performance rose a significant 10% from a score of 1,707 on the iPhone 13 Pro to 1,879 on the iPhone 14 Pro, according to a test result spotted by MacRumors."], "noise_rate": 0.2, "factlabel": 0} +{"id": 34, "query": "When is Google I/O 2022 scheduled to take place?", "ans": ["May 11", "12"], "label": [1, 1], "prediction": "According to the document, Google I/O 2022 is scheduled to take place on May 11 and 12.", "docs": ["Read: Google Bard: How the ChatGPT alternative works Bard, Google's answer to OpenAI's ChatGPT, is an AI language model that can write poetry, fiction, and more. At I/O 2023, Google said it's now available to everyone and has been updated with improvements such as advanced math, reasoning skills, coding capabilities, and now supports over 180 countries and territories. Bard will become more visual, too, allowing users to include images with text in their prompts. In the future, Bard will even integrate Adobe Firefly to generate high-quality images. Coding upgrades have been incorporated as well, including source citations, dark theme, and an export button. Bard is also being connected with Google apps and other partners, including Kayak, OpenTable, ZipRecruiter, Instacart, Wolfram, and Khan Academy. Read: Wear OS: Your complete guide to Google's smartwatch OS Google is preparing for Wear OS 4, despite Wear OS 3 not being fully available to all yet. It will have improved battery life, accessibility features, and a backup/restore option. It also offers better smart home integrations -- allowing you to do tasks like adjust lighting, control media, and preview camera notifications. It's currently only available in a developer preview and emulator, withavailability expected later this year. There were several other announcements slipped into the keynote.", "That's in line with when Google normally holds its developers conference — last year's edition took place on May 11 and May 12, for example. There will be an in-person event at the Shoreline Amphitheatre in Mountain View, Calif., a venue that's just down the street from Google headquarters. Most people will attend virtually, though since Google streams its developer conference. The Google I/O 2023 website promises a kickoff keynote that gets underway at 1 p.m. ET/ 10 a.m. PT/ 6 p.m. BST on May 10. A developer keynote will follow afterward, diving into more detail on tools available to Google developers. You can find a full Google I/O 2013 schedule listing the different presentations. The Google I/O 2023 agenda doesn't provide any specific details about what's in store on May 10. But we can make some educated guesses about what's on tap, given Google's past announcements and rumors about the company's current plans. Google Bard is just the start of the company's grand plans for AI-powered search. According to a report in The New York Times, Samsung is considering ditching Google as the default search engine for its devices in favor of Bing. And Google is feverishly working on the next stage of its search engine which will integrate a chatbot.  Dubbed Project Magi, Google has reportedly devoted a large portion of its staff to accelerating the implementation of AI into its search engine.", "Tech conferences are back, baby. Sort of. That's according to Google, which on Wednesday announced that its annual developer conference, Google I/O, is scheduled to take place on May 11 and 12, 2022. \"We'll be back live from Shoreline Amphitheater for this year's #GoogleIO,\" wrote Google CEO Sundar Pichau. \"Join us online May 11-12\" Notably, this year's Google I/O website suggests but doesn't clearly confirm that 2022's conference may have some in-person element along with an online stream. \"Join I/O live from Shoreline and online May 11-12, 2022,\" notes the site. We reached out to Google to determine whether or not attendees will be showing up in the flesh at Shoreline this year, and a company spokesperson clarified that developers and press should not plan on physically attending the event. Actual, real in-person attendance will primarily be restricted to Google employees and partners. Google I/O was straight up canceled in 2020, as the coronavirus pandemic ravaged the world, \"out of concern for the health and safety of our developers, employees, and local communities—and in line with 'shelter in place' requirements by the local Bay Area government.\" This year, apparently, will be different. Probably. Assuming, of course, no surprises get in the way. UPDATE: Mar.", "With I/O 2022 just two weeks away, Google this afternoon previewed the schedule for its developer conference. It starts with Sundar Pichai’s “Google I/O keynote” on Wednesday, May 11 at 10 a.m. An end time was not listed, while the Developer keynote follows it. Tune in to find out how we’re furthering our mission to organize the world’s information and make it universally accessible and useful. The “What’s new” keynotes are next, and cover: In terms of scheduling, “all keynotes, product announcements, and learning lab content on day one. Meanwhile, “all technical sessions will be available on-demand” the next day at 9 a.m. PT. Tap the bookmark on each session page to save them to your “My I/O.” In past years, today’s drop should just serve as the initial look at the schedule with the full session list coming after the main keynote takes place. That appears to be the case again for 2022. Other notable sessions include: Updating… Google I/O 2022 takes place May 11-12, and 9to5Google will be providing extensive coverage so stay tuned. FTC: We use income earning auto affiliate links. More. Check out 9to5Google on YouTube for more news: Editor-in-chief. Interested in the minutiae of Google and Alphabet. Tips/talk: abner@9to5g.", "Google has released the Google I/O 2022 schedule, giving us a brief overview of what to expect. Read on to know more. We’re just two weeks away from Google I/O 2022. While the yearly event is primarily targeted at developers, there will be plenty of fun stuff for enthusiasts and the general public. Google usually doesn’t reveal much about what it plans to announce at the event. However, the company has now released the Google I/O 2022 schedule, giving us a brief overview of what to expect. Google I/O 2022 will be held on May 11 and May 12 at the Shoreline Amphitheater. The event will kick off with Sundar Pichai’s “Google I/O keynote” at 10 AM. This will be the main attraction for the general population as the main event tends to be more consumer-focused. While the event’s description doesn’t provide specifics, expect to see announcements for popular Google services, Workspace, privacy, health, and Google’s other new projects and endeavors. Also, keep an eye out for potential hardware announcements in the form of the Pixel 6a, Pixel Watch, and smart home devices. The main keynote will be followed by the Developer keynote and “What’s new in Android.” This is where we expect to learn more about Android 13, Wear OS, and updates to developer products and tools. Google says the schedule is slightly different this year."], "noise_rate": 0.2, "factlabel": 0} +{"id": 35, "query": "who will direct Irredeemable film?", "ans": ["Jeymes Samuel"], "label": [1], "prediction": "According to the document, Jeymes Samuel will direct the film adaptation of the graphic novel series Irredeemable and Incorruptible.", "docs": ["BAFTA Film Award winner Jeymes Samuel (The Harder They Fall) is set to direct a film adaptation of the BOOM! Studios' graphic novel series Irredeemable and ...", "Gary Sanchez produced Wirkola’s delightfully irreverent and coarse Hansel and Gretel film, and Wirkola most recently completed What Happened to Monday? for Vendome with Noomi Rapace, Glenn Close and Willem Dafoe starring. He’s separately developing War Pigs for producer Lorenzo di Bonaventura. His previous work includes Dead Snow and its sequel Wirkola is repped by CAA, Principato-Young Entertainment and attorney Michael Schenkman; McKay is repped by WME and Mosaic. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply.\t\t Get our latest storiesin the feed of your favorite networks We want to hear from you! Send us a tip using our annonymous form. Sign up for our breaking news alerts \t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply.\t Deadline is a part of Penske Media Corporation. © 2023 Deadline Hollywood, LLC. All Rights Reserved. \t\tBy subscribing, I agree to the Terms of Use and Privacy Policy.", "JAY-Zand director Jeymes Samuel are teaming up again. Six months after the release of their Netflix show-stopper The Harder They Fall, on Thursday, it was announced that the two are collaborating on a film adaption of graphic comics Irredeemable and its spinoff Incorruptible. Directed by Samuel with co-production from Hov and James Lassiter, Kemp Powers, whose credits include 2021 Disney+ film Soul and Marvel Studios upcoming Spider-Man: Across the Spider-Verse, will write the script. Boom! Studios’ Stephen Christy and Ross Richie will also assist as co-producers. The Irredeemable graphic series dramatizes how The Plutonian, the world's greatest hero, snapped and became a supervillain. In the comic's sister series Incorruptible, supervillain Max Damage responds to Plutonian's evil by transforming into a superhero. In a statement, Netflix briefly explained the synopsis of the upcoming film. \"Protagonists from each series – one a villain on a quest to become a superhero, and the other a fallen hero turned villain – face off.\" Originating from comic book publisher Boom! Studios, the series was created by author Mark Waid with illustration from Peter Krause. Krause spoke with Deadline about the upcoming Netflix adaptation.", "Netflix to Develop Film Adaptation of Irredeemable and Incorruptible Graphic Novel Series with The Harder They Fall Director Jeymes Samuel & Academy Award-Nominated Screenwriter Kemp Powers BAFTA Film Award winner Jeymes Samuel (The Harder They Fall) is set to direct a film adaptation of the BOOM! Studios’ graphic novel series Irredeemable and its spin-off Incorruptible for Netflix. Academy Award nominated Kemp Powers (writer of One Night in Miami and Soul and director of the upcoming Spider-Man: Across the Spider-Verse (Part One) with Joaquim Dos Santos & Justin Thompson) will pen the adaptation, which will have the protagonists from each series – one a villain on a quest to become a superhero, and the other a fallen hero turned villain – face off. The film will be produced by Shawn Carter, James Lassiter, and Stephen Christy & Ross Richie for BOOM! Studios. Kemp Powers and Adam Yoelin are executive producers on the film. Mette Norkjaer will oversee the project for BOOM! Studios. When the world’s most powerful and beloved superhero, the god-like Plutonian, inexplicably begins slaughtering everyone on Earth, the only person that can stop him is his former arch-nemesis, the super-powered villain Max Damage.", "JAY-Z will reunite with 'The Harder They Fall' director Jeymes Samuel for an adaption of graphic series 'Irredeemable and Incorruptible'."], "noise_rate": 0.2, "factlabel": 0} +{"id": 36, "query": "What is the name of China's rover on Mars?", "ans": ["Zhurong"], "label": [1], "prediction": "According to the provided document, the name of China's rover on Mars is Zhurong (Chinese: 祝融号), which was chosen through an online poll held from January to February 2021.", "docs": ["39][40] Tianwen-1's rover is named Zhurong (Chinese: 祝融号), after a Chinese mytho-historical figure usually associated with fire and light.[41] The name was chosen through an online poll held from January to February 2021.[42] China's Mars program started in partnership with Russia. In November 2011, the Russian spacecraft Fobos-Grunt, destined for Mars and Phobos, was launched from Baikonur Cosmodrome. The Russian spacecraft carried with it an attached secondary spacecraft, the Yinghuo-1, which was intended to become China's first Mars orbiter (Fobos-Grunt also carried experiments from the Bulgarian Academy of Sciences and the American Planetary Society). However, Fobos-Grunt's main propulsion unit failed to boost the Mars-bound stack from its initial Earth parking orbit and the combined multinational spacecraft and experiments eventually reentered the atmosphere of Earth in January 2012.[citation needed] In 2014, China subsequently began an independent Mars project.[43] The new Mars spacecraft, consisting of an orbiter and a lander with an attached rover, was developed by the China Aerospace Science and Technology Corporation (CASC) and is managed by the National Space Science Centre (NSSC) in Beijing.[44] The mission was formally approved in 2016.[45]", "A probe would be sent to Martian orbit and attempt to land on Mars in 2020.[15] On 23 August 2016, CNSA revealed the first images of the final version of the Mars mission spacecraft, which confirmed the composition of a Mars orbiter, lander, and rover in one mission.[16] The scientific objectives and payloads of the Mars mission were declared in a paper published in Journal of Deep Space Exploration in December 2017.[17] On 24 April 2020, China's interplanetary exploration program was formally announced by CNSA, along with the name Tianwen and an emblem of the program.[18] The first mission of the program, the Mars mission to be carried out in 2020, was named Tianwen-1.[19] On 24 April 2021, in anticipation of the upcoming landing attempt, CNSA formally announced that the rover would be named Zhurong (Chinese: 祝融号).[20] Mockup of the Zhurong rover at the 69th International Astronautical Congress Full-scale mockup of Zhurong rover and Tianwen-1 lander. Artist's Rendering of Tianwen-1 mission components To design and test the rover and simulate conditions at Utopia Planitia, CNSA kept a test bed rover in a Mars yard at the China Academy of Space Technology in Beijing.", "six-wheel solar-powered rover, looking like a blue butterfly with a mass of 240 kg, carries the Terrain Camera, Multispectral Camera, Mars-Rover Subsurface Exploration Radar, Mars Surface Composition Detector, Mars Magnetic Field Detector and Mars Meteorology Monitor. China National Space Administration (CNSA) announces the name of China's first Mars rover in Nanjing, east China's Jiangsu Province, April 24, 2021. (Xinhua/Ji Chunpeng)The global campaign of naming the rover kicked off last July. Netizens at home and abroad were invited to vote for their favorite among 10 candidates from Jan. 20 to Feb. 28.Last month, three possible names emerged, with Zhurong topping the list.In 2016, China set April 24 as the country's Space Day to mark the launch of its first satellite \"Dongfanghong-1\" into space on April 24, 1970.Nanjing, the capital city of east China's Jiangsu Province, hosted the main events marking this year's Space Day in China.The various activities on Space Day have become a window for the Chinese public and the world to better understand China's aerospace progress.", "On 14 November 2019, CNSA invited some foreign embassies and international organizations to witness hovering and obstacle avoidance test for the Mars Lander of China's first Mars exploration mission at the extraterrestrial celestial landing test site. It was the first public appearance of China's Mars exploration mission.[46] As the mission preparation proceeded, in April 2020, the mission was formally named \"Tianwen-1\".[47] On 23 July 2020, Tianwen-1 was launched from Wenchang Spacecraft Launch Site on the island of Hainan atop a Long March 5 heavy-lift launch vehicle.[22] In September 2020, the Tianwen-1 orbiter deployed the Tianwen-1 First Deployable Camera (TDC-1), a small satellite with two cameras that took photos of and tested a radio connection with Tianwen-1.[10] Its mission was to photograph the Tianwen-1 orbiter and the lander's heat shield.[10] Due to the time when it was deployed, it trajectory predicted to do a flyby of Mars with that happening around the orbit insertion date. During its cruise to Mars, the spacecraft completed four trajectory correction maneuvers plus an additional maneuver to alter its heliocentric orbital inclination; it also performed self diagnostics on multiple payloads.", "To enjoy additional benefits CONNECT WITH US April 25, 2021 05:06 pm | Updated 05:06 pm IST - BEIJING COMMents SHARE READ LATER This artist's rendering provided to China's Xinhua News Agency on Aug. 23, 2016, by the lunar probe and space project center of Chinese State Administration of Science, Technology and Industry for National Defense, shows a concept design for the Chinese Mars rover and lander. China’s first Mars rover will be named Zhurong after a traditional fire god, the government announced Saturday. The rover is aboard the Tianwen-1 probe that arrived in Mars orbit on February 24 and is due to land in May to look for evidence of life. It is part of Chinese space plans that include launching a crewed orbital station and landing a human on the moon. China in 2019 became the first country to land a space probe on the little-explored far side of the moon and in December returned lunar rocks to Earth for the first time since the 1970s. The rover’s title fits with the Chinese name for Mars — “Huo Xing,” or fire star, the China National Space Administration said. The name “signifies igniting the flame of China’s planetary exploration,” a deputy CNSA administrator, Wu Yanhua, was cited by the official Xinhua News Agency as saying."], "noise_rate": 0.2, "factlabel": 0} +{"id": 37, "query": "Who is being honored with the 2022 Warrior Award?", "ans": ["Shad Gaspard"], "label": [1], "prediction": "According to the provided documents, Shad Gaspard is being honored with the 2022 Warrior Award.", "docs": ["WWP received the HIRE Vets Gold Medallion in 2021. This year, the Department of Labor identified criteria that lifted WWP to the Platinum Medallion, including a pay differential program to offset income during guard or reserve service, a tuition reimbursement program, and a veteran employee retention threshold. In 2020, WWP launched the Veterans Engagement Team (VET), which includes a diverse group of veteran teammates around the country who help support each other and new veterans joining the organization. It helps WWP's veteran employees with advice, answers to questions, and promotes growth and long-term success. Wounded Warrior Project started in 2003 with a simple mission to deliver comfort items to injured service members at their hospital bedside. In the nearly 20 years since, WWP has grown to provide life-saving programs and services in mental and brain health, career counseling, advocacy, physical health and wellness, connection, and long-term rehabilitative care. About Wounded Warrior Project\r Since 2003, Wounded Warrior Project® (WWP) has been meeting the growing needs of warriors, their families, and caregivers — helping them achieve their highest ambition. Learn more.   SOURCE Wounded Warrior Project 877.TEAM.WWP (832.", "couldn't think of anyone better to put me in the #WWEHOF than @VinceMcMahon. One final ride together, old-timer!!![6] On March 7, Bleacher Report and WWE announced that Vader would be inducted into the WWE Hall of Fame Class of 2022 posthumously.[7] On March 14, Complex.com and WWE announced that Queen Sharmell would be inducted into the Class of 2022.[8] The announcement of Sharmell's induction was met with widespread mixed reactions as fans either reacted positively to the news while others criticized the choice citing her lack of credentials within WWE and World Championship Wrestling (WCW). On March 25, FoxSports.com and WWE announced that former WWE wrestler Shad Gaspard would be receiving the Warrior Award posthumously, with his wife Siliana and son Aryeh accepting the award.[9] On March 28, David Shoemaker of The Ringer and WWE announced that The Steiner Brothers (Scott Steiner and Rick Steiner) would be inducted into the WWE Hall of Fame Class of 2022.[10] For the first time in 6 years, no Legacy Wing inductions took place. With an unprecedented induction that displayed his various Deadman genres on mannequins, Calaway made a 137-minute speech that opened with a 10-minute, emotional standing ovation from the live audience that brought Calaway to tears.", "Shad Gaspard has been posthumously named the recipient of the 2022 Warrior Award. Named after WWE Hall of Famer The Ultimate Warrior, The Warrior Award is presented to an individual who has exhibited unwavering strength and perseverance and who lives life with the courage and compassion that embodies the indomitable spirit of The Ultimate Warrior. The news was first reported by Foxsports.com. The Warrior Award presentation will be part of the WWE Hall of Fame Induction Ceremony, Friday, April 1, at American Airlines Center in Dallas as part of WrestleMania Week. The event will stream live exclusively on Peacock in the U.S. and WWE Network everywhere else. A larger-than-life Superstar with boundless charisma, Shad passed away on May 17, 2020. While swimming with his son, the pair got caught in a strong current in Venice Beach, Cal. In a heroic act of love, the concerned father instructed lifeguards to save his son before himself and disappeared soon after. Days later, his passing was confirmed. He was 39 years old. Shad’s bravery and selflessness will be honored next Friday with the 2022 Warrior Award as part of the 2022 WWE Hall of Fame Induction Ceremony. WWE Global Ambassador Titus O’Neil has been named the recipient of the 2020 Warrior Award. Longtime WWE employee Rich Hering has been named the recipient of the 2021 Warrior Award.", "Shad Gaspard, the former WWE Superstar who died while saving his son, will be honored posthumously with the 2022 Warrior Award at this year's WWE Hall of Fame ceremony in Dallas, nearly two years after the tragic incident. The former wrestler will be recognized for his heroic efforts ... and will receive one of WWE's most prestigious awards during WrestleMania weekend. The Warrior Award was introduced in 2015 -- it was named after WWE Hall of Famer, Ultimate Warrior -- and is presented to an individual who has exhibited unwavering strength and perseverance. UPDATE: officials confirm description of pro wrestler Shad Gaspard matches that of the body discovered after washing up on shore in Venice Beach. @FOXLA @GDLA @LACoLifeguards 💔 pic.twitter.com/1EGKkglcNf The award is reserved for an individual who lives life with the courage and compassion that embodies the indomitable spirit of the Ultimate Warrior, one of the most popular wrestlers to step foot in a ring. 39-year-old Gaspard personified those traits ... especially in the waning moments of his life. As we previously reported, the wrestler was swimming with his 10-year-old son near Venice Beach in L.A. when a strong rip current engulfed the two. Lifeguards were able to locate Gaspard and his son, but he told them to focus on getting his son to shore safely.", "Retrieved March 18, 2022. ^ Satin, Ryan (March 25, 2022). \"WWE honoring Shad Gaspard with 2022 Warrior Award ..."], "noise_rate": 0.2, "factlabel": 0} +{"id": 38, "query": "What is the weight of the Surface Laptop SE?", "ans": [["2.45", "1,112.4"]], "label": [1], "prediction": "According to the provided documents, the weight of the Surface Laptop SE is 2.45 pounds (1,112.4 g).", "docs": ["Accessories The Surface Laptop SE is a laptop computer manufactured by Microsoft. Unveiled on November 9, 2021, it is an entry-level model in the Surface Laptop series positioned exclusively towards the education market. It was released on 9 November 2021. The Surface Laptop SE has a plastic body and shares some components (such as the keyboard) with the Surface Laptop Go. Microsoft stated that it was designed to be more repairable than other Surface models, with replacement parts (such as batteries, displays, keyboards, and motherboards) to be available through its service partners for on-site repairs.[1][2] The device uses an Intel Celeron CPU, with configurations using either a Celeron N4020 with 4 GB of RAM and 64 GB of internal storage, or the N4120 with 8 GB of RAM and 128 GB of internal storage. It has two USB ports, one of which is USB-C. Unlike other Surface models, the Laptop SE uses a round, non-magnetic power connector. It includes a 10.1-inch screen at 1366×768 resolution, and a one-megapixel webcam.[1][3] It ships with Windows 11 SE, a variant of the operating system with optimizations for the education market.[3][4]", "Mar 25, 2022 ... MICROSOFT SURFACE LAPTOP SE SPECS (AS REVIEWED) · Processor: Intel Celeron N4120 · Memory: 8GB DDR4 · Storage: 128GB eMMC · Weight: 2.45 lbs ...", "The most affordable Surface, designed for students. Help students achieve the skills they need for their future with a laptop designed for Windows 11 SE and Microsoft 365 for Education.1 Deliver value to schools and IT admins who demand easy deployment, modern management, and security built in. Starting at $249.99   Surface Laptop SE simplifies learning for students. Running Windows 11 SE, an operating system designed for education, students have access to built-in apps, web experiences to help them learn and develop essential skills, and tools that meet them where they are, no matter their abilities. Starting at $249.99 Up to 16 hours3 to stay powered through the day, from work in the classroom to homework. Tackle school assignments from anywhere with online and offline capability.1 Seamlessly run Windows 11 SE, built-in essential apps, and premium learning experiences. 11.17-inch x 7.6-inch x 0.70-inch (283.70 mm x 193.05 mm x 17.85 mm) 4GB or 8GB DDR4 1 x Hall-effect Sensor 2.45 lb (1,112.4 g) Storage4 64GB or 128GB Embedded MultiMedia Card (eMMC) Battery life3 Up to 16 hours of typical device usage Warranty6 Eco Labels and Rating9 Help keep students protected.", "By Monica Chin, a senior reviewer covering laptops and other gadgets. Monica was a writer for Tom's Guide and Business Insider before joining The Verge in 2020. Photography by Amelia Holowaty Krales / The Verge If you buy something from a Verge link, Vox Media may earn a commission. See our ethics statement. When I review a particularly ugly Windows laptop, I’ll often refer to it as having a “laptop cart” look. If you were a student at any point after the early 2000s, you probably understand why. The laptops that schools provide to elementary and middle school kids are famously ugly, old, and terrible in all kinds of ways.  With the Surface Laptop SE, which is tailor-made for education and being sold only to schools, Microsoft is trying a different tack. The Surface Laptop SE is a cute laptop. It looks like a miniature version of the company’s flagship Surface Laptop line, complete with the recognizable logo on the lid and bottom bezel. It’s quite light, at just 2.45 pounds. Unlike many clunky school models out there, this is a device I can easily see appealing to adults in the consumer space.  If it weren’t so dang slow.  I’m not gonna hold back here: this is the slowest computer I’ve ever used.", "2x7.6x0.7 inchesWEIGHT: 2.45 pounds LEARN MORE: Make the right decision when making purchasing decisions. Unlike most other computing devices, the Microsoft Surface Laptop SE is designed to be fully accessible for onsite repairs of common components, so students likely won’t have to wait to get back to work if their SE breaks. With no moving parts and a strong chassis, the Microsoft Surface Laptop SE is about as tough as a laptop can be without adding specifically ruggedized components. And while elementary education is hardly a war zone, younger students likely don’t treat their devices with as much care as adults. Microsoft talked with school administrators, teachers and IT professionals working with students ranging in age from kindergarten to eighth grade. It quickly became apparent that three key items — the screen, keyboard and battery — were the most commonly damaged or broken components on classroom laptops, especially in devices that also went home with students. Those three components made up 85 percent of all repair orders, and the repair process itself was also a detriment to education. Normally, broken units must be shipped to a factory or repair center that might take a week or longer to ship the device back — meaning broken laptops were not available to students for extended periods. The shipping costs also were often the responsibility of the school. Microsoft has revolutionized that process with the Microsoft Surface Laptop SE."], "noise_rate": 0.2, "factlabel": 0} +{"id": 39, "query": "Who stars in The Lost City?", "ans": ["Sandra Bullock", "Channing Tatum"], "label": [1, 1], "prediction": "According to the provided document, the stars in The Lost City are:\n\n1. Sandra Bullock\n2. Channing Tatum\n3. Daniel Radcliffe\n4. Da'Vine Joy Randolph\n5. Brad Pitt\n6. Oscar Nunez\n\nAdditionally, the document mentions that Patti Harrison and Loretta Sage also appear in the film, but I couldn't find any information on the specific roles they play.", "docs": ["The Lost City features Sandra Bullock, Channing Tatum, and Daniel Radcliffe, among a few other actors. Check out some fun facts about the cast. The 2022 film The Lost City is the perfect combination of comedy, adventure, romance, and an incredibly talented cast capable of pulling off any role. This film directed by Adam and Aaron Nee, from a story by Seth Gordon, features Loretta Sage, a brilliant author who writes romance novels set in exotic locations featuring Dr. Angela Lovemore and her romantic interest, Dash McMahon. But Loretta's real life bears no resemblance to the things she writes: after her husband's death, she became a reclusive, grumpy woman who is not even eager to write anymore. Halfway through a promotional tour for her latest novel, Loretta is kidnapped by a lunatic billionaire who wants her to lead him to a lost city treasure she depicted in her book. Fortunately, Loretta won't be alone: Alan, the cover model of her books, sets out on a journey to rescue her and demonstrate that he can also be a hero. Sandra Bullock and Channing Tatum headline this blockbuster alongside Daniel Radcliffe, Da'Vine Joy Randolph, Brad Pitt, and Oscar Nunez, among other actors. The Lost City was released in March 2022 and quickly became a box office hit.", "When co-director-writers Adam and Aaron Nee set out to make their film The Lost City, they put their actors through their own jungle misadventure. \"Sandy, I remember early on putting you and Channing in the ocean, surrounded by jellyfish, and feeling like we were going to lose our actors in week one,\" Adam says of stars Sandra Bullock and Channing Tatum. The Lost City follows Bullock's Loretta, a successful but blocked romance novelist who, during her latest book tour with her handsome cover model, Alan (Channing Tatum), gets swept up in a kidnapping attempt that lands them both in a jungle chase. During EW's Around the Table with the cast — including Bullock, Daniel Radcliffe, Da'Vine Joy Randolph, Oscar Nuñez, and Patti Harrison — the directors likened shooting in the jungles of the Dominican Republic to \"a crazy, zany time.\" Tatum and Bullock weren't the only ones the Nee brothers worried about scaring off. Recalling Radcliffe's early days on set as the film's eccentric billionaire villain Abigail Fairfax, Aaron recalled, \"I think Adam and I thought, 'Oh no, we've just gotten Daniel here and we're going to throw him in the ocean.'\" Or, as Bullock puts it, \"And now, we're going to kill him.", "The Lost City - Cr. Paramount Pictures Get ready because The Lost City, one of the most highly-anticipated films all year, is officially coming to theaters later this week! At long last, movie-buffs will finally get their hands on this movie that is said to be one of the most action-packed releases of 2022. In just seeing the film’s many explosions and fight sequences, we can tell that the rumors are true. But, what we also know to be true is that this film has a riveting story you’re absolutely not going to want to miss out on. Check out the synopsis for The Lost City, here: The only thing better than this plot has to be the cast slated to appear in this 2022 movie.Who can you expect to see and which roles will they play? Find out as you read all about The Lost City‘s official cast, here. From Dog actor Channing Tatum who stars as Alan in this movie to Miracle Workers actor Daniel Radcliffe who plays the role of Fairfax, the cast of The Lost City features: And last but certainly not least, The Unforgiveable actress Sandra Bullock will play the lead role of  Loretta Sage in this 2022 title. See Bullock and the rest of this amazing cast in the official trailer of The Lost City down below.", "The Lost City[5] is a 2022 American action-adventure comedy film directed by the Nee brothers, who co-wrote the screenplay with Oren Uziel and Dana Fox, based on a story by Seth Gordon.[6] Starring Sandra Bullock, Channing Tatum, Daniel Radcliffe, Da'Vine Joy Randolph and Brad Pitt, the film follows a romance novelist and her cover model, who must escape a billionaire who wants her to find a lost ancient burial chamber described in one of her books. The project was announced in October 2020, with Bullock joining as producer and star and Tatum joining that December; the rest of the cast was announced the following year. Filming took place in the Dominican Republic from May to August 2021. The film premiered at South by Southwest on March 12, 2022, and was theatrically released by Paramount Pictures in the United States on March 25, 2022. It received generally positive reviews from critics and grossed over $190 million worldwide against a $68 million budget. Loretta Sage writes romance-adventure novels centered on a fictional heroine, Dr. Angela Lovemore, and her romantic interest, Dash McMahon.", "Weekend Box Office Results: The Lost City Scores Promising Debut Super Bowl Trailers 2022: Watch Every Movie and TV Trailer Right Now Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved."], "noise_rate": 0.2, "factlabel": 0} +{"id": 40, "query": "What happened at the Academy Awards involving Will Smith and Chris Rock?", "ans": ["slapped"], "label": [1], "prediction": "According to the provided documents, Will Smith walked onstage and slapped comedian Chris Rock across the face during Rock's presentation for Best Documentary Feature at the 94th Academy Awards on March 27, 2022. The slap was in response to Rock's joke about Smith's wife Jada Pinkett Smith's shaved head, which she had been shaving since 2021 due to alopecia areata.", "docs": ["During the 94th Academy Awards on March 27, 2022, actor Will Smith walked onstage and slapped comedian Chris Rock across the face during Rock's presentation ...", "During the 94th Academy Awards on March 27, 2022, actor Will Smith walked onstage and slapped comedian Chris Rock across the face during Rock's presentation for Best Documentary Feature. The slap was in response to Rock's joke about Smith's wife Jada Pinkett Smith's shaved head, which she had been shaving since 2021 due to alopecia areata. Smith returned to his seat and shouted profanity at Rock, who briefly responded, but completed his presentation without further interruption. Later that evening, Smith won Best Actor and apologized to the Academy of Motion Picture Arts and Sciences and other nominees, but not to Rock, in his acceptance speech. The next day, he issued an apology to Rock and the Academy through social media. Smith resigned his Academy membership on April 1, facing a potential suspension or expulsion, and was banned from attending Academy events for 10 years, effective April 8. Live television broadcasts in the United States mostly muted the incident due to federal censorship laws. However, uncensored international footage went viral on social media; an excerpt from the Australian broadcast became one of the most-viewed online videos in the first 24 hours. The incident received worldwide attention and largely overshadowed the rest of the ceremony. After the ceremony, some publications recalled Rock's past remarks about Jada Pinkett Smith. In 1997, he had commented on her participation in the Million Woman March in an interview on his late night-talk show, The Chris Rock Show.", "It was one of the most infamous moments in Academy Awards history that became known as \"the slap.\" The world could not stop talking about Will Smith striking comedian Chris Rock onstage at the 2022 Oscars after Rock made a joke about Smith's wife, Jada Pinkett Smith.  A lot has happened since the slap: Will Smith apologized (twice) and was banned from Academy events for 10 years. Chris Rock finally addressed the incident in-depth during a live comedy special, nearly a year after it happened. And the 2023 Oscars went down without any slaps – though the moment was certainly a talker during the show. Here's everything to know about the slap and everything that's happened since. The controversy began when Rock appeared onstage to present the Academy Award for best documentary feature during the 2022 Oscars ceremony. In his introduction, Rock made a joke about a possible \"G.I. Jane\" sequel in reference to Pinkett Smith's bald head. Smith appeared to first laugh at Rock's joke, though Pinkett Smith rolled her eyes and looked upset. Afterward, Smith walked up to the stage, slapped Rock and returned to his seat amid confusion in the crowd about whether the segment was scripted or real.  \"Will Smith just slapped the (expletive) out of me,\" Rock deadpanned to the audience.", "Filed under: What the American Oscars telecast cut from the Will Smith-Chris Rock confrontation. Will Smith has been banned from the Oscars for 10 years after slapping Chris Rock live on camera during the award show, the New York Times reports. The incident came in the final hour of an otherwise sleepy Oscars telecast on March 27. Rock made a joke about Smith’s wife, Jada Pinkett Smith, and Smith took the stage and slapped him. Minutes later, Smith won his first ever Oscar. “I did not know this was gonna be the most exciting Oscars ever,” marveled Diddy shortly after. “This action we are taking today in response to Will Smith’s behavior is a step toward a larger goal of protecting the safety of our performers and guests, and restoring trust in the Academy,” the Academy of Motion Picture Arts and Sciences said in an open letter on April 8. “We also hope this can begin a time of healing and restoration for all involved and impacted.” Smith, who resigned from the Academy on April 1, said in a statement, “I accept and respect the Academy’s decision.” Here’s what happened. Chris Rock was appearing at the Oscars to announce the winner for Best Documentary. In the leadup to announcing the nominees, he went through a little comedic patter about some of the nominees, and his attention appeared to snag on Smith’s wife, Jada Pinkett Smith, sitting in front in a green gown with a shaved head.", "[14][17][18][19] Many Internet memes and parodies have been created from the photo and video.[29][30] On March 31, additional smartphone footage was published from an audience member's perspective of the Smiths' table. This seems to show the reaction of Pinkett Smith during and after the joke, as unamused and rolling her eyes during the joke but then seeming to laugh when Rock commented, \"Will Smith just smacked the shit out of me.\" and \"That was a ... greatest night in the history of television.\"[31] In a statement on March 30, the Academy said Smith had been asked to leave the ceremony but refused.[32] However, others who were present in the room denied that Smith was ever asked, either directly or through a representative, to leave; disagreement ensued between members of the academy's leadership and ceremony producer Will Packer on whether Smith should be allowed to stay, which led to no action being taken.[33] Variety reported that Packer \"was the key to Smith remaining in his seat\".[33] In a subsequent interview with Good Morning America, Packer said he opposed suggestions to remove Smith from the theater because he did not believe that Rock would want it.[34] Within forty minutes, Smith was presented the award for Best Actor for his portrayal of Richard Williams in King Richard."], "noise_rate": 0.2, "factlabel": 0} +{"id": 41, "query": "When did Apple M2 chip?", "ans": [["June 6", "Jun 6", "Jun. 6", "6 June", "6 Jun", "6 Jun."]], "label": [1], "prediction": "According to the document, the Apple M2 chip was unveiled on June 6, 2022, at Apple's WWDC 2022 keynote.", "docs": ["When you purchase through links on our site, we may earn an affiliate commission. Here’s how it works. The M2 chip is here, ushering in the second generation of Apple's bespoke silicon The Apple M2 chip was unveiled at Apple's WWDC 2022 keynote on June 6, and it's the inaugural chip in Apple's second generation of bespoke silicon. This is significant because the M2 is an evolution of the remarkable M1 chip that debuted in 2020, and it powers Apple's new 13-inch MacBook Air 2022 and MacBook Pro 2022. These are successors to two of the best MacBooks on the market, so it's exciting to see what an M2 injection can do. The new Apple M2 chip debuted in two new laptops: the 13-inch MacBook Air and MacBook Pro, which launched in the Summer of 2022. The M2 chip is available in either the 13-inch MacBook Air 2022 (starting price: $1,199) or the MacBook Pro 2022 ($1,299), so you'll need to pay over $1k to get yourself an M2-powered MacBook. It's also available in the Mac mini M2, a cheaper and more powerful version of Apple's pint-sized Mac. Apple's new M2 chip is configurable with an 8-core CPU and up to a 10-core GPU.", "Mac computers powered with Apple silicon have access to the largest collection of apps ever for Mac, including iPhone and iPad apps that can run on Mac, and universal apps that unlock the full power of M-series chips. macOS Ventura, coming this fall, will also take full advantage of M2, bringing new features including Stage Manager, and powerful new capabilities with Continuity Camera and Handoff in FaceTime. macOS Ventura also includes big updates to Safari, Mail, Messages, Spotlight, and more. Apple Silicon and the Environment The power-efficient performance of M2 helps the new MacBook Air and 13-inch MacBook Pro meet Apple’s high standards for energy efficiency. Today, Apple is carbon neutral for global corporate operations, and by 2030, plans to have net-zero climate impact across the entire business, which includes manufacturing supply chains and all product life cycles. This means that every chip Apple creates, from design to manufacturing, will be 100 percent carbon neutral. About Apple Apple revolutionized personal technology with the introduction of the Macintosh in 1984. Today, Apple leads the world in innovation with iPhone, iPad, Mac, Apple Watch, and Apple TV. Apple’s five software platforms — iOS, iPadOS, macOS, watchOS, and tvOS — provide seamless experiences across all Apple devices and empower people with breakthrough services including the App Store, Apple Music, Apple Pay, and iCloud.", "Apple M2 is a series of ARM-based system on a chip (SoC) designed by Apple Inc. as a central processing unit (CPU) and graphics processing unit (GPU) for its Mac desktops and notebooks, and the iPad Pro tablet. It is the second generation of ARM architecture intended for Apple's Mac computers after switching from Intel Core to Apple silicon, succeeding the M1. Apple announced the M2 on June 6, 2022, at WWDC, along with models of the MacBook Air and the 13-inch MacBook Pro using the M2. The M2 is made with TSMC's \"Enhanced 5-nanometer technology\" N5P process and contains 20 billion transistors, a 25% increase from the M1. Apple claims CPU improvements up to 18% and GPU improvements up to 35% compared to the M1.[3] The M2 was followed by the professional-focused M2 Pro and M2 Max chips in January 2023. The M2 Max is a higher-powered version of the M2 Pro, with more GPU cores and memory bandwidth, and a larger die size.[4] Apple introduced the M2 Ultra in June 2023, combining two M2 Max chips in one package.[1]", "Text of this article June 6, 2022 PRESS RELEASE Apple unveils M2, taking the breakthrough performance and capabilities of M1 even further M2 delivers new levels of power-efficient performance and capabilities to the completely redesigned MacBook Air and updated 13-inch MacBook Pro CUPERTINO, CALIFORNIA Apple today announced M2, beginning the next generation of Apple silicon designed specifically for the Mac. Built using second-generation 5-nanometer technology, M2 takes the industry-leading performance per watt of M1 even further with an 18 percent faster CPU, a 35 percent more powerful GPU, and a 40 percent faster Neural Engine.1 It also delivers 50 percent more memory bandwidth compared to M1, and up to 24GB of fast unified memory. M2 brings all of this — plus new custom technologies and greater efficiency — to the completely redesigned MacBook Air and updated 13-inch MacBook Pro.  “M2 starts the second generation of M-series chips and goes beyond the remarkable features of M1,” said Johny Srouji, Apple’s senior vice president of Hardware Technologies. “With our relentless focus on power-efficient performance, M2 delivers a faster CPU, GPU, and Neural Engine. And along with higher memory bandwidth and new capabilities like ProRes acceleration, M2 continues the tremendous pace of innovation in Apple silicon for the Mac.", "Jun 6, 2022 ... Built using second-generation 5-nanometer technology, M2 takes the industry-leading performance per watt of M1 even further with an 18 percent ..."], "noise_rate": 0.2, "factlabel": 0} +{"id": 42, "query": "What film won the 2022 Academy Award for Best Picture?", "ans": ["CODA"], "label": [1], "prediction": "According to the provided documents, CODA won the 2022 Academy Award for Best Picture.", "docs": ["By Allison Hussey CODA has won Best Picture at the 94th Academy Awards. It won over Belfast, Don’t Look Up, Drive My Car, Dune, King Richard, Licorice Pizza, Nightmare Alley, The Power of the Dog, and West Side Story. The film won in all three categories in which it received nominations. Troy Kotsur won Best Supporting Actor—the first deaf man to win an Oscar for Acting—and the film also won Best Adapted Screenplay. Eight categories were moved out of the live broadcast of the Oscars this year, including Editing, Original Score, Makeup and Hairstyling, and Production Design. The change in proceedings prompted some dissatisfied responses from industry members who felt that the move minimized the creative accomplishments of many departments responsible for a movie’s success. Follow all of Pitchfork’s coverage of the 2022 Oscars. By Jazz Monroe By Madison Bloom By Eric Torres By Matthew Strauss By Evan Minsker By Eric Torres By Madison Bloom By Allison Hussey More From Pitchfork Events © 2023 Condé Nast. All rights reserved. Use of this site constitutes acceptance of our User Agreement and Privacy Policy and Cookie Statement and Your California Privacy Rights. Pitchfork may earn a portion of sales from products that are purchased through our site as part of our Affiliate Partnerships with retailers. The material on this site may not be reproduced, distributed, transmitted, cached or otherwise used, except with the prior written permission of Condé Nast.", "The 94th Academy Awards ceremony, presented by the Academy of Motion Picture Arts and Sciences (AMPAS), took place on March 27, 2022, at the Dolby Theatre in Hollywood, Los Angeles. The awards were scheduled after their usual late February date to avoid conflicting with both the 2022 Winter Olympics and Super Bowl LVI, with the latter being held in nearby Inglewood, California.[3] During the gala, the AMPAS presented Academy Awards (commonly referred to as Oscars) in 23 categories honoring films released from March 1 to December 31, 2021. The ceremony, televised in the United States by ABC, was produced by Will Packer and Shayla Cowan and was directed by Glenn Weiss.[4] Actresses Regina Hall, Amy Schumer, and Wanda Sykes hosted the show for the first time.[5] Two days earlier, in an event held at the Ray Dolby Ballroom of the Ovation Hollywood complex in Hollywood, the Academy held its 12th annual Governors Awards ceremony.[6] CODA won three awards, including Best Picture. Other winners included Dune with six awards, The Eyes of Tammy Faye with two, and Belfast, Cruella, Drive My Car, Encanto, King Richard, The Long Goodbye, No Time to Die, The Power of the Dog, The Queen of Basketball, Summer of Soul, West Side Story and The Windshield Wiper with one.", "Los Angeles Times television critic Lorraine Ali said: \"Overall, the production was much tighter and brighter than in recent years, thanks in large part to powerful music numbers, a diverse mixture of guests, and the bitingly funny trio of hosts, Wanda Sykes, Amy Schumer and Regina Hall.\"[68] Film critic Richard Roeper of the Chicago Sun-Times praised the hosts' performances, writing: \"It was funny, albeit relatively safe stuff.\" He also noted that despite the Smith–Rock incident disrupting the momentum of the proceedings, the telecast was \"one of the most uplifting, groundbreaking, amazing Oscars ever\".[69] The American telecast on ABC drew in an average of 16.62 million people over its length, which was a 60% increase from the previous year's ceremony.[2] The show also earned higher Nielsen ratings compared to the previous ceremony with 9.0% of households watching the ceremony.[70] In addition, it garnered a higher 18–49 demo rating with a 3.76 rating, or 77% viewers in that demographic.[2] In July 2022, the broadcast was nominated for three awards at the 74th Primetime Emmys, but it failed to win any of its nominations.[71][72] The \"In Memoriam\" tribute, accompanied by a musical medley performed by musical group The Samples, paid tribute to the following individuals.[73]", "WATCH LIVE Troy Kotsur, Ariana DeBose made Oscars history with their acting wins; Beyonce opened with performance 2022 Oscar winners' acceptance speeches LOS ANGELES -- The Academy Awards named the deaf family drama \"CODA,\" best picture Sunday, handing Hollywood's top award to a streaming service for the first time in a ceremony that saw the greatest drama when Will Smith strode onstage and slapped Chris Rock. While Jane Campion's \"The Power of the Dog,\" with a leading 12 nominations, seemed like the frontrunner for the Oscars' top prize, Sian Heder's \"CODA\" rode a wave of goodwill driven by its cast including Marlee Matlin, Troy Kotsur, Emilia Jones and Daniel Durant. It's the first film with a largely deaf cast to win best picture. Kotsur also won best supporting actor to become the first male deaf actor to win an Oscar, and only the second deaf actor to do so, joining his castmate and \"CODA\" co-star Matlin. Many, though, were talking about another moment. After Rock, as a presenter, joked to Jada Pinkett Smith that he was looking forward to a sequel to \"G.I. Jane,\" Will Smith stood up from his seat near the stage, strode up to Rock and smacked him. After sitting back down, Smith shouted at Rock to \"keep my wife's name out of your (expletive) mouth.", "CODA is the Oscars 2022 Best Picture Oscar winner! Ten films competed to take home the most prestigious award in film, the Oscar, with the winner revealed when The Oscars aired LIVE SUNDAY, MARCH 27 on ABC. The nominees for Best Picture were: BELFAST, CODA, DON'T LOOK UP, DRIVE MY CAR, DUNE, KING RICHARD, LICORICE PIZZA, NIGHTMARE ALLEY, THE POWER OF THE DOG and WEST SIDE STORY. THE POWER OF THE DOG had the most nominations, having been nominated for 12 Academy Awards. NIGHTMARE ALLEY was the fourth Best Picture nomination for Bradley Cooper, having previously been nominated for AMERICAN SNIPER (2014), A STAR IS BORN (2018) and JOKER (2019). WEST SIDE STORY was Steven Spielberg's 11th Best Picture nomination, which is a record for an individual producer. For all the details, you can read more about the Oscars 2022 Best Picture nominees below. You can also explore other Oscars 2022 nominees and see the complete Oscars 2022 nominations list right here on Oscar.com."], "noise_rate": 0.2, "factlabel": 0} +{"id": 43, "query": "When will the 94th Academy Awards be held?", "ans": [["March 27", "Mar 27", "Mar. 27", "27 March", "27 Mar", "27 Mar."]], "label": [1], "prediction": "According to the provided documents, the 94th Academy Awards will be held on Sunday, March 27, 2022, at the Dolby Theatre in Hollywood.", "docs": ["The 94th Academy Awards ceremony, presented by the Academy of Motion Picture Arts and Sciences (AMPAS), took place on March 27, 2022, at the Dolby Theatre in Hollywood, Los Angeles. The awards were scheduled after their usual late February date to avoid conflicting with both the 2022 Winter Olympics and Super Bowl LVI, with the latter being held in nearby Inglewood, California.[3] During the gala, the AMPAS presented Academy Awards (commonly referred to as Oscars) in 23 categories honoring films released from March 1 to December 31, 2021. The ceremony, televised in the United States by ABC, was produced by Will Packer and Shayla Cowan and was directed by Glenn Weiss.[4] Actresses Regina Hall, Amy Schumer, and Wanda Sykes hosted the show for the first time.[5] Two days earlier, in an event held at the Ray Dolby Ballroom of the Ovation Hollywood complex in Hollywood, the Academy held its 12th annual Governors Awards ceremony.[6] CODA won three awards, including Best Picture. Other winners included Dune with six awards, The Eyes of Tammy Faye with two, and Belfast, Cruella, Drive My Car, Encanto, King Richard, The Long Goodbye, No Time to Die, The Power of the Dog, The Queen of Basketball, Summer of Soul, West Side Story and The Windshield Wiper with one.", "Kong\" \"The Matrix Resurrections\" \"No Time to Die\" \"Shang-Chi and the Legend of the Ten Rings\" \"Spider-Man: No Way Home\" Download   Nominations voting begins on Thursday, January 27, 2022, and concludes on Tuesday, February 1, 2022. Nominations for the 94th Academy Awards will be announced on Tuesday, February 8, 2022. The 94th Oscars® will be held on Sunday, March 27, 2022, at the Dolby® Theatre at Hollywood & Highland® in Hollywood and will be televised live on ABC and in more than 200 territories worldwide.   FOLLOW THE ACADEMYwww.oscars.orgwww.facebook.com/TheAcademywww.youtube.com/Oscarswww.twitter.com/TheAcademywww.instagram.", "The 94th annual Academy Awards will be held at Dolby Theatre in Hollywood on Sunday, March 27. After three years of the award show going host-less, Regina Hall, Amy Schumer and Wanda Sykes are set to co-host. “The Power of the Dog” leads in nominations with 12 nods. Troy Kotsur became the first deaf male actor to receive an Oscar nomination while Denzel Washington continued his record of being the most-nominated Black actor in Academy Awards history with his 10th nomination for his performance in “The Tragedy of Macbeth.” Read on for the full list of nominees.", "Nominations for the 94th Academy Awards will be announced on Tuesday, February 8, 2022. The 94th Oscars® will be held on Sunday, March 27, 2022, at the Dolby® ...", "The 95th annual Oscars will be held on March 12, 2023, in Los Angeles.   Credit: ABC/Jeff Lipsky\t\t\t\t\t\t\t \t\t\t\t\t\t Kimmel is returning to host for the third time. He previously helmed the 2017 and 2018 awards.    Kimmel is returning to host for the third time. He previously helmed the 2017 and 2018 awards.    Credit: Shutterstock /Alex Millauer\t\t\t\t\t\t\t \t\t\t\t\t\t The ceremony will be broadcast on ABC.    The ceremony will be broadcast on ABC.    Credit: Chris Chew/UPI/Shutterstock\t\t\t\t\t\t\t \t\t\t\t\t\t Nominations have not yet been announced, but the 2023 Oscars will honor the best and brightest of films released in 2022. The Whale, The Fabelmans, Elvis and Everything Everywhere All at Once are strong contenders for top trophies. The official list will be revealed in January 2023.    Nominations have not yet been announced, but the 2023 Oscars will honor the best and brightest of films released in 2022. The Whale, The Fabelmans, Elvis and Everything Everywhere All at Once are strong contenders for top trophies. The official list will be revealed in January 2023.    Credit: Rob Latour/Shutterstock\t\t\t\t\t\t\t \t\t\t\t\t\t Despite the drama that ensued during the 2022 ceremony, ABC was pleased with the broadcast."], "noise_rate": 0.2, "factlabel": 0} +{"id": 44, "query": "When was A House Between the Earth and the Moon published?", "ans": [["March 29", "Mar 29", "Mar. 29", "29 March", "29 Mar", "29 Mar."]], "label": [1], "prediction": "According to the provided document, A House Between Earth and the Moon was published on March 29, 2022.", "docs": ["A House Between Earth and the Moon: A Novel *FREE* shipping on qualifying offers. A House Between Earth and the Moon: A Novel. ... Publication date. March 29, 2022. ", "A HOUSE BETWEEN EARTH AND THE MOON · Rebecca Scherm · RELEASE DATE: March 29, 2022 ; DEMON COPPERHEAD · Barbara Kingsolver ·", ") Mary Agnes worries that her schlubby dad will be changed by the posh Parallaxis I she sees in promotional videos, but her fear is misplaced. Parallaxis I is portrayed as pristine in advertisements but barely functions in reality. The Pioneers must double as amateur space-station builders as they scramble to get the place up and running. Alex thinks of it as a “freezing, comfortless warehouse.” It’s like a zero-gravity version of “luxury” skyscrapers riddled with issues like 432 Park, its exclusivity and high price tag obscuring how janky it is. Buy This Book At: If you buy something using links in our stories, we may earn a commission. This helps support our journalism. Learn more. Despite its glaring issues, some of Alex’s teammates are planning to bring their families up, like Lenore, the team’s 3D fabricator, who plans to have her grandparents come. She frames it like they’re simply space enthusiasts, but there’s a financial angle. On Earth, they’re broke. In fact, several of the Pioneers are motivated by precarity. Meanwhile, even as Sensus’ guinea pigs sleep in makeshift dorms as they try to make the space station functional, the Sons are peddling Parallaxis I to investors as the one place privacy can truly be guaranteed. And the true concern of A House Between Earth and the Moon is the value of privacy.", "First published March 29, 2022 ... In a nutshell, A House Between Earth and the Moon is set in the not-too-distant future and hinges on the phenomenon of ...", "A House Between Earth and the Moon by Rebecca Scherm | Literary Fiction. Paperback | $18.00. Published by Penguin Books Mar 28, 2023 ; | Literary Fiction. Ebook | $5.99. Published by Viking Mar 29, 2022"], "noise_rate": 0.2, "factlabel": 0} +{"id": 45, "query": "Which alnum won the Album of the Year GRAMMYs 2022", "ans": ["We are"], "label": [1], "prediction": "According to the documents, Jon Batiste's album \"We Are\" won the Album of the Year GRAMMYs 2022.", "docs": ["The 64th Annual Grammy Awards ceremony was held at the MGM Grand Garden Arena in Las Vegas on April 3, 2022.[2] It recognized the best recordings, compositions, and artists of the eligibility year, running from September 1, 2020, to September 30, 2021.[3] The nominations were revealed via a virtual livestream on November 23, 2021. The performers for the ceremony were announced on March 15, 24, and 30, 2022. South African comedian Trevor Noah, who hosted the previous ceremony in 2021, returned as host.[4] The ceremony's location marked the first time the Recording Academy switched host cities for a single ceremony.[5] This also makes it the first Grammy Awards ceremony to not to be held in either New York City or Los Angeles since the 15th Grammy Awards in 1973 when it was held at the Tennessee Theatre in Nashville, Tennessee.[6] Jon Batiste received the most nominations with eleven, followed by Doja Cat, H.E.R., and Justin Bieber with eight each.[7] Batiste received the most awards with five, and won Album of the Year for We Are. Silk Sonic won Record of the Year and Song of the Year for \"Leave the Door Open\", and Olivia Rodrigo won Best New Artist.[8] The ceremony was originally scheduled for January 31, 2022, at the Crypto.", "By Madison Bloom Tonight, at the 2022 Grammy Awards, Jon Batiste won Album of the Year for his latest LP We Are. Batiste beat out Kanye West, Billie Eilish, Taylor Swift, Olivia Rodrigo, Lil Nas X, Doja Cat, Tony Bennett and Lady Gaga, H.E.R., and Justin Bieber for the accolade. Batiste, who looked stunned upon hearing his name called by Lenny Kravitz, gave a speech thanking his fellow nominees and speaking about how inspiring he’s found all of their music. “You know, I really, I believe this to my core—there is no best musician, best artist, best dancer, best actor,” he said. “The creative arts are subjective and they reach people at a point in their lives when they need it most. It’s like a song or an album is made, and it almost has a radar to find the person when they need it the most.” Earlier in the evening, Batiste took home four Grammys: Best Music Video (for “Freedom”), Best American Roots Performance (for “Cry”), and Best American Roots Song (for “Cry”), as well as Best Score Soundtrack for Visual Media (for Soul, which he wrote alongside Trent Reznor and Atticus Ross). Earlier in the night, he delivered a bright and colorful performance of “Freedom.", "Be the first to find out about GRAMMY nominees, winners, important news, and events. Privacy Policy Photo: Matt Winkelmeyer/Getty Images news Jon Batiste's 'WE ARE' wins the GRAMMY for Album Of The Year at the 2022 GRAMMYs Jon Batiste's WE ARE wins Album Of The Year at the 2022 GRAMMYs. The coveted award marks the singer's fifth win of the 2022 GRAMMYs. Walking up to the stage practically in disbelief, Batiste delivered perhaps one of the most moving speeches of the night upon accepting his award. \"I believe this to my core — there is no best musician, best artist, best dancer, best actor,\" he said. \"The creative arts are subjective and they reach people at a point in their lives when they need it most. It’s like a song, or an album, is made and it almost has a radar to find the person when they need it the most.\" Batiste thanked everyone who was involved in the making of WE ARE, including his grandfather and his nephews. Beating out Tony Bennett & Lady Gaga's Love For Sale, Justin Bieber's Justice, Doja Cat's Planet Her, Billie Eilish's Happier Than Ever, H.E.R.", "Be the first to find out about GRAMMY nominees, winners, important news, and events. Privacy Policy Graphic by the Recording Academy news Find out who won in each of the 86 categories at the 2022 GRAMMYs Editor's Note: The 2022 GRAMMYs Awards show, officially known as the 64th GRAMMY Awards, has been rescheduled to Sunday, April 3, at the MGM Grand Garden Arena in Las Vegas. The below article was updated on Tuesday, Jan. 18, to reflect the new show date and location. Updated Sunday, April 3 The 2022 GRAMMYs, officially known as the 64th GRAMMY Awards, are officially wrapped. See below to see who won golden gramophones at the 2022 GRAMMYs. (The 64th GRAMMY Awards recognize recordings released between Sept. 1, 2020 — Sept. 30, 2021.) Relive the 10 must-see moments from the annual award show. 1. Record Of The YearAward to the Artist and to the Producer(s), Recording Engineer(s) and/or Mixer(s) and mastering engineer(s), if other than the artist.", "Jon Batiste's 'We Are' Wins GRAMMY For Album Of The Year | 2022 GRAMMYs ... Jon Batiste's WE ARE wins Album Of The Year at the 2022 GRAMMYs. The coveted award ..."], "noise_rate": 0.2, "factlabel": 0} +{"id": 46, "query": "When is the final of the 2022 FIFA World Cup?", "ans": [["December 18", "Dec 18", "Dec. 18", "18 December", "18 Dec", "18 Dec."]], "label": [1], "prediction": "According to the provided document, the final of the 2022 FIFA World Cup was played on 18 December 2022, which is also the Qatari National Day.", "docs": ["Live streaming and full replays of FIFA World Cup 2022™ will be available on FOXSports.com and the FOX Sports App. Full replays of the FIFA World Cup 2022™ will also be available on Tubi. Because of the scalding desert temperatures in Qatar, the monthlong tournament was moved from its traditional summer window. The final at the 80,000-seat Lusail Iconic Stadium is set for Dec. 18, 2022 — one week before Christmas. Here are all the kits that have been released for Qatar 2022 so far.", "The 2022 FIFA World Cup final was the final match of the 2022 FIFA World Cup, the 22nd edition of FIFA's competition for men's national football teams. The match was played at Lusail Stadium in Lusail, Qatar, on 18 December 2022, the Qatari National Day, and was contested by Argentina and defending champions France. The final took place in front of 88,966 supporters, with a record crowd of 1.5 billion people watching on television, becoming one of the most widely-watched televised sporting events in history.[3] The tournament comprised hosts Qatar and 31 other teams who emerged victorious from the qualification phase, organised by the six FIFA confederations. The 32 teams competed in a group stage, from which 16 teams qualified for the knockout stage. En route to the final, Argentina finished first in Group C, first losing to Saudi Arabia 2–1, then defeating both Mexico and Poland 2–0. They then won against Australia in the round of 16, the Netherlands in the quarter-final through a penalty shoot-out, and Croatia in the semi-final. France finished top of Group D with two wins and one loss (4–1 win over Australia, 2–1 win over Denmark, and a 1–0 loss to Tunisia), defeating Poland in the round of 16, England in the quarter-final and Morocco in the semi-final.", "371] On 24 February 2015, the FIFA Task Force proposed that the tournament be played from late November to late December 2022,[372] to avoid the summer heat between May and September and also avoid clashing with the 2022 Winter Olympics in February, the 2022 Winter Paralympics in March and Ramadan in April.[373][374] The notion of staging the tournament in November was controversial because it would interfere with the regular season schedules of some domestic leagues around the world. Commentators noted the clash with the Christian Christmas season was likely to cause disruption, whilst there was concern about how short the tournament was intended to be.[375] FIFA executive committee member Theo Zwanziger said that awarding the 2022 World Cup to Qatar was a \"blatant mistake\".[376] Frank Lowy, chairman of Football Federation Australia, said that if the 2022 World Cup were moved to November and thus upset the schedule of the A-League, they would seek compensation from FIFA.[377] Richard Scudamore, chief executive of the Premier League, stated that they would consider legal action against FIFA because a move would interfere with the Premier League's popular Christmas and New Year fixture programme.[378] On 19 March 2015, FIFA sources confirmed that the final would be played on 18 December.[379]", "The update for FIFA 23 added World Cup-themed tournament modes with all teams and two of the stadiums from the event, campaigns and World Cup-themed unlockable content for Ultimate Team mode, and real-time squad and fixture updates during the tournament.[259] On 24 August 2022, the Panini Group produced themed stickers and a sticker album for a 14th consecutive World Cup.[260] Collectors were meant to open player packs and use them to fill their sticker book with all 32 participating teams. This year, rare cards with coloured borders \"parallels\" could be found, and could be collected, traded, or sold.[261] On 12 April 2022, FIFA released an over-the-top media service and app revolving around the World Cup called FIFA+, where fans could play games, predict matches, and compete with others.[262] In May 2022, Infantino projected that the 2022 FIFA World Cup could be the most-watched in its history, with a global audience of at least 5 billion. The 2018 tournament was seen by 3.57 billion across the tournament.[263] The various controversies surrounding the World Cup in Qatar led to questions over how the tournament would be covered in the media, and whether they would be discussed or addressed during coverage.[264][265] David Neal, executive producer for U.S.", "16] The defending champions were France, who defeated Croatia 4–2 in the 2018 FIFA World Cup Final.[17][18] The event was scheduled to take place under a reduced length,[19] from 20 November to 18 December in Qatar.[20][21][22] Being held in Qatar, it was the first World Cup tournament to be held in the Arab world.[23] Spectators were not required to follow most COVID-19 pandemic restrictions such as social distancing, wearing masks, and negative tests.[24] Unlike previous FIFA World Cups, which are typically played in June and July, because of Qatar's intense summer heat and often fairly high humidity,[2][21][25] the 2022 World Cup was played in November and December.[5][26] As a result, the World Cup was unusually staged in the middle of the seasons of many domestic association football leagues, which started in late July or August, including all of the major European leagues, which had been obliged to incorporate extended breaks into their domestic schedules to accommodate the World Cup. Major European competitions had scheduled their respective competitions group matches to be played before the World Cup, to avoid playing group matches the following year.[27] The match schedule was confirmed by FIFA in July 2020.[28] The group stage was set to begin on 21 November, with four matches every day."], "noise_rate": 0.2, "factlabel": 0} +{"id": 47, "query": "How many vehicles did Tesla deliver in the first quarter of 2022?", "ans": ["310,048"], "label": [1], "prediction": "According to the provided document, Tesla delivered 310,048 electric vehicles in the first quarter of 2022.", "docs": ["Cumulatively, more than 2.6 million Tesla cars were delivered. Considering that Tesla already produces the Tesla Model Y in two new plants - in Germany and in Texas - it seems very likely that Q2 and the following quarters also will bring new records. See also Trending Car Buying Service Get upfront price offers on local inventory.", "Apr 2, 2022 ... Tesla delivered 310,048 electric vehicles in the first quarter of 2022. · Deliveries are the closest approximation to sales numbers reported by ...", "Checking Accounts Best Credit Cards for Small Business Best Small Business Loans Best Tax Software for Small Business SELECT All Taxes Best Tax Software Best Tax Software for Small Businesses Tax Refunds SELECT All Help for Low Credit Scores Best Credit Cards for Bad Credit Best Personal Loans for Bad Credit Best Debt Consolidation Loans for Bad Credit Personal Loans if You Don't Have Credit Best Credit Cards for Building Credit Personal Loans for 580 Credit Score or Lower Personal Loans for 670 Credit Score or Lower Best Mortgages for Bad Credit Best Hardship Loans How to Boost Your Credit Score SELECT All Investing Best IRA Accounts Best Roth IRA Accounts Best Investing Apps Best Free Stock Trading Platforms Best Robo-Advisors Index Funds Mutual Funds ETFs Bonds In this article Tesla just posted its second-quarter vehicle production and delivery numbers for 2022. Here are the key numbers: Delivery numbers, which are the closest approximation of sales reported by Tesla, fell just shy of analysts' expectations. According to a consensus compiled by FactSet-owned Street Account, analysts were expecting deliveries of 256,520 vehicles for the quarter, which was marked by Covid restrictions, supply chain snarls, semiconductor chip and other parts shortages. Last year, Tesla delivered 201,250 vehicles in the second quarter, its first time delivering more than 200,000 units in a three-month period. In the first quarter of 2022, Tesla delivered 310,048 vehicles. Today's delivery numbers represented sales growth of 26.", "Tesla produced and delivered record numbers of vehicles during the first quarter of 2022, despite supply chain issues, Covid surges and health restrictions in China causing it to shut down production during the first few months of the year. A Tesla Model Y electric vehicle is shown during the start of the production at Tesla's ... [+] \"Gigafactory\" on March 22, 2022 in Gruenheide, southeast of Berlin, Germany. (Photo by PATRICK PLEUL/POOL/AFP via Getty Images) Tesla delivered 310,048 vehicles from January through March, up 70% from the same period in 2021, and produced 305,407 vehicles, it said Saturday. The Model 3 and Model Y accounted for the vast majority of deliveries in the quarter, which were up only slightly from the fourth quarter of 2021, when it delivered nearly 309,000 vehicles. Tesla CEO Elon Musk said in a tweet it was an “exceptionally difficult quarter due to supply chain interruptions & China zero Covid policy,” and applauded the work from the Tesla team and key suppliers that “saved the day.” Wedbush Securities analysts Daniel Ives and John Katsingris wrote Saturday the first-quarter sales were a “positive step in the right direction,” noting that most investors will look past the slight miss on deliveries – Wall Street analysts were on average expecting 312,000, they said.", "Checking Accounts Best Credit Cards for Small Business Best Small Business Loans Best Tax Software for Small Business SELECT All Taxes Best Tax Software Best Tax Software for Small Businesses Tax Refunds SELECT All Help for Low Credit Scores Best Credit Cards for Bad Credit Best Personal Loans for Bad Credit Best Debt Consolidation Loans for Bad Credit Personal Loans if You Don't Have Credit Best Credit Cards for Building Credit Personal Loans for 580 Credit Score or Lower Personal Loans for 670 Credit Score or Lower Best Mortgages for Bad Credit Best Hardship Loans How to Boost Your Credit Score SELECT All Investing Best IRA Accounts Best Roth IRA Accounts Best Investing Apps Best Free Stock Trading Platforms Best Robo-Advisors Index Funds Mutual Funds ETFs Bonds Tesla just reported first-quarter vehicle production and delivery numbers for 2022. Here's how they did. Electric vehicle deliveries (total): 310,048 Electric vehicle production (total): 305,407 Over the same period last year, Tesla delivered 184,800 electric vehicles and produced 180,338 cars. Model 3 and Model Y vehicles comprised 95%, or 295,324, of deliveries in the first quarter of 2022, according to Tesla. The company produced 4,641 fewer cars than it delivered during the quarter citing \"ongoing supply chain challenges and factory shutdowns.\" Analysts expected deliveries of 317,000 vehicles for the first three months of 2022, according to estimates compiled by FactSet as of March 31."], "noise_rate": 0.2, "factlabel": 0} +{"id": 48, "query": "Who acquired Twitter?", "ans": ["Elon Musk"], "label": [1], "prediction": "According to the document, Elon Musk acquired Twitter.", "docs": ["The world's richest man, Elon Musk, has completed his $44bn (£38.1bn) takeover of Twitter, according to a filing with the US government. Mr Musk tweeted \"the bird is freed\" and later said \"let the good times roll\". A number of top executives, including the boss, Parag Agrawal, have reportedly been fired. Mr Agrawal and two other executives were escorted out of Twitter's San Francisco headquarters on Thursday evening, said Reuters. The completion of the deal brings to an end months of legal wrangling but it has prompted questions over the platform's future direction. A filing was made with the US Securities and Exchange Commission on Thursday, confirming the takeover. The New York Stock Exchange said on Friday that trading in Twitter's shares had been suspended, giving the reason as \"merger effective\". Allow Twitter content? This article contains content provided by Twitter. We ask for your permission before anything is loaded, as they may be using cookies and other technologies. You may want to read Twitter’s cookie policy, external and privacy policy, external before accepting. To view this content choose ‘accept and continue’. Chief financial officer Ned Segal, and the firm's top legal and policy executive, Vijaya Gadde, are leaving alongside Mr Agrawal, according to US media reports. Twitter co-founder Biz Stone appeared to confirm the executives' departure.", "Musk's acquisition of the social media company has been mired in controversy. The richest person in the world said he wanted to own one of the most popular social media platforms -- until he said he didn't. In early October, he reversed course again, saying he wanted to complete the deal. On Oct. 28, he finally did. Tesla CEO Elon Musk completed the deal to acquire Twitter at his original offer price of $54.20 a share at a total cost of roughly $44 billion. In the ensuing days, Musk fired top executives, laid off half of the company's staff, formed a content moderation council that will review account reinstatements and revamped the platform's subscription service. The changes at Twitter mark the latest chapter in a monthslong saga that began in January when Musk started investing in the social media company. Musk reached an acquisition deal with Twitter in April, but over the ensuing weeks, he raised concerns over spam accounts on the platform, claiming Twitter had not provided him with an accurate estimate of their number. Twitter rebuked that claim, saying it has provided Musk with information in accordance with conditions set out in the acquisition deal.", "Searching for your content... In-Language News Contact Us 888-776-0942 from 8 AM - 10 PM ET News provided by 25 Apr, 2022, 14:50 ET Share this article SAN FRANCISCO, April 25, 2022 /PRNewswire/ -- Twitter, Inc. (NYSE: TWTR) today announced that it has entered into a definitive agreement to be acquired by an entity wholly owned by Elon Musk, for $54.20 per share in cash in a transaction valued at approximately $44 billion. Upon completion of the transaction, Twitter will become a privately held company. Under the terms of the agreement, Twitter stockholders will receive $54.20 in cash for each share of Twitter common stock that they own upon closing of the proposed transaction. The purchase price represents a 38% premium to Twitter's closing stock price on April 1, 2022, which was the last trading day before Mr. Musk disclosed his approximately 9% stake in Twitter. Bret Taylor, Twitter's Independent Board Chair, said, \"The Twitter Board conducted a thoughtful and comprehensive process to assess Elon's proposal with a deliberate focus on value, certainty, and financing. The proposed transaction will deliver a substantial cash premium, and we believe it is the best path forward for Twitter's stockholders.\" Parag Agrawal, Twitter's CEO, said, \"Twitter has a purpose and relevance that impacts the entire world.", "Advertisement The world’s richest man closed his blockbuster purchase of the social media service, thrusting Twitter into a new era. By Kate Conger and Lauren Hirsch Kate Conger reports on technology from San Francisco and Lauren Hirsch reports on mergers and acquisitions from New York. After months of waffling, lawsuits, verbal mudslinging and the near miss of a full blown trial, Elon Musk now owns Twitter. On Thursday night, Mr. Musk closed his $44 billion deal to buy the social media service, said three people with knowledge of the situation. He also began cleaning house, with at least four top Twitter executives — including the chief executive and chief financial officer — getting fired on Thursday. Mr. Musk had arrived at Twitter’s San Francisco headquarters on Wednesday and met with engineers and ad executives. The closing of the deal, which followed months of drama and legal challenges as Mr. Musk changed his mind about buying the company, sets Twitter on an uncertain course. Mr. Musk, a self-described “free speech absolutist,” has said that he wants to make the social media platform a more freewheeling place for all types of commentary and that he would “reverse the permanent ban” of former President Donald J. Trump from the service. Mr. Musk’s open approach to speech on Twitter could exacerbate long simmering issues of toxic content and misinformation, affecting political debates around the world.", "AdvisorsGoldman Sachs & Co. LLC, J.P. Morgan, and Allen & Co. are serving as financial advisors to Twitter, and Wilson Sonsini Goodrich & Rosati, Professional Corporation and Simpson Thacher & Bartlett LLP are serving as legal counsel. Morgan Stanley is acting as lead financial advisor to Mr. Musk. BofA Securities and Barclays are also acting as financial advisors. Skadden, Arps, Slate, Meagher & Flom LLP is serving as legal counsel. About Twitter, Inc. (NYSE: TWTR)Twitter is what's happening and what people are talking about right now. To learn more, visit about.twitter.com and follow @Twitter. Let's talk. Additional Information and Where to Find ItTwitter, its directors and certain executive officers are participants in the solicitation of proxies from stockholders in connection with the pending acquisition of Twitter (the \"Transaction\"). Twitter plans to file a proxy statement (the \"Transaction Proxy Statement\") with the Securities and Exchange Commission (the \"SEC\") in connection with the solicitation of proxies to approve the Transaction. Additional information regarding such participants, including their direct or indirect interests, by security holdings or otherwise, will be included in the Transaction Proxy Statement and other relevant documents to be filed with the SEC in connection with the Transaction."], "noise_rate": 0.2, "factlabel": 0} +{"id": 49, "query": "How much did Elon Musk bought Twitter?", "ans": ["44 billion"], "label": [1], "prediction": "According to the provided document, Elon Musk acquired Twitter at his original offer price of $54.20 a share at a total cost of roughly $44 billion.", "docs": ["Musk's acquisition of the social media company has been mired in controversy. The richest person in the world said he wanted to own one of the most popular social media platforms -- until he said he didn't. In early October, he reversed course again, saying he wanted to complete the deal. On Oct. 28, he finally did. Tesla CEO Elon Musk completed the deal to acquire Twitter at his original offer price of $54.20 a share at a total cost of roughly $44 billion. In the ensuing days, Musk fired top executives, laid off half of the company's staff, formed a content moderation council that will review account reinstatements and revamped the platform's subscription service. The changes at Twitter mark the latest chapter in a monthslong saga that began in January when Musk started investing in the social media company. Musk reached an acquisition deal with Twitter in April, but over the ensuing weeks, he raised concerns over spam accounts on the platform, claiming Twitter had not provided him with an accurate estimate of their number. Twitter rebuked that claim, saying it has provided Musk with information in accordance with conditions set out in the acquisition deal.", "Copyright 2023 The Associated Press. All Rights Reserved. A sign is pictured outside the Twitter headquarters in San Francisco, Wednesday, Oct. 26, 2022. A court has given Elon Musk until Friday to close his April agreement to acquire the company after he earlier tried to back out of the deal. (AP Photo/Godofredo A. Vásquez) Elon Musk has taken over Twitter and fired its CEO and other top executives. Trading in company shares was suspended Friday on the New York Stock Exchange and the stock will be officially delisted early next month, according to a filing with securities regulators. So now what? One reason why Musk bought Twitter this week is because he had little choice. The world’s richest man spent months trying to back out of the $44 billion purchase agreement he originally signed in April. But the uncertainty was so disruptive to Twitter’s business that it sued him in the Delaware Court of Chancery to force the deal’s completion, and a judge gave a Friday deadline to complete the deal or face a November trial that Musk was likely to lose. As for why Musk wanted to own Twitter in the first place, the reasons are more complicated. “There has been much speculation about why I bought Twitter and what I think about advertising,” he said in an open letter Thursday to companies that sell ads on Twitter, which is how the company makes money. “Most of it has been wrong.", "120] During its quarterly earnings investor call on July 22, Twitter cited the \"chaos\" caused by the proposal as the primary factor for its decline in revenue.[121] In a letter to McCormick on July 26, Musk's lawyers complained that Twitter had hindered them from commencing the discovery process and requested an October 17 start date,[120] which McCormick granted three days later with a duration of five days.[122] In a tweet on August 6, Musk challenged Agrawal to a public debate on Twitter's spambot accounts, before polling his followers on whether they believed that less than 5 percent of Twitter accounts were \"fake/spam\".[123] On August 10, Musk sold 7.92 million Tesla shares worth a total of $6.9 billion as backup should he lose the lawsuit, despite previously stating he would no longer sell Tesla stock.[124] The next week, McCormick ordered Twitter to produce documents from Beykpour, which Musk's team had requested along with files from 22 other Twitter employees and 41 \"custodians\".[125] Shortly thereafter, Musk subpoenaed Dorsey.", "Oct 28 (Reuters) - Elon Musk on Thursday closed the $44 billion deal announced in April to take Twitter Inc (TWTR.N) private and took ownership of the influential social media platform by firing top executives immediately. \"The bird is freed,\" he tweeted in an apparent nod to his desire to see the company has fewer limits on content that can be posted. But Musk provided little clarity on how he will achieve his goals. read more Earlier this month, Musk brought the deal back on the table after previously trying to walk away from it. Musk had said he was excited to buy Twitter but he and his co-investors are overpaying. Musk pledged to provide $46.5 billion in equity and debt financing for the acquisition, which covered the $44 billion price tag and the closing costs. Banks, including Morgan Stanley (MS.N) and Bank of America Corp (BAC.N), committed to provide $13 billion in debt financing. Experts have said commitments from banks to the deal were firm and tight, limiting their ability to walk away from the contract despite the prospect that they may face major losses. Musk's $33.5 billion equity commitment included his 9.6% Twitter stake, which is worth $4 billion, and the $7.1 billion he had secured from equity investors, including Oracle Corp (ORCL.N) co-founder Larry Ellison and Saudi Prince Alwaleed bin Talal.", "At least one of the executives who was fired was escorted out of Twitter’s office, they said. Mr. Musk, who is one of Twitter’s most active users and has more than 109 million followers, began accumulating shares in the company this year. In April, he struck the deal to buy the company for $44 billion and said he would lift Twitter’s content moderation policies, eliminate spam, add new features and provide more transparency about the algorithms used to promote content. “Twitter has tremendous potential — I look forward to working with the company and the community of users to unlock it,” he said in a statement in April. But, within weeks, he began questioning the deal. Mr. Musk lashed out at the Twitter executives responsible for content decisions and accused the company of failing to accurately count the spam accounts on its platform. When Parag Agrawal, Twitter’s chief executive, tried debunking Mr. Musk’s claims, Mr. Musk responded by tweeting a poop emoji. By July, Mr. Musk had decided that he no longer wanted to own Twitter, arguing that he had been misled about the amount of spam on the platform. He announced his intent to abandon the acquisition. Twitter sued Mr. Musk to force him to carry out the agreement. The company accused Mr. Musk of trying to back out of the deal because the economic downturn had caused a decline in his personal wealth. Mr. Musk had agreed to personally provide roughly $33 billion of the $44 billion deal."], "noise_rate": 0.2, "factlabel": 0} +{"id": 50, "query": "Who won the 2022 Masters Tournament?", "ans": ["Scottie Scheffler"], "label": [1], "prediction": "According to the provided documents, Scottie Scheffler won the 2022 Masters Tournament.", "docs": ["Play Now Football Pick'em Play Now College Pick'em See who to add and drop PGA Tour and beyond AUGUSTA, Ga. -- The No. 1 golfer in the world has won the No. 1 major in the sport. Scottie Scheffler dominated the final three rounds of the 2022 Masters en route to a green jacket, record $2.7 million payout and further enshrinement as the hottest golfer on the planet, carding a 10-under 278 to win his first career major on Sunday. Scheffler became the fifth golfer to enter Augusta National ranked No. 1 in the world and go on to win the Masters, joining Ian Woosnam (1991), Fred Couples (1992), Tiger Woods (2001-02) and Dustin Johnson (2020). The victory was his fourth on the PGA Tour this season, making him the first golfer since Arnold Palmer in 1960 -- and only the second ever -- to win as many events including the Masters in that span of time to begin a season, according to Justin Ray. Scheffler is on such a heater that he actually won all four of those PGA Tour events in just a 57-day span, marking the shortest stretch from a first to fourth victory in PGA Tour history. This after failing to claim a victory in his first 70 events on the PGA Tour.", "The PGA Tour is traveling to Augusta, Georgia for the 2022 Masters Tournament. This year the event is taking place at Augusta National Golf Club.", "The 2022 Masters Tournament was the 86th edition of the Masters Tournament, the first of the four major golf championships of 2022, held April 7–10 at the Augusta National Golf Club in Augusta, Georgia. For the first time since the 2019 tournament, attendance returned to full capacity with maximum of 40,000 spectators per day; the traditional par-3 contest also returned.[1][2] Scottie Scheffler won his first major by three strokes over Rory McIlroy.[3][4] Scheffler had achieved his first PGA Tour win at the WM Phoenix Open two months earlier, and after also winning the Arnold Palmer Invitational and WGC-Dell Technologies Match Play he entered the Masters as world number one.[5] Scheffler led by a record-tying five strokes after the second round, and held the lead from then on. His main challenger was Cameron Smith, who narrowed the lead to one stroke after the second hole of the final round. On the subsequent hole, Scheffler and Smith found themselves in the same tricky position, with Scheffler chipping in for a birdie, and Smith only managing a bogey, extending the lead to 3 strokes. Smith made a triple bogey on the 12th hole after his ball went into the water, leaving Scheffler relatively unchallenged for the rest of the round.", "Play Now Football Pick'em Play Now College Pick'em See who to add and drop PGA Tour and beyond AUGUSTA, Ga. -- There was a lot on the line Sunday at the 2022 Masters, and while a cash prize is not necessarily at the top of the list for many of the best golfers in the world, there was still a significant sum available to be claimed at Augusta National. There were 52 golfers who made the weekend with an opportunity to play for a green jacket, major championship and significant check, yet it was 36- and 54-hole leader Scottie Scheffler who made history by claiming the first major title of his career. Scheffler finished 1 under Sunday and 10 under for the Masters, edging second-place finisher Rory McIlroy on the Masters leaderboard by three strokes. McIlroy scored the round of the tournament with an 8-under 64, matching the lowest final-round score in Masters history. While he did fall short of the career grand slam, McIlroy nevertheless captured a lot of cash on Sunday. The 2022 Masters purse was set at a record $15 million, paying out a total of $3.5 million more than it has in any prior edition of the tournament. Scheffler will bring home 18% of that sum ($2.", "Scottie Scheffler won the 2022 Masters on Sunday following a dominant performance at Augusta National. The world No. 1 finished ahead of Northern Irishman Rory McIlroy to claim his first major title. After two close-range misses on the 18th green, he rolled home the winning putt and carded a final round one-under par 71 to finish on 10-under for the tournament, three shots ahead of second-placed McIlroy. Over the four days at the lush, sprawling golf club in Augusta, Georgia, Scheffler produced some excellent golf, refusing to falter under the pressure of being the tournament’s leader for nearly three days. In the end, he was rewarded for his recent run of good form, winning the most prestigious tournament title out there, as well as going home with the famous green jacket and the $2.7 million winners purse. Asked how he felt in the immediate aftermath, Scheffler said he was “pretty tired.” “I want to go home! I’m pretty tired right now – I’m really at a loss for words right now,” he said. “I can’t thank my family enough – they’ve made many sacrifices over the years. To have the honor of winning the tournament and to have my family with me was incredible.” The last two months have been transformative for Scheffler."], "noise_rate": 0.2, "factlabel": 0} +{"id": 51, "query": "Who won the women's singles Australian Open 2022?", "ans": ["Ashleigh Barty"], "label": [1], "prediction": "According to the provided document, Ashleigh Barty won the women's singles Australian Open 2022, defeating Danielle Collins in the final with a score of 6-3, 7-6(2).", "docs": ["Australian Open Women’s Finals 2022 Highlights: Ash Barty ended Australia’s 44-year wait for a home winner at the Australian Open when the world number one staved off a fightback from American Danielle Collins to complete a 6-3 7-6(2) win on Saturday and pick up her third Grand Slam title. Barty became the first Australian to win the event since Chris O’Neil captured the women’s title in 1978. O’Neil was present in the stands cheering as the crowd on the flooodlit Rod Laver Arena erupted when Barty converted her first match point with a forehand crosscourt winner. When Collins appeared to be on the verge of levelling the match as she served at 5-1, the Australian showed nerves of steel and raised her game. Barty got the set back on serve and then dominated the tiebreak to complete a memorable comeback that left the home nation rejoicing all over Australia. We have the winner now. Ashleigh Barty wins her first Australian Open title after beating Danielle Collins in the women's singles final by 6-3 7-6. After losing four consecutive games, Collins finally wins one. (Barty 6-3, 5-6 Collins) Another break for Barty and the pressure is back on Collins. Barty’s is growing in confidence after the first break and she has carried her momentum. The Rod Laver Arena has erupted for Barty.", "Play Now Football Pick'em Play Now College Pick'em See who to add and drop PGA Tour and beyond No. 1-ranked Ashleigh Barty defeated Danielle Collins in the Australian Open women's final Saturday in Melbourne, 6-3, 7-6 (7-2), to become the first Australian to win the women's singles title since 1978. Barty, 25, didn't surrender a single set en route to the third Grand Slam title of her career (2021 Wimbledon, 2019 French Open).  Win a Grand Slam on home soil? Completed it mate 🇦🇺🏆@ashbarty defeats Danielle Collins 6-3 7-6(2) to become the #AO2022 women’s singles champion.🎥: @wwos • @espn • @eurosport • @wowowtennis #AusOpen pic.twitter.com/TwXQ9GACBS In Saturday's championship, Barty won the first set over the American Collins in just 32 minutes but fought her way back from a 1-5 second set deficit to win in a tiebreaker.", "Ashleigh Barty defeated Danielle Collins in the final, 6–3, 7–6(7–2) to win the women's singles tennis title at the 2022 Australian Open. She became the first home player to win an Australian Open singles title since Chris O'Neil in 1978. It was Barty's third major singles title, and she won the title without losing a set, dropping just three service games during the tournament.[1] The final also marked Barty's last professional appearance, as she announced her retirement from the sport two months later.[2] Naomi Osaka was the defending champion,[3] but lost to Amanda Anisimova in the third round.[4] Barty retained the world No. 1 singles ranking after Aryna Sabalenka and Barbora Krejčíková lost in the fourth round and quarterfinals, respectively. Collins entered the WTA top 10 rankings for the first time by reaching the final.[5] Alizé Cornet reached her first major singles quarterfinal on her 63rd main-draw appearance, surpassing Tamarine Tanasugarn's all-time record, who reached her maiden quarterfinal at the 2008 Wimbledon Championships on her 45th attempt.[6] Kaia Kanepi becomes the first Estonian to reach the quarterfinals at all four majors after her victory over second seed Aryna Sabalenka in the fourth round.", "1 seed) R1: def. Lesia Tsurenko, 6-0, 6-1 R2: def. Lucia Bronzetti, 6-1, 6-1R3: def. No. 30 Camila Giorgi, 6-2, 6-3R4: def. Amanda Anisimova, 6-4, 6-3QF: def. No. 21 Jessica Pegula, 6-2, 6-0SF: def. Madison Keys, 6-1, 6-3 Collins (No. 27 seed) R1: def. Caroline Dolehide, 6-1, 6-3R2: def. Ana Konjuh, 6-4, 6-3R3: def. Clara Tauson, 4-6, 6-4, 7-5R4: def. No. 19 Elise Mertens, 4-6, 6-4, 6-4QF: def. Alizé Cornet, 7-5, 6-1SF: def. No. 7 Iga Świątek, 6-4, 6-1 Rafael Nadal and Daniil Medvedev will meet in the men's final Sunday.", "The 2022 Australian Open was a Grand Slam tennis tournament that took place at Melbourne Park, Australia from 17 to 30 January 2022.[2] It was the 110th edition of the Australian Open, the 54th in the Open Era, and the first Grand Slam of the year. The tournament consisted of events for professional players in singles, doubles and mixed doubles. Junior and wheelchair players competed in singles and doubles tournaments. As in previous years, the tournament's main sponsor was Kia. The men's singles title was won by Rafael Nadal, and was Nadal's 21st major title, and his second Australian Open. He defeated second seed Daniil Medvedev in the final, winning in five sets after being two sets down. In winning the title, Nadal broke the record for all-time men's major singles title - it was previously tied at 20 between himself, Novak Djokovic, and Roger Federer. The women's singles title was won by Ashleigh Barty, who won her first Australian Open title and third major title. She defeated 27th seed Danielle Collins in straight sets. Barty was the first Australian to win the title since Chris O'Neil won the title in 1978. The final would also prove to be Barty's last professional match, with Barty announcing her retirement in March 2022."], "noise_rate": 0.2, "factlabel": 0} +{"id": 52, "query": "Who won the women's singles Australian Open 2023?", "ans": ["Aryna Sabalenka"], "label": [1], "prediction": "According to the provided document, Aryna Sabalenka of Belarus won the women's singles Australian Open 2023 by defeating Elena Rybakina of Kazakhstan in the final.", "docs": ["Copyright 2023 The Associated Press. All Rights Reserved. Aryna Sabalenka of Belarus hugs the Daphne Akhurst Memorial Trophy after defeating Elena Rybakina of Kazakhstan in the women’s singles final at the Australian Open tennis championship in Melbourne, Australia, Saturday, Jan. 28, 2023. (AP Photo/Dita Alangkara) Aryna Sabalenka of Belarus falls to the gourd as she celebrates defeating Elena Rybakina of Kazakhstan in the women’s singles final during the women’s singles final at the Australian Open tennis championship in Melbourne, Australia, Saturday, Jan. 28, 2023. (AP Photo/Asanka Brendon Ratnayake) Aryna Sabalenka of Belarus reacts after defeating Elena Rybakina of Kazakhstan in the women’s singles final at the Australian Open tennis championship in Melbourne, Australia, Saturday, Jan. 28, 2023. (AP Photo/Asanka Brendon Ratnayake) Elena Rybakina of Kazakhstan speaks during a press conference following her loss to Aryna Sabalenka of Belarus in the women’s singles final at the Australian Open tennis championship in Melbourne, Australia, Saturday, Jan. 28, 2023.", "Subscribers Only Have you subscribed yet? Buy Print Updated : Jan 30, 2023 23:00 IST Comments Follow Us SHARE READ LATER From left to right: Elena Rybakina (runner-up) of Kazakhstanp and Aryna Sabalenka (champion) after the Women’s Singles Final of the 2023 Australian Open at Melbourne Park on January 28, 2023 in Melbourne. | Photo Credit: Getty Images Welcome to Sportstar’s highlights of the women’s singles final of the Australian Open 2023 between Kazakhstan’s Elena Rybakina and Aryna Sabalenka of Belarus. This was Nihit Sachdeva taking you through the action as it unfolded at the Rod Laver Arena in Melbourne. That’s it from the women’s final. Do join us tomorrow for the men’s final between Novak Djokovic and Stefanos Tsitsipas! Sabalenka: “I want to thank my team, of course. The craziest team on Tour, I’d say. You guys deserve this trophy. It’s more about you than about me. I love you!” Now, time for the Daphne Akhurst Memorial Trophy to be presented to the champion - Aryna Sabalenka. Rybakina congratulates Sabalenka on the win - “I know how hard you’ve worked, & also your team, so just congratulations and hopefully we’re going to have many more battles.", "A crosscourt forehand from the fifth seed lands wide - deuce again. Rybakina’s backhand lands just on the baseline, Sabalenka responds a bit late and provides a short ball which Rybakina converts with a crosscourt forehand winner. Break point for Rybakina. Wide service winner into the ad court from Sabalenka - deuce again. Crosscourt forehand from Rybakina finds the net chord and Sabalenka has a third championship point! And she has again overhit a backhand. Rybakina has saved three match points. Big first serve down the T and Sabalenka finishes the point with a forehand winner down the line to earn 4th championship point. Rybakina hits a forehand long in a five-shot rally and Aryna Sabalenka is the 2023 Australian Open champion!!!! Your #AO2023 women's singles champion, @SabalenkaA 🙌@wwos • @espn • @eurosport • @wowowtennis • #AusOpenpic.twitter.com/5ggS5E7JTp Sabalenka 5-4 Rybakina* - Rybakina serving to stay in the set and the match. Rybakina mishits a crosscourt forehand - 15-all. Sabalenka’s forehand return lands just beyond the baseline, Rybakina leads 30-15.", "First up, Elena Rybakina receives the runner-up trophy from 12-time Grand Slam champion Billie Jean King. Time for the presentation ceremony. What a story! After struggling with double faults last year, Aryna Sabalenka has dominated the 2023 season winning eleven straight matches for two titles in the first month with the second of them being her maiden Grand Slam title. 🚨ARYNA SABALENKA IS THE 2023 AUSTRALIAN OPEN CHAMPION🔗https://t.co/4lCc4NWnWe I #A02023 I #AusOpenpic.twitter.com/gWZtVKJW5R Sabalenka* 6-4 Rybakina - Sabalenka serving for the title. Crosscourt backhand return from Rybakina goes wide. Sabalenka nets a crosscourt forehand - 15-all. Deep forehand return from Rybakina finds Sabalenka in an awkward position and she hits the forehand wide - 30-15. Rybakina with an unforced error, a crosscourt forehand gone long, and it is 30-all. A T ace and Sabalenka has a championship point. And she has committed a double fault. Would you believe it? Well, there’s another chance as she hits a crosscourt forehand winner. Can she do it this time? No, she can!", "A crosscourt backhand from Sabalenka goes long and all of a sudden, it is deuce. Another double fault from the fifth seed and she is facing a break point. Forehand goes long from Sabalenka and Rybakina breaks! Sabalenka 1-1 Rybakina* - Rybakina responds in style. Three aces for an easy hold. Sabalenka* 1-0 Rybakina - Sabalenka begins with a double fault but then hits two aces on her way to a comfortable service hold. 2:07PM - Here we go. Rybakina and Sabalenka make their way to the Rod Laver Arena through the ‘Walk of Champions.’ 2PM - Live visuals from the Rod Laver Arena and the Daphne Akhurst trophy has been brought onto the court by none other than last year’s champion Ash Barty! Listen to the crowd 🙌@ashbarty delivers the Daphne Akhurst Memorial Cup ahead of the women's singles final.#AusOpen • #AO2023pic.twitter.com/5hqEg4GI2H 1:55PM - Just a few minutes to go before the two finalists make their way to the court. If Rybakina wins today, she’ll be the first Kazakh woman to win the Australian Open. If Sabalenka emerges victorious, she’ll be the first ‘neutral’ Grand Slam champion."], "noise_rate": 0.2, "factlabel": 0} +{"id": 53, "query": "Who won the men's singles Australian Open 2022?", "ans": [["Rafael Nadal", "Nadal"]], "label": [1], "prediction": "According to the provided documents, Rafael Nadal won the men's singles title at the 2022 Australian Open, defeating Daniil Medvedev in the final with a score of 2–6, 6–7(5–7), 6–4, 6–4, 7–5.", "docs": ["Rafael Nadal defeated Daniil Medvedev in the final, 2–6, 6–7(5–7), 6–4, 6–4, 7–5 to win the men's singles tennis title at the 2022 Australian Open.[1] It was his second Australian Open title and 21st major singles title overall, surpassing the all-time record he had jointly held with Roger Federer and Novak Djokovic.[2][3] Nadal became the fourth man, after Roy Emerson, Rod Laver, and Djokovic, to achieve the double career Grand Slam, and the second in the Open Era.[4] He also became the first man in the Open Era to win an Australian Open final after losing the first two sets.[5] This marked the third consecutive year a man trailed by two sets in a major final yet rallied to win, following Djokovic's two-set comeback at the 2021 French Open and Dominic Thiem's at the 2020 US Open.[6] Djokovic was the three-time reigning champion,[7] but did not compete after his visa was cancelled shortly before the tournament began due to an intervention from Australia's Immigration Minister Alex Hawke, citing risks to public health and good order in Australia.[8] That meant Nadal was the only former champion (2009) to compete in the tournament, with both Federer and Stan Wawrinka sidelined by injury.", "Play Now Football Pick'em Play Now College Pick'em See who to add and drop PGA Tour and beyond Rafael Nadal broke a three-way tie with Roger Federer and Novak Djokovic by claiming his 21st Grand Slam title Sunday, coming back to beat Daniil Medvedev, 2-6, 6-7 (5-7), 6-4, 6-4, 7-5, in the 2022 Australian Open men's singles final. Nadal rallied from two sets down -- just the third comeback from 0-2 at a major for Nadal in his career and first since 2007 -- to win the marathon five-setter. Champion in Melbourne once again 🏆#AO2022 • #AusOpen pic.twitter.com/NLyuXwUwdt \"One month and a half ago, I didn't know if I was going to be able to be back on the tour playing tennis again,\" Nadal said in his post-match speech. \"And today, I am here in front of all of you having this trophy with me and you really don't know how much I fought to be here. I can't thank you enough for all the support that I received since I arrived here.\" Nadal was sidelined with a recurring foot injury since last May, even having to undergo an operation that left him on crutches just four months ago.", "The 2022 Australian Open Men's Singles final was the championship tennis match of the men's singles tournament at the 2022 Australian Open, contested by sixth-seed Rafael Nadal and second-seed Daniil Medvedev. It was a match of historic proportions for both players: Nadal was attempting to surpass an all-time record of 20 major men's singles titles, shared with rivals, Novak Djokovic and Roger Federer, by winning a record 21st major title, and to become the fourth man to complete the double career Grand Slam (after Roy Emerson, Rod Laver, and Novak Djokovic), while Medvedev was seeking to become the first man in the Open Era to win his first two major titles at consecutive events (having won the 2021 US Open title). Nadal defeated Medvedev, 2–6, 6–7(5–7), 6–4, 6–4, 7–5, in 5 hours and 24 minutes to win his second Australian Open title, and a then all-time record 21st major men's singles title. This was the second-longest major final in history after the 2012 Australian Open final, in which Nadal also participated.[1] Nadal became the first player in the Open Era to win an Australian Open final after losing the first two sets, and the first to do so since Emerson in 1965.", "Men's Singles. Men's Singles, Women's Singles, Men's Doubles, Women's Doubles, Mixed Doubles, Junior Boys' Singles, Junior Girls' Singles ...", "There's nobody else like Rafael Nadal. The legendary Spaniard won a men's-record 21st Grand Slam title Sunday, coming back from two sets down to defeat Daniil Medvedev 2-6, 6-7 (5), 6-4, 6-4, 7-5 in the men's singles final at the 2022 Australian Open in Melbourne. Another chapter is written 🏆 @RafaelNadal defeats Daniil Medvedev 2-6 6-7(5) 6-4 6-4 7-5 to win his second #AusOpen title in an epic lasting five hours and 24 minutes. 🎥: @wwos • @espn • @eurosport • @wowowtennis #AO2022 https://t.co/OlMvhlGe6r Nadal's thrilling comeback broke a deadlock with Novak Djokovic and Roger Federer for the most career Grand Slam men's singles titles. His tally includes 13 French Open titles, four U.S. Open titles, two Wimbledon titles and now two Australian Open triumphs that came 13 years apart. \"I even don't know what to say guys. For me, it's just amazing, being honest."], "noise_rate": 0.2, "factlabel": 0} +{"id": 54, "query": "Who won the men's singles Australian Open 2023?", "ans": ["Novak Djokovic"], "label": [1], "prediction": "According to the provided document, Novak Djokovic won the men's singles Australian Open 2023 by defeating Stefanos Tsitsipas with a score of 6–3, 7–6(7–4), 7–6(7–5) in the finals.", "docs": ["The Australian Open Winners List 2023 is as follows: Australian Open Winners 2023 Category Winners Runners up Score Men's Singles Novak Djokovic (Serbia) Stefanos Tsitsipas (Greece) 6–3, 7–6(7–4), 7–6(7–5) Women's Singles Aryna Sabalenka (Belarus) Elena Rybakina (Kazakhstan) 4–6, 6–3, 6–4 Men's Doubles Rinky Hijikata (Australia), Jason Kubler (Australia) Hugo Nys (Monaco), Jan Zieliński (Poland), 6–4, 7–6(7–4) Women's Doubles Barbora Krejčíková (Czech), Kateřina Siniaková (Czech) Shuko Aoyama (Japan), Ena Shibahara (Japan) 6–4, 6–3 Mixed Doubles Luisa Stefani (Brazil), Rafael Matos (Brazil) Sania Mirza (India), Rohan Bopanna (India) 7–6(7–2), 6–2 The Australian Open tournament was started by the Lawn Tennis Association of Australasia (Australia) in the year 1905. It started as a Men's tournament, but the women's title was added from 1922 Until 1988.", "The recent Australian Open winners were Rafael Nadal (Men's Singles) and Ashleigh Barty (Women's Singles). The tournaments were held in different parts of the country, such as Melbourne, Sydney, Brisbane, and Adelaide, after which it was played in Melbourne Park Melbourne every year.", "Andy Murray Serena Williams Maria Sharapova 2016 Novak Djokovic Andy Murray Angelique Kerber Serena Williams 2017 Roger Federer Rafael Nadal Serena Williams Venus Williams 2018 Roger Federer Marin Čilić Caroline Wozniacki Simona Halep 2019 Novak Djokovic Rafael Nadal Naomi Osaka Petra Kvitová 2020 Novak Djokovic Dominic Thiem Sofia Kenin Garbiñe Muguruza 2021 Novak Djokovic Daniil Medvedev Naomi Osaka Jennifer Brady 2022 Rafael Nadal Daniil Medvedev Ashleigh Barty Danielle Collins 2023 Novak Djokovic StefanosTsitsipas Aryna Sabalenka Elena Rybakina The 2023 Australian Open Winner is Novak Djokovic for Men's Singles and Aryna Sabalenka for the Women's Singles categories. We have shared the Australian Open winners 2023 of the other categories here - The 2023 Australian Open was held in Melbourne Park, Australia from 16 to 29 January. This Grand Slam level tournament is held every year in mid-January. In 2023, the Australian Open winners in the men's and women's categories were Novak Djokovic and Aryna Sabalenka, respectively.", "Novak Djokovic defeated Stefanos Tsitsipas in the final, 6–3, 7–6(7–4), 7–6(7–5) to win the men's singles tennis title at the 2023 Australian Open. It was his record-extending tenth Australian Open title and 22nd major title overall, tying Rafael Nadal for the all-time record of most Grand Slam men's singles titles won.[1] He also became the second man to win double-digit titles at a single major, after Nadal at the French Open.[2] Djokovic lost just one set en route to the title (in the second round to Enzo Couacaud), and extended his match winning-streak at the Australian Open to an Open Era record 28 matches. Nadal was the defending champion,[3] but lost in the second round to Mackenzie McDonald.[4] Carlos Alcaraz, Casper Ruud, Tsitsipas and Djokovic were in contention for the ATP world No. 1 ranking at the beginning of the tournament. By winning the tournament, Djokovic claimed the top spot. Alcaraz, the incumbent world No. 1, withdrew from the tournament due to a right leg injury.[5][6]", "By : Neha Dhyani Updated : Jun 11, 2023, 22:37 The 2023 Australian Open Winner in the Men’s Singles category is Novak Djokovic. Djokovic defeated Stefanos Tsitsipas with a score of 6–3, 7–6(7–4), 7–6(7–5) in the finals to claim his 10th Australian Open title. In the Women’s Singles category, Aryna Sabalenka (Belarus) made history by defeating Elena Rybakina (Kazakhstan). Find out the complete list of 2023 Australian Open winners here. We have shared the winners of the Men’s Singles and Doubles, Women’s Singles and Doubles, and Mixed Doubles here, along with the details of the final scores. The 2023 Australian Open was held at Melbourne Park, Melbourne, Victoria, Australia. The 111th edition of the Grand Slam tournament was held from 16—29 January 2023."], "noise_rate": 0.2, "factlabel": 0} +{"id": 55, "query": "Who won the women's singles French Open 2022?", "ans": ["Iga Swiatek"], "label": [1], "prediction": "According to the provided document, Iga Swiatek won the women's singles French Open 2022, defeating Coco Gauff with a score of 6-1, 6-3 in the final.", "docs": ["Play Now Football Pick'em Play Now College Pick'em See who to add and drop PGA Tour and beyond The 2022 French Open women's final represented a moment for the sport that could be called a changing of the guard. While Iga Swiatek entered the final with a Grand Slam title in her trophy case already -- and on a 34-match winning streak -- the 21-year-old is still just coming into her own as one of the world's great players. She staked a dominant claim to that as she cruised to victory over Coco Gauff with a 6-1, 6-3 win in the final at Roland Garros in a match where she was almost never seriously challenged.   Swiatek won the fall edition of the French Open in 2020 after it was postponed due to COVID-19 -- and she told NBC Sports after this win why taking home the trophy as the No. 1 player in the world is different than being a surprise winner and the lowest-ranked woman to ever win the event. \"I feel like two years ago I was pretty lucky that I could be there and basically I was living kind of in a bubble for two weeks,\" said Swiatek, the only Polish player to win a Grand Slam title. \"This time I felt the pressure. ...", "Gauff, an 18-year-old from Delray Beach, Florida, was disappointed after the loss, but talked about how this match -- and her run to the final -- has helped boost her confidence. \"For a while I really believed I couldn't do it just because ever since I was 15 and I first came on people had so much expectations for me and I started to believe that I couldn't do it and you know I made a final and I wasn't expecting it and I know that I'll get this opportunity again and I hope that I can come out on top next time. The numbers tell the story of a dominant and composed match for Swiatek -- which was the story of her tournament and could be the tag line for her last three months of tennis. 73% first serves in, 72% win rate on first serves, 5-for-10 in break point chances, just 16 unforced errors. On the other side of the court Gauff struggled on her first serve, winning just 46% of her first serve points and coming away with three double faults and 23 unforced errors and 21 forced errors. The next big tournament on the tennis calendar is Wimbledon, which starts June 27. Ash Barty, who retired earlier this year, won the women's singles in 2021.", "Tennis - French Open - Roland Garros, Paris, France - June 10, 2023 Poland's Iga Swiatek is pictured in action through a glass during her final match against Czech Republic's Karolina Muchova REUTERS/Kai Pfaffenbach/File Photo PARIS, June 10 (Reuters) - Factbox on Iga Swiatek, who beat Karolina Muchova 6-2 5-7 6-4 on Saturday to win the French Open, her fourth Grand Slam title. Age: 22 Nation: Poland WTA ranking: 1 Seeding: 1 Grand Slam titles: 4 (French Open 2020, 2022, 2023; U.S. Open 2022) ROAD TO FINAL First round: Cristina Bucsa (Spain) 6-4 6-0 Second round: Claire Liu (United States) 6-4 6-0 Third round: Wang Xinyu (China) 6-0 6-0 Fourth round: Lesia Tsurenko (Ukraine) 5-1 walkover Quarter-final: 6-Coco Gauff (United States) 6-4 6-2 Semi-final: 14-Beatriz Haddad Maia (Brazil) 6-2 7-6(7) EARLY LIFE * Born in Warsaw.", "Jun 4, 2022 ... Iga Swiatek beats Coco Gauff to win French Open 2022 women's singles final – as it happened.", "Jun 4, 2022 ... 2022 French Open women's final: Iga Swiatek beats Coco Gauff to win second career Grand Slam title."], "noise_rate": 0.2, "factlabel": 0} +{"id": 56, "query": "Who won the women's singles French Open 2023?", "ans": ["Iga Swiatek"], "label": [1], "prediction": "According to the provided document, Iga Swiatek won the women's singles French Open 2023 with a 6-2, 5-7, 6-4 win over Karolina Muchova in the final on Saturday.", "docs": ["Jun 10, 2023 ... Factbox on Iga Swiatek, who beat Karolina Muchova 6-2 5-7 6-4 on Saturday to win the French Open, her fourth Grand Slam title.", "Tennis - French Open - Roland Garros, Paris, France - June 10, 2023 Poland's Iga Swiatek is pictured in action through a glass during her final match against Czech Republic's Karolina Muchova REUTERS/Kai Pfaffenbach/File Photo PARIS, June 10 (Reuters) - Factbox on Iga Swiatek, who beat Karolina Muchova 6-2 5-7 6-4 on Saturday to win the French Open, her fourth Grand Slam title. Age: 22 Nation: Poland WTA ranking: 1 Seeding: 1 Grand Slam titles: 4 (French Open 2020, 2022, 2023; U.S. Open 2022) ROAD TO FINAL First round: Cristina Bucsa (Spain) 6-4 6-0 Second round: Claire Liu (United States) 6-4 6-0 Third round: Wang Xinyu (China) 6-0 6-0 Fourth round: Lesia Tsurenko (Ukraine) 5-1 walkover Quarter-final: 6-Coco Gauff (United States) 6-4 6-2 Semi-final: 14-Beatriz Haddad Maia (Brazil) 6-2 7-6(7) EARLY LIFE * Born in Warsaw.", "Subscribers Only Have you subscribed yet? Buy Print Published : Jun 12, 2023 08:14 IST , CHENNAI - 1 MIN READ Comments Follow Us SHARE READ LATER Iga Swiatek won her third French Open title on Saturday, beating Karolina Muchova in the final at Roland-Garros, Paris. | Photo Credit: Getty Images Iga Swiatek won the French Open 2023 women’s singles title with a 6-2, 5-7, 6-4 win over Karolina Muchova in the final on Saturday. Swiatek clinched her third Roland-Garros title and joined Serena Williams (3), Monica Seles (3), Arantxa Sánchez Vicario (3), Justine Henin (4), Steffi Graf (6) and Chris Evert (7) on the list of women who have become the champion in Paris at least thrice. The clay Major was the first one to join the Open Era in 1968, allowing both amateurs and professionals to participate at the event. Since then, 31 different women have lifted the coveted Suzanne-Lenglen Cup. Here’s the complete list of women’s singles winners at French Open (since 1968): Comments WTA / French Open / Roland Garros / Iga Swiatek / Chris Evert / Serena Williams", "Because the tournament takes place one week later this year, players are defending points from the 2022 French Open, as well as tournaments that took place during the week of 6 June 2022 ('s-Hertogenbosch, Nottingham, and Valencia WTA 125). Points from the 2022 French Open are listed first in the \"Points defending\" column. † The player did not qualify for the main draw in 2022. Points for her 16th best result will be deducted instead. The following players would have been seeded, but withdrew before the tournament began. The entry list was released based on the WTA rankings for the week of 17 April 2023.[11]", "Jun 12, 2023 ... Iga Swiatek won the French Open 2023 women's singles title with a 6-2, 5-7, 6-4 win over Karolina Muchova in the final on Saturday."], "noise_rate": 0.2, "factlabel": 0} +{"id": 57, "query": "Who is the runner-up in the women's singles at the 2023 French Open?", "ans": ["Karolina Muchova"], "label": [1], "prediction": "According to the provided document, the runner-up in the women's singles at the 2023 French Open is Karolina Muchova.", "docs": ["Iga Swiatek suddenly seemed lost in the French Open final Saturday. Her strokes were awry. Her confidence was gone. Her big early lead vanished, too. She kept looking up into the stands, seeking guidance from her coach and her sports psychologist. So much was amiss until she was two games from defeat against unseeded Karolina Muchova. And then, when she needed to most, Swiatek transformed back into the No. 1 player in women’s tennis for the last year. The defending champion at Roland Garros. Aggressive. Decisive. Full of clarity. Swiatek overcame a second-set crisis and a third-set deficit to beat Muchova 6-2, 5-7, 6-4 and collect her third career championship at the French Open and fourth Grand Slam tournament title. “I really love being here,” Swiatek said. “Basically, it’s my favorite place on tour.” Looking comfortable as can be at the outset, she raced to a 3-0 lead after just 10 minutes in Court Philippe Chatrier — taking 12 of the initial 15 points — and then was ahead 3-0 in the second set before Muchova made things more intriguing. Sports Novak Djokovic has defeated a cramping Carlos Alcaraz in the French Open semifinals to move one win away from a record 23rd Grand Slam title.", "Subscribers Only Have you subscribed yet? Buy Print Published : Jun 12, 2023 08:14 IST , CHENNAI - 1 MIN READ Comments Follow Us SHARE READ LATER Iga Swiatek won her third French Open title on Saturday, beating Karolina Muchova in the final at Roland-Garros, Paris. | Photo Credit: Getty Images Iga Swiatek won the French Open 2023 women’s singles title with a 6-2, 5-7, 6-4 win over Karolina Muchova in the final on Saturday. Swiatek clinched her third Roland-Garros title and joined Serena Williams (3), Monica Seles (3), Arantxa Sánchez Vicario (3), Justine Henin (4), Steffi Graf (6) and Chris Evert (7) on the list of women who have become the champion in Paris at least thrice. The clay Major was the first one to join the Open Era in 1968, allowing both amateurs and professionals to participate at the event. Since then, 31 different women have lifted the coveted Suzanne-Lenglen Cup. Here’s the complete list of women’s singles winners at French Open (since 1968): Comments WTA / French Open / Roland Garros / Iga Swiatek / Chris Evert / Serena Williams", "Subscribers Only Have you subscribed yet? Buy Print Updated : Jun 11, 2023 03:44 IST Comments Follow Us SHARE READ LATER Poland’s Iga Swiatek celebrates with the Suzanne Lenglen Cup after beating Karolina Muchova of Czech Republic in the Women's Singles Final match of French Open 2023 at Roland Garros on Saturday in Paris. Welcome to Sportstar’s highlights of the French Open 2023 women’s singles final in which Iga Swiatek beat Karolina Muchova. This was Nihit Sachdeva taking you through the action as it unfolded on Court Philippe-Chatrier at Roland-Garros, Paris.(* denotes server) Tomorrow is the last day of this year’s French Open and there are two finals in store for the tennis fans. First up, it will be the women’s doubles final between the Canadian-American pair of Leylah Fernandez and Taylor Townsend and the Chinese Taipei and Chinese duo of Su-Wei Hsieh and Xinyu Wang. Post that will be the big event - the men’s singles final between Novak Djokovic, who is chasing a record-breaking 23rd Grand Slam title, and Norway’s Casper Ruud. Do join us for live coverage. Till then, take care and stay safe! “First of all, congrats to Karolina.", "Because the tournament takes place one week later this year, players are defending points from the 2022 French Open, as well as tournaments that took place during the week of 6 June 2022 ('s-Hertogenbosch, Nottingham, and Valencia WTA 125). Points from the 2022 French Open are listed first in the \"Points defending\" column. † The player did not qualify for the main draw in 2022. Points for her 16th best result will be deducted instead. The following players would have been seeded, but withdrew before the tournament began. The entry list was released based on the WTA rankings for the week of 17 April 2023.[11]", "Members of my team are witnesses that ever since we first played, I knew we were going to play tough matches, play these finals ... I really hope we’re going to play many more finals.” Iga Swiatek receives the Suzanne Lenglen Cup from Chris Evert. She looks to celebrate by lifting the trophy but the lid of the trophy falls off. Never a dull moment when Iga Swiatek is involved. The Pole decides to keep the cap on the dais and celebrates again. Time for the Polish national anthem. Karolina Muchova receives the runner-up trophy and takes a moment, tears up a bit as Evert and the rest of the crowd tries to lift her up. “This is incredible Thank you everyone ... This was so close, but so far. This is what happens when you play one of the best: Iga.” Seven-time French Open champion Chris Evert enters to a huge round of applause from the Parisian crowd. The American is here to present the winner’s trophy to Swiatek. The organisers play a small video of Evert’s glorious past at Roland-Garros. The organisers play a short video of Swiatek’s run to the 2023 title. The ball kids and the other ground staff enter the center court. Finally, three ball kids bring the Suzanne Lenglen Cup along with the runner-up trophy. Both players tear up after such an exhausting final."], "noise_rate": 0.2, "factlabel": 0} +{"id": 58, "query": "Who won the men's singles French Open 2022?", "ans": [["Rafael Nadal", "Nadal"]], "label": [1], "prediction": "According to the provided document, Rafael Nadal won the men's singles French Open 2022, defeating Casper Ruud in the final with a score of 6-3, 6-3, 6-0.", "docs": ["With Rafael Nadal out through injury, the French Open 2023 could see a new name on the famous trophy in the men's draw — a trophy won by only four different players since 2004. Iga Swiatek, Barbora Krejcikova and Jelena Ostapenko are hoping to repeat their past triumphs in the women's singles when the action begins on May 28. Australian Open champion Aryna Sabalenka and men's world No.1 Carlos Alcaraz are among the players hoping to go all the way at Roland-Garros for the first time. Whose footsteps will the champions be following? Here's who won last year and a list of former victors at the French Open. MORE: French Open 2023: Betting, odds, who will win women's singles title? Rafael Nadal was the 2022 French Open champion, winning his 22nd and most recent grand slam title. Novak Djokovic ended Nadal's run of five straight French Opens in 2021 but the Spanish superstar returned to beat his arch-rival in four sets in the quarterfinals in last year. A brutal mid-match injury to Alexander Zverev sent Nadal through to a final he won in straight sets against Casper Ruud, extending his record to 14 French Open titles and 22 majors in total.", "Karolina Muchova; 6-7 (7), 6-2, 3-0 ret. (31) Elise Mertens d. Varvara Gracheva; 6-2, 6-3 Martina Trevisan d. Daria Saville; 6-3, 6-4 Sloane Stephens d. Diane Parry; 6-2, 6-3 Day 6 Recap Gauff reached her first Grand Slam quarterfinal at last year's French Open, which remains her best singles result in a major, and now she's one win from matching that feat. The 18-year-old Atlanta native has reached the fourth round without dropping a set, and she was highly efficient in Friday's win over Kanepi. She recorded just 13 unforced errors, 16 fewer than her Estonian counterpart, and registered 20 winners. \"I knew going into it, it was going to be a tough match,\" Gauff said. \"I've been coming to France since I was 10 years old, so I think that helped me a lot. I guess it makes me a clay-court—I don't want to say specialist, but, you know, good at it.\" That fourth round smile 😁😁😁 Camera > Preserve Settings > Apple ProRAW.", "Well ahead of Apple’s event last month, there had been rumors that this long era — 7 years is a practical century in technology time — was about to come to an end. Indeed, iPhone 14 Pro was announced with a 48 megapixel camera. Looking purely at the specs, it’s an impressive upgrade: the sensor is significantly larger in size, not just resolution. The lens is slightly slower (that is, its aperture isn’t quite as large as the previous years’) but once again, the overall light-gathering ability of the iPhone’s main shooter improves by as much as 33%. The implications are clear: more pixels for more resolution; more light gathered for better low light shots, and finally, a bigger sensor for improvements in all areas including more shallow depth of field. There’s a reason we chase the dragon of larger sensors in cameras; they allow for all our favorite photography subjects: details, low light and night shots, and nice bokeh. Your average digital camera sensor has a particularly interesting way to capture color. We’ve previously detailed this in our post about ProRAW, which you can read here, but we’ll quickly go over it again. Essentially, a camera sensor contains tiny pixels that can detect how much light comes in. For a dark area of an image, it will register darkness accurately, and vice versa for lighter areas."], "noise_rate": 0.2, "factlabel": 0} +{"id": 77, "query": "How much does it cost to rent a tool kit for Apple device repairs?", "ans": ["49"], "label": [1], "prediction": "According to the document, it costs $49 to rent a tool kit for Apple device repairs. However, the rental period is only 7 days, and if the kit is not returned by the end of the rental period, a fee and tax will be charged.", "docs": ["As the idea of consumers repairing their own device has spread, many tech giants have announced self repair programs, Apple being the most surprising. The Apple self repair kits were intended to be a more cost effective alternative for device repairs, however, the home repair kit may end up being even more expensive than manufacturer repair.  MacRumors recently published a review of Apple’s new self repair kit, where Dan Barbera, the site’s videographer, purchased the kit himself and gave his feedback via a YouTube video. For starters, the Apple Self Service Repair Store website only sells parts and tools for the iPhone, and only for the iPhone 12 model and newer.  Depending on what part of the phone you are trying to repair, different parts and tools are available, varying in price. The website also gives you the option to rent the repair kit with all the tools required or to purchase the tools separately based on user needs.  If users choose to rent the kit, they will actually be renting two large kits weighing 43 pounds and 36 pounds for $49. However, the rental period is only 7 days, and a temporary authorization is placed on your account in case you fail to return the kit by the end of the rental period. If a customer fails to return the kit, they will be charged $1,300.", "Apple’s self-service repair program went live today, giving iPhone (and eventually Mac) customers the tools and instructions need to repair their devices at a lower cost and from the comfort of their own homes. To do so, however, you need tools—some of which are proprietary. With the “Self Service Repair Store” opening today, you can now purchase those parts individually. However, doing so might not be the most cost-effective method. Spending $85 on a Torque Driver or $13 on a single Torx Security Bit adds significant cost to your repair, and you might only need these tools once or twice. Fortunately, Apple offers a $49 (including shipping) rental kit that contains all the tools and parts needed to make repairs on specific devices. Maybe too many parts, depending on which repair you’re making, but there’s no way to rent individual tools a la carte. The rental lasts for 7 days once you’ve received the tool kit, after which you are charged “a fee and a tax” via a hold on your credit card. Just be sure to stretch before you try hauling these kits to your workbench, because they are hefty. As MacRumors notes, the two cases you receive with the rental kits weigh 43 pounds and 36 pounds, individually. When stacked, the cases measure 20 inches wide and 47 inches tall. It’s safe to say that you can skip the gym on iPhone repair day.", "Now it's launched the program, it can tell any court in the land that it is providing every possible tool — and doing so for a $49/week rental fee, including shipping.\r Only, that isn't $49 per week for however long you need to study the 80+ pages of repair manuals available on the new service site. It is $49 for one week and only one week — or in practice, probably not quite even that.\r Instead, you have to drop the kit off at a UPS store \"by day 7.\" If you fail to do so, \"you will be charged a fee and a tax,\" though Apple does not specify how much that will amount to.\r It does say that at point of rental, it will put a temporary authorization on your credit card to cover the full replacement value of the tools. Again, Apple does not say how much that is — partly because it varies, there are customized repair toolkits for different models.\r Confusingly, Apple's listings for the different toolkits don't entirely tally with its listings for each tool you can buy separately. There are some in the kit that don't appear to be listed separately, while there are some separate ones that are not in the kit.\r However, counting only the tools that are present in the iPhone SE toolkit — the smallest kit available — then the kit's contents are worth around $914.", "Copyright © 2023, Quiller Media, Inc. Contact Us | Privacy Policy Apple hasn't exactly skimped on the tools it provides in its new iPhone Self Service Repair program, but at 79 pounds, it's not what you'd call a practical kit for home use.\r Even before it launched its new Self Service Repair program, Apple was accused of doing it less to help users, and more to head off future legislation. Now it's launched the program, it can tell any court in the land that it is providing every possible tool — and doing so for a $49/week rental fee, including shipping.\rOnly, that isn't $49 per week for however long you need to study the 80+ pages of repair manuals available on the new service site. It is $49 for one week and only one week — or in practice, probably not quite even that.\rInstead, you have to drop the kit off at a UPS store \"by day 7.\" If you fail to do so, \"you will be charged a fee and a tax,\" though Apple does not specify how much that will amount to.\rIt does say that at point of rental, it will put a temporary authorization on your credit card to cover the full replacement value of the tools. Again, Apple does not say how much that is — partly because it varies, there are customized repair toolkits for different models.", "Green Torque Driver Blue Torque Driver Micro Stix Bit Super screw Bit 4.7-inch Support Frame Universal Display Fixture Every iPhone repair toolkit, regardless of the model, comes with a case containing these tools. Except for the iPhone SE, all of the rest have a case that adds:\r Heated Display Removal Fixture Heated Display Pocket Apple says that, \"one case weighs 43 pounds and the other weighs 36 pounds.\"\rThat's a total weight of 79 pounds. As an iPhone SE weighs only 5.09 ounces, that means to repair it you need a kit that weighs just over 248 times more than the phone you're trying to fix.\rThe toolkits come on wheels, and they can also be stacked. If your iPhone needs two toolkits, and you stack them together, they add up to 20 inches wide and 47 inches high.\rRight to Repair was always a campaign about how individuals should have the rights, and the facilities, to effect repairs on the devices they have bought, and these kits are versions of what Apple uses in-store. They're just not cost-effective for any given user, skilled or not. Even before it launched its new Self Service Repair program, Apple was accused of doing it less to help users, and more to head off future legislation."], "noise_rate": 0.2, "factlabel": 0} +{"id": 78, "query": "Where will the 2022 Met Gala take place?", "ans": ["Metropolitan Museum of Art"], "label": [1], "prediction": "According to the provided document, the 2022 Met Gala will take place at the Metropolitan Museum of Art in New York City.", "docs": ["Jump to The Met Gala is held at the Metropolitan Museum of Art in New York City. The event is invite-only and carries a hefty price tag. This year, tickets to the event are reportedly $50,000 a piece, with prices for tables beginning at $300,000, according to the New York Times. What actually goes on inside the event is relatively secret, as celebrities are banned from posting photos or videos from inside on social media. However, official photos from past Met Galas offer a glimpse into the decorations and atmosphere inside the event.  Photos from inside the main lobby of last year's Met Gala show the red carpet, which continues from the bottom of the stairs into the entrance hall. The carpet, which changes from year to year, was colored red, white, and blue to represent the American flag and the 2022 theme, \"In America: An Anthology of Fashion.\" This year, the theme is \"Karl Lagerfeld: A Line of Beauty,\" a homage to the legacy of the late designer and fashion-industry icon Karl Lagerfeld. The decorations and red carpet will likely be different from years past to reflect the new theme. The 2022 dress code was \"gilded glamour,\" inspired by the Gilded Age of New York City. To match the theme and dress code of the night, Shane Valentino designed the centerpiece to represent the Statue of Liberty's eternal flame.", "To revist this article, visit My Profile, then View saved stories. To revist this article, visit My Profile, then View saved stories. To revist this article, visit My Profile, then View saved stories. To revist this article, visit My Profile, then View saved stories. By Vogue Last night, on Monday, May 1, the 2023 Met Gala took place. This year’s Costume Institute exhibition, “Karl Lagerfeld: A Line of Beauty,” celebrates the full work and life of Karl Lagerfeld, so the dress code was, fittingly, “in honor of Karl.” As Lagerfeld designed for many houses—including his eponymous brand, Patou, Balmain, Chloé, Fendi, and Chanel—attendees had no shortage of inspiration.  Below, everything you need to know about the 2023 Met Gala.  The 2023 Met Gala took place on Monday, May 1 in New York City. It celebrated the opening of the Costume Institute exhibition “Karl Lagerfeld: A Line of Beauty.”  Fans followed all the action on Vogue’s livestream. If you missed the night-of action, you can catch catch a replay. The red carpet was live-streamed on Vogue.com and was also broadcast live across our digital platforms (as well as on Instagram, Facebook, and Twitter).", "Fashionistas, mark your calendars: The first Monday in May is quickly approaching. What makes this Monday different from every other? Why, it's the most fashion-forward holiday of the year: the Met Gala. You might be thinking, \"But didn't they just have the Met Gala?\" If so, you'd be correct. The event was last held eight months ago in September -- when we saw Kim Kardashian's masked Balenciaga look, Lil Nas X's three-part wardrobe transformation and Rihanna and A$AP Rocky's red-carpet debut as a couple -- and the second part will take place on the traditional date. Want to make sure you've got all the stylish details in order before the big night? E! News can help. Here's everything you need to know about the 2022 Met Gala. The 2022 Met Gala will take place May 2. The name of the event is a bit of a giveaway. The chic celebration will be held at New York's Metropolitan Museum of Art, specifically in the American Wing period rooms that showcase American architecture and furnishings spanning from the 17th to 20th centuries to give a glimpse into these time periods. Part one was \"In America: A Lexicon in Fashion\" -- marking the Costume Institute's 75th anniversary and establishing a \"modern vocabulary of fashion,\" according to the organization's press release.", "Back on schedule on the first Monday in May, the 2022 Met Gala is expected to be a larger event as high-profile celebrities circle around to show off their best Gilded Age looks (thank you, HBO, for the style inspiration).  Met Gala's most outrageous looks: Kim K sparks 'Harry Potter' memes, Grimes wields a sword, more Ahead of the grand event, here's all to know about fashion's biggest night.  The Met Gala will take place Monday, May 2, at the Metropolitan Museum of Art. It's the first time the museum has seen the in-person fundraising event at its scheduled time since May 6, 2019. In 2020 the exhibit went virtual, and in 2021 it took place in September.  Big fashion returns:NYFW and the 2021 Met Gala came, but does anyone care? Vogue, owned by one of the Met Gala sponsors Condé Nast, will be live streaming the event on its website starting at 6 p.m. ET. LaLa Anthony, Vanessa Hudgens and fashion journalist Hamish Bowles will sit as co-hosts as they interview the stars and designers upon their arrival.  E! News will also host two live streams with their TikTok stream that will capture celebrities as they leave from The Mark Hotel, a popular launching point for the invitees.", "The 2022 Met Gala takes place on May 2, 2022, at the Metropolitan Museum of Arts in New York City. This date carries on the tradition of the event being held on the first Monday in May, excluding the 2021 Met Gala, which was held in September. The 2022 Met Gala theme is \"In America: An Anthology of Fashion,\" with the dress code being gilded glamour and white tie. Channeling the time period between 1870 to 1890, the event \"will ask its attendees to embody the grandeur—and perhaps the dichotomy—of Gilded Age New York,\" per Vogue. The era is known for major industrialization and put the likes of John D. Rockefeller, J.P. Morgan, and Cornelius Vanderbilt on the map. Unprecedented prosperity and cultural change were significant. The light bulb was patented, the telephone was invented, wages skyrocketed — and seemingly instantaneous, so did skyscrapers and fortunes. Serving as a part 2 to last year's \"A Lexicon of Fashion\" and paying homage to American history, the official exhibit for this year's \"In America: An Anthology of Fashion\" will be on display in the storied museum's period-centric rooms. Blake Lively and Ryan Reynolds will serve as 2022 Met Gala co-chairs alongside Oscar-winner Regina King and Broadway superstar Lin-Manuel Miranda."], "noise_rate": 0.2, "factlabel": 0} +{"id": 79, "query": "Who won the Champions League in the 2022-2023 season?", "ans": ["Manchester City"], "label": [1], "prediction": "Manchester City won the Champions League in the 2022-2023 season.", "docs": ["66] He also became the first manager to win two European trebles, having also done so with Barcelona in 2008–09.[67] It was Guardiola's twelfth major trophy with Manchester City; after the match, he stated that \"it was written in the stars that we'd win this season—and we did.\"[64] City midfielder Rodri, who scored the lone goal of the game, was selected as the man of the match by UEFA's technical observers.[1] Backup goalkeeper Scott Carson was the only City player to have previously won the competition, doing so as a reserve for Liverpool in 2005 at the same stadium. He thus equalled the record for the longest gap between a first and last European Cup title, shared with Milan's Paolo Maldini and Alessandro Costacurta.[68] Forward Julián Álvarez, who won the 2022 FIFA World Cup with Argentina six months prior, became the first player to win the treble and World Cup in the same season. This also made him the tenth player to accomplish the European Cup and World Cup double.[69] As winners, Manchester City qualified for the 2023 UEFA Super Cup, where they defeated Spanish club Sevilla, winners of the 2022–23 UEFA Europa League, on penalties following a 1–1 draw after regulation time.", "Real Madrid were the defending champions, having won a record-extending fourteenth European Cup title in the previous edition, but they were eliminated by eventual champions Manchester City in the semi-finals. A total of 78 teams from 53 of the 55 UEFA member associations participated in the 2022–23 UEFA Champions League (the exceptions being Russia, who were banned from participating due to the Russian invasion of Ukraine, and Liechtenstein,[Note LIE] which did not organise a domestic league). The association ranking based on the UEFA association coefficients was used to determine the number of participating teams for each association:[6] For the 2022–23 UEFA Champions League, the associations were allocated places according to their 2021 UEFA association coefficients, which took into account their performance in European competitions from 2016–17 to 2020–21.[7] Apart from the allocation based on the association coefficients, associations could have additional teams participating in the Champions League, as noted below: The following is the access list for this season.[8] Due to the suspension of Russia for the 2022–23 European season, the following changes to the access list were made:[9] Since the Champions League title holders (Real Madrid) qualified via their domestic league, the following changes to the access list were made:[9] The labels in the parentheses show how each team qualified for the place of its starting round:", "The 2022–23 UEFA Champions League was the 68th season of Europe's premier club football tournament organised by UEFA, and the 31st season since it was renamed from the European Champion Clubs' Cup to the UEFA Champions League. The final was played at the Atatürk Olympic Stadium in Istanbul, Turkey, on 10 June 2023.[3] The stadium was originally appointed to host the 2020 UEFA Champions League final, but both this and the 2021 editions, which had been subsequently re-allocated to the Atatürk, were moved due to the COVID-19 pandemic. The 2023 final was contested by English club Manchester City and Italian club Inter Milan, with the former winning 1–0 via a second-half goal by Rodri, who was named man of the match by UEFA. For Manchester City, this was their first-ever European Cup, and first European trophy since 1970. Having earlier won the Premier league and FA Cup titles, they achieved a unique continental treble.[4][5] As winners, Manchester City earned the right to play against Sevilla, the winners of the 2022–23 UEFA Europa League, in the 2023 UEFA Super Cup, as well as qualifying for both the 2023 and 2025 FIFA Club World Cups in Saudi Arabia and the United States, respectively.", "13] National associations had until 22 March 2019 to express interest, and bid dossiers had to be submitted by 1 July 2019.[14] While the bidding associations were not confirmed by UEFA, the German Football Association was reported to have bid with the Allianz Arena in Munich, should they not be awarded the 2021 final.[15] The Allianz Arena was selected by the UEFA Executive Committee during their meeting in Ljubljana, Slovenia, on 24 September 2019,[16] where the hosts for the 2021 and 2022 finals were also appointed.[17] On 17 June 2020, the UEFA Executive Committee announced that due to the postponement and relocation of the 2020 final due to the impact of the COVID-19 pandemic, Munich would instead host the 2023 edition.[8] Istanbul had initially been appointed for the 2021 final, but after it was relocated due to the Russian invasion of Ukraine, they were awarded the 2023 final; Munich would host the 2025 final instead.[9] Note: In all results below, the score of the finalist is given first (H: home; A: away). Manchester City qualified for the Champions League group stage by winning the 2021–22 Premier League.", "The 2023 UEFA Champions League final was the final match of the 2022–23 UEFA Champions League, the 68th season of Europe's premier club football tournament organised by UEFA. It was played at the Atatürk Olympic Stadium in Istanbul, Turkey, on 10 June 2023,[5] between English club Manchester City and Italian club Inter Milan, with Manchester City winning 1–0 via a second-half goal by Rodri, who was named man of the match by UEFA. For Manchester City, this was their first-ever European Cup, and first European trophy since 1970. Having earlier won the Premier League and FA Cup titles, they achieved the continental treble, only the second time it had been achieved in English men's football history.[6][7] As winners, Manchester City earned the right to play against Sevilla, the winners of the 2022–23 UEFA Europa League, in the 2023 UEFA Super Cup, as well as qualifying for the 2023 FIFA Club World Cup; they went on to win both competitions. They also qualified for the 2025 FIFA Club World Cup through UEFA's champions pathway (winners of the 2021–2024 Champions Leagues). The final was originally scheduled to be played at Wembley Stadium in London, England."], "noise_rate": 0.2, "factlabel": 0} +{"id": 80, "query": "Which teams are playing in the 2021-22 NBA Finals?", "ans": ["Golden State Warriors", "Boston Celtics"], "label": [1, 1], "prediction": "According to the provided documents, the teams playing in the 2021-22 NBA Finals are the Golden State Warriors and the Boston Celtics.", "docs": ["The previous 10 years of the NBA Finals were constantly filled with generational talent and team dynasties. A best-of-seven series determines the NBA Finals Champions. Let’s check out the previous 10 NBA Final Champions and highlights below. Loading Events Led by superstar center Nikola Jokic, the Denver Nuggets battled their way through a tough Western Conference to reach the NBA Finals, where they faced off against the Miami Heat winning the title 4 games to 1. Winning the fifth game 94-89 after a second half comeback, the Nuggets hoisted the Larry O’Brien Trophy on June 12, 2023 for the first time in franchise history, with Nikola Jokic unanimously named NBA Finals Most Valuable Player. The Golden State Warriors defeated the Boston Celtics 4–2 to win the 2021–22 NBA Finals. The final game was played at TD Garden in Boston, Massachusetts, on June 16, 2022, with the Warriors winning 103–90. Steph Curry of the Golden State Warriors received the Bill Russell NBA Finals Most Valuable Player award for the first time in his career. This was the Golden State Warriors fourth championship in eight years. The Milwaukee Bucks became NBA Finals Champions when they defeated the Phoenix Suns 4–2 at home at Fiserv Forum in Milwaukee, Wisconsin, on July 20, 2021. The Bucks defeated the Suns in Game 6, 105–98.", "Jun 19, 2023 ... The Golden State Warriors defeated the Boston Celtics 4–2 to win the 2021–22 NBA Finals. The final game was played at TD Garden in Boston, ...", "The 2021-22 NBA Finals are set to begin on Thursday, June 2 between the Golden State Warriors and Boston Celtics. The full NBA Finals schedule is below. To view the postseason bracket, visit Yahoo Sports' NBA scoreboard page. Game 1: Celtics at Warriors, Thursday, June 2, 9 p.m. ET (ABC) Game 2: Celtics at Warriors, Sunday, June 5, 8 p.m. ET (ABC) Game 3: Warriors at Celtics, Wednesday, June 8, 9 p.m. ET (ABC) Game 4: Warriors at Celtics, Friday, June 10, 9 p.m. ET (ABC) Game 5: Celtics at Warriors, Monday, June 13, 9 p.m. ET (ABC)* Game 6: Warriors at Celtics, Thursday, June 16, 9 p.m. ET (ABC)* Game 7: Celtics at Warriors, Sunday, June 19, 8 p.m. ET (ABC)* * — if necessary All NBA Finals games between the Warriors and Celtics will be televised on ABC. Per BetMGM, the betting favorite to win the 2021-22 NBA championship are the Warriors at -160 followed by the Celtics (+125), as of May 29. The top six seeds in each conference were determined at the conclusion of the regular season. The final two seeds were determined through the play-in tournament.", "The 2022 NBA Finals was the championship series of the National Basketball Association (NBA)'s 2021–22 season and conclusion of the season's playoffs. In this best-of-seven playoff series, the Western Conference champion Golden State Warriors defeated the Eastern Conference champion Boston Celtics in six games, winning their fourth championship in eight years. Golden State's Stephen Curry was named the Finals Most Valuable Player (MVP) for the first time in his career. The 3-seeded Warriors (53–29) had home-court advantage in the series based on having the better regular-season record than the 2-seeded Celtics (51–31). This is the 11th time that a lower-seeded team had home-court advantage, the last time being 2019.[1] It is also the second straight finals without a no. 1 seed from either conference, as well as the 15th time overall.[2][3] The Celtics won the opening game on the road and returned to Boston with the series tied 1–1. They won their first home game to take a 2–1 lead, but the Warriors won the next three games to take the series 4–2. Golden State won their first title since 2018 and their seventh championship overall, while Boston remained tied with the Los Angeles Lakers for the most titles in league history with 17.[4]", "The 2022 NBA playoffs was the postseason tournament of the National Basketball Association's 2021–22 season. The playoffs began on April 16 and ended on June 16 with the conclusion of the 2022 NBA Finals. The playoffs also returned to its normal April–June schedule for the first time since 2019, before the COVID-19 pandemic resulted in two postponements in 2020 and 2021. Eight teams from each conference participated in the playoffs. The top six teams in each conference, based on winning percentage, directly qualified for the playoffs; the seeding order of those teams was also based on winning percentage. If two or more teams had the same record, standard NBA tiebreaker rules were used. The NBA Board of Governors approved a format for the 2021–22 season to have a play-in tournament involving the teams ranked 7th through 10th in each conference. The 7th place team and 8th place team participated in a \"double-chance\" game, with the winner advancing to the playoffs as the 7-seed. The loser then played the winner of the elimination game between the 9th place and 10th place teams to determine the playoff's 8-seed. The NBA's regular playoff format then proceeded as normal.[12] Each conference's bracket was fixed with no reseeding."], "noise_rate": 0.2, "factlabel": 0} +{"id": 81, "query": "What is the prize money for the Squid Game-inspired reality competition?", "ans": ["4.56 million"], "label": [1], "prediction": "According to the provided documents, the prize money for the Squid Game-inspired reality competition, \"Squid Game: The Challenge\", is $4.56 million.", "docs": ["456 players will compete to win — you guessed it — $4.56 million in the new reality competition series. Season 2 isn’t the only thing Squid Game is bringing its fans. The South Korean series is coming to life in Squid Game: The Challenge, the biggest reality competition series ever — all it needs is you. Exactly 456 players will compete to win the life-changing reward of $4.56 million — the largest cast and lump sum cash prize in reality TV history. Players will be put to the test in a series of games inspired by the show, along with some surprising new additions that will push them to their limits. Strategy, alliances and character are crucial in order to survive the tension. The stakes are high, but thankfully, in this game, the worst fate anyone will face is going home empty-handed. Squid Game Reality Competition series casting call announcement. “Squid Game took the world by storm with Director Hwang [Dong-hyuk]’s captivating story and iconic imagery,” Brandon Riegg, Netflix vice president of unscripted and documentary series, says. “We’re grateful for his support as we turn the fictional world into reality in this massive competition and social experiment.” Even if you already have a green sweatsuit picked out to impress the Front Man, there are a few more obstacles — luckily not as difficult as Sugar Honeycombs — that stand in your way before the $4.56 million prize.", "“Here, the worst fate a player can have is supposedly going home empty-handed.” But for others, like Winder, it's a hard pass. “The people competing are projected to the rest of the world for cheap thrills and it is a mockery of the original story,” she said. “It goes to show the extent to which people, especially in America, will disregard the plot of something, and the metaphors behind it, in order to make money.” This isn't the first time the original dystopian TV show has garnered a strong reaction. When the nine-episode thriller premiered on Sept. 21, \"Squid Game\" notched the No. 1 spot in 94 countries, including its home base, South Korea. There, the show struck a particular nerve for highlighting a deeply entrenched issue: debt and the perennial struggle of paying it off. And shortly after its debut, companies hoping to capitalize off its popularity rushed to incorporate the show into ad campaigns — a move that was perceived as crass due to the sensitive themes in the Korean thriller. \"Squid Game\" has also inspired celebrities to re-create scenes from the show — sparking similar controversy. In November, Chrissy Teigen was reprimanded for hosting a \"Squid Game\"-themed party with celebrity guests dressed as players from the smash hit.", "Netflix is casting now for a forthcoming Squid Game reality show that will put 456 contestants through a series of childhood-inspired games to claim the largest cash prize in reality TV history Digital News Writer, PEOPLE A reality competition series based on the viral drama Squid Game is coming to Netflix, and it has one question for contestants: \"How far will you go?\" The streaming network announced on Tuesday that 456 participants will vie for the largest cash prize in television history in Squid Game: The Challenge. In total, $4.56 million is up for grabs for anyone who can survive all levels of childhood-inspired games. Netflix teased alliances and strategies will be necessary for the players should they hope to take home the prize fund. Netflix also confirmed the upcoming reality series has the support of Squid Game creator Hwang Don-hyuk. \"Squid Game took the world by storm with Director Hwang's captivating story and iconic imagery. We're grateful for his support as we turn the fictional world into reality in this massive competition and social experiment,\" said Brandon Riegg, Netflix VP of Unscripted and Documentary Series, in a statement. \"Fans of the drama series are in for a fascinating and unpredictable journey as our 456 real world contestants navigate the biggest competition series ever, full of tension and twists, with the biggest ever cash prize at the end.\"", "Submit Δ \t\tThanks for contacting us. We've received your submission.\t Can a “Squid Game” reality series turn around Netflix’s fading fortunes? The embattled streamer has announced they’re creating a real-life version of the gory South Korean survival show — with production slated to take place in the UK early next year. “Squid Game: The Challenge” is being billed as “the biggest reality competition series ever created” and will feature 456 contestants battling it out for a whopping $4.56 million in prize money. According to a press release put out by Netflix on Tuesday, the staggering sum will be the largest cash prize ever offered on reality television. “‘Squid Game’ took the world by storm with [director] Hwang Dong-hyuk’s captivating story and iconic imagery,” Netflix VP Brandon Rieg said in the release. “We’re grateful for his support as we turn the fictional world into reality in this massive competition and social experiment.” Casting is currently open to English-language speakers over the age of 21 at SquidGameCasting.com. The reality show will feature 10 episodes and production is expected to take place over four weeks. The original “Squid Game” — which was released on Netflix last September — revolved around a contest whereby 456 cash-strapped contestants risked their lives to play a series of deadly children’s games for a $36 million prize.", "Watch CBS News By Christopher Brito June 15, 2022 / 10:40 AM / CBS News Netflix announced on Tuesday it is launching a reality competition series based on the hit show, \"Squid Game.\" The streaming service is offering a $4.56 million as the reward, which it says is the \"largest cast and lump sum cash prize in reality TV history.\"  In a news release, Netflix said 456 players will enter \"Squid Game: The Challenge,\" and compete in a series of games inspired by the show, with \"surprising new additions.\" And unlike the original Netflix show where contestants are eliminated through death, the company said the \"worst fate is going home empty-handed\" in this game.  \"Squid Game\" centers around contestants with dire financial struggles hoping to win billions of dollars competing against each other in typical South Korean children's games. It became an international sensation, and it holds the record as Netflix's most popular series of all-time, according to the company. The show had over 1.65 billion viewing hours in the first 28 days after it premiered in September. The show was renewed for a second season on Sunday."], "noise_rate": 0.2, "factlabel": 0} +{"id": 82, "query": "When was Overwatch 2 released?", "ans": [["October 4 2022", "Oct 4, 2022", "Oct. 4, 2022", "October 4, 2022", "4 October 2022", "4 Oct, 2022", "4 Oct., 2022", "4 October, 2022"]], "label": [1], "prediction": "According to the document, Overwatch 2 was released in early access on October 4, 2022, for Windows, PlayStation 4 and 5, Xbox One and Series X/S, and Nintendo Switch.", "docs": ["22] Technical director John Lafleur has stated they are also interested in supporting, at minimum, cross-platform progression and are looking at the possibility of cross-platform play.[23] In the interim from its announcement prior to release, Kaplan left Blizzard in April 2021, with Aaron Keller taking over the lead development role,[24] while the lead developer for new heroes, Geoff Goodman, left sometime in mid-2022.[25] In March 2022, Blizzard stated that they had put too much focus on Overwatch 2 over the past few years to the detriment of support for the original game, and so changed plans to release Overwatch 2 in parts, with the PvP portion to be released in beta form starting in April 2022 and the PvE part to come at a later time. This would allow them to also continue to support Overwatch alongside Overwatch 2's development.[26][27] Later, Blizzard announced that the first wave of Overwatch 2 invitation-only betas would begin on April 26, 2022, and end on May 17. Access to the closed beta could be earned either by signing up for a chance to participate or by watching select Twitch streamers for a limited time on April 27.[28][29] The game without its PvE mode was released as early access on October 4, 2022, for Windows, PlayStation 4 and 5, Xbox One and Series X/S, and Nintendo Switch.", "These missions are only available as free-to-play game modes during specific seasons, but Blizzard will offer to buy permanent access to these missions separately or as part of a battle pass bundle.[11] Overwatch 2 was announced at BlizzCon on November 1, 2019, with plans that the game would maintain a \"shared multiplayer environment\" between it and the original Overwatch, so that players in either game could compete in the existing player versus player (PvP) game modes, retaining all unlocked cosmetics and other features.[12] Jeff Kaplan, director for Overwatch, explained that this was a major decision and that he had to justify this \"player-first standpoint\" to Blizzard executives, given the current industry trend to draw in new sales.[13] All new heroes, maps, and PvP modes were to be added to both games to maintain this shared environment.[14] However, Overwatch 2 was later announced as a free-to-play title, and that on its release on October 4, 2022, Blizzard affirmed that Overwatch 2 live services would replace those of the original game; the original Overwatch servers would be shut down on October 2, 2022.[15] Players retained their existing cosmetics and in-game currency, with remaining loot boxes opened automatically upon the release of Overwatch 2.", "However, Overwatch 2 was later announced as a free-to-play title, and that on its release on October 4, 2022, Blizzard affirmed that Overwatch 2 live services ...", "16] At least three new heroes were announced to be added to the roster, including Sojourn, a Canadian Overwatch officer, Junker Queen, the ruler of Junkertown, and Kiriko, the protector of Kanezaka.[17][18] Overwatch 2 runs on an upgraded version of the original game's engine which allows for larger map sizes to better support the new story-based player versus environment (PvE) elements.[12] Additionally, all of the existing heroes received visual redesigns for Overwatch 2, although Blizzard did not expect every hero to have their redesigns finished when the game launched. Twelve of the existing 31 redesigns were completed at the time of Overwatch 2's reveal.[17] Overwatch 2 was released for Nintendo Switch, PlayStation 4, PlayStation 5, Windows, Xbox One, and Xbox Series X/S in early access on October 4, 2022.[18] Kaplan stated when the game was announced that they were more concerned about quality of the product than timeliness of the release.[19][20] Investor documents released in November 2021 reported that the initial 2022 release window was delayed to at least 2023, intended for \"giving the teams some extra time to complete production and continue growing their creative resources to support the titles after launch\".[21] Kaplan anticipated that Overwatch and Overwatch 2 will ultimately merge into a single product to avoid having any engine differences affecting player experience.", "Overwatch 2 is a free-to-play, always-on, and ever-evolving live game. Team up with friends regardless of platform and jump into the reimagined PvP experience."], "noise_rate": 0.2, "factlabel": 0} +{"id": 83, "query": "Who won the 2022 Tour de France?", "ans": ["Jonas Vingegaard"], "label": [1], "prediction": "According to the provided document, Denmark's Jonas Vingegaard (Team Jumbo-Visma) won the 2022 Tour de France.", "docs": ["With Tour de France 2023 just around the corner, it's time to look at the 2022 edition of cycling's most prestigious race. A Danish rider — who emerged as a contender in 2021 — completed his transition to superstar by winning Le Tour on only his second attempt. The Sporting News takes a look back at last year's Tour de France. MORE: When is the Tour de France 2023? Start date, schedule, route, confirmed stages, teams and riders Denmark talent Jonas Vingegaard (Team Jumbo-Visma) won the 2022 Tour de France by two minutes and 43 seconds over 2020 and 2021 champion Tadej Pogacar. It was the 26-year-old's second Tour de France, after only three years of being a professional cyclist at the top level — UCIWorld. Vingegaard snatched the yellow jersey off Pogacar after the stage 11 summit finish at Col du Granon, winning the race and gaining three minutes on his rival. Pogacar attacked Vingegaard twice on Alpe d'Huez during stage 12 but the Dane managed to fight them off and finish with the same time as his challenger.", "Denmark's Vingegaard held a comfortable overall lead ahead of the ceremonial ride to Paris on Sunday remaining, as the women's Tour also began on Sunday. Jonas Vingegaard won the 2022 edition of the men's Tour de France on Sunday (24 July). Vingegaard of Denmark finished alongside his entire Jumbo Visma team, including green jersey winner Wout van Aert, on the final stage in Paris. It's the first time he's won the general classification of a road cycling grand tour event. READ: Jonas Vingegaard: From fisherman to Grand Tour contender The final stage was won in a sprint by Jasper Philipsen of Belgium, for his second victory of this year's edition. Earlier, the inaugural women's race, Tour de France Femme 2022 began, also in Paris. Dutch rider Lorena Wiebes was the stage winner. READ: Jonas Vingegaard: From fisherman to Grand Tour contender Jonas Vingegaard (Jumbo-Visma) 79:33:20. Tadej Pogacar (UAE Team Emirates) +2:43. Geraint Thomas (Ineos Grenadiers) +7:22. David Gaudu (Groupama-FDJ) +13:39. Aleksandr Vlasov (Bora-Hansgrohe) +15'46.", "Your stage-by-stage guide to the winners of the 2022 Tour. Denmark's Jonas Vingegaard (Jumbo-Visma) won the yellow jersey as the overall winner of the 2022 Tour de France. The 25-year-old outlasted two-time defending champion Tadej Pogačar (UAE Team Emirates) of Slovenia to win his first Tour. Pogačar finished second, 2:43 back of Vingegaard, and Great Britain's Geraint Thomas (INEOS Grenadiers) was third, 7:22 behind the lead, to round out the podium for the Tour's General Classification. Here’s a look at how every stage of the 2022 Tour unfolded. Results From Every Stage Full Leaderboard Who Won the Tour? Surrounded by his teammates, Denmark’s Jonas Vingegaard (Jumbo-Visma) finished safely behind the peloton at the end of Stage 21 in Paris to win the 2022 Tour de France. The Dane won the Tour by 3:34 over Slovenia’s Tadej Pogačar (UAE Team Emirates), who started the race as the two-time defending champion, and 8:13 over Great Britain’s Geraint Thomas (INEOS Grenadiers), who won the Tour in 2018 and finished second in 2019.", "The race had the fewest number of finishers since 2000, with 17 riders forced to leave the race because of COVID-19, including stage winners Magnus Cort and Simon Clarke, as well as former Tour winner Chris Froome of Israel–Premier Tech.[2] The points classification was won by Wout van Aert with 480 points, breaking Peter Sagan's modern-day record. Vingegaard also won the mountains classification, marking the first time since 1969 that riders from the same team won the yellow and green jerseys as well as the mountains classification. The young rider classification was won by GC runner-up Pogačar, and the team of Ineos Grenadiers won the team classification. Van Aert was chosen as the most combative rider. The race was followed by the first edition of the Tour de France Femmes, which had its first stage on the final day of the men's Tour. 22 teams participated in the race. All 18 UCI WorldTeams were automatically invited. They were joined by 4 UCI ProTeams - the two highest placed UCI ProTeams in 2021 (Alpecin–Deceuninck and Arkéa–Samsic), along with Team TotalEnergies and B&B Hotels–KTM who were selected by Amaury Sport Organisation (ASO), the organisers of the Tour.[3] The teams were announced on 11 February 2022.", "The 2022 Tour de France was the 109th edition of the Tour de France. It started in Copenhagen, Denmark on 1 July 2022 and ended with the final stage on the Champs-Élysées, Paris on 24 July 2022. Denmark's Jonas Vingegaard (Team Jumbo–Visma) won the general classification for the first time. Two-time defending champion Tadej Pogačar (UAE Team Emirates) finished in second place, and former winner Geraint Thomas (Ineos Grenadiers) finished third. This was the first Tour since 1989 in which each of the three podium finishers had made the podium on a previous occasion. The race began in Copenhagen before returning to France. Wout van Aert of Team Jumbo–Visma controlled the lead for much of the first week until Pogačar seized control of the race and won two consecutive stages. In the Alps, Team Jumbo–Visma attacked Pogačar, and Vingegaard became the first rider to take serious time from Pogačar. Vingegaard defended and increased his lead through the Pyrenees and the final individual time trial to secure the victory. He thereby became the first Dane to win the Tour since Bjarne Riis in 1996. The race was affected by climate-change protests as well as a 40 °C (104 °F) heat wave."], "noise_rate": 0.2, "factlabel": 0} +{"id": 84, "query": "How much was Apple's revenue in Q3? 2022", "ans": [["83 billion", "83.0 billion"]], "label": [1], "prediction": "According to the provided documents, Apple's revenue in Q3 2022 was $83.0 billion.", "docs": ["Jul 28, 2022 ... For Q3 2022, Apple reported revenue of $83.0 billion and a profit of $19.4 billion. Earnings-per-share hit $1.20 for the quarter.", "August 2023 Worldwide 2004 to 2023 The quarterly periods for Apple's fiscal year include the following: early October to late December of the previous year (first quarter), early January to late March of the stated year (second quarter), early April to late June of the stated year (3rd quarter) and early July to late September of the stated year (4th quarter).\r \r Telecommunications Quarterly smartphone market share worldwide by vendor 2009-2023 Consumer Electronics Apple's revenue worldwide 2004-2022 Consumer Electronics Apple's revenue broken down by geographical region 2012-2023, by quarter Consumer Electronics Number of employees of Apple 2005-2022 To download this statistic in XLS format you need a Statista Account To download this statistic in PNG format you need a Statista Account To download this statistic in PDF format you need a Statista Account As a Premium user you get access to the detailed source references and background information about this statistic. As a Premium user you get access to background information and details about the release of this statistic. As soon as this statistic is updated, you will immediately be notified via e-mail. … to incorporate the statistic into your presentation at any time. You need at least a Starter Account to use this feature. You only have access to basic statistics. This statistic is not included in your account. Business Solutions including all features. Overview Financials iPhone", "Apple today announced financial results for its third fiscal quarter of 2022, which corresponds to the second calendar quarter of the year. For the quarter, Apple posted revenue of $83 billion and net quarterly profit of $19.4 billion, or $1.20 per diluted share, compared to revenue of $81.4 billion and net quarterly profit of $21.7 billion, or $1.30 per diluted share, in the year-ago quarter. Gross margin for the quarter was 43.3 percent, according to Apple CFO Luca Maestri. Apple also declared a quarterly dividend payment of $0.23 per share, payable on August 11 to shareholders of record as of August 8. iPhone and Services revenue achieved June quarter records, while Mac, iPad, and \"Wearables, Home, and Accessories\" revenue was down. A category-by-category breakdown of Apple's Q3 2022 revenue is outlined below. Apple CEO Tim Cook: This quarter's record results speak to Apple's constant efforts to innovate, to advance new possibilities, and to enrich the lives of our customers. As always, we are leading with our values, and expressing them in everything we build, from new features that are designed to protect user privacy and security, to tools that will enhance accessibility, part of our longstanding commitment to create products for everyone. As has been the case for over two years now, Apple is once again not issuing guidance for the current quarter ending in September.", "Apple today officially reported its earnings for the third fiscal quarter of 2022, covering the second calendar quarter and the months of April, May, and June. A lot of eyes are on Apple as concerns mount over an economic downturn in the United States. Here’s what the company reported today. For Q3 2022, Apple reported revenue of $83.0 billion and a profit of $19.4 billion. Earnings-per-share hit $1.20 for the quarter. For Q3 2022, analyst predictions for revenue varied; $79.26B at the low end to $88.41B at the high end. The average across 26 analysts, however, was $82.81 billion. Apple had not provided any guidance for Q3 2022, citing ongoing supply chain issues and continued disruptions caused by the COVID-19 pandemic. In fact, the company had even warned that supply constraints would cost it somewhere in the range of $4 billion to $8 billion in revenue for the quarter. For comparison’s sake, in the same quarter a year ago, Apple reported $81.43 billion in revenue and profit of $21.74 billion. It reported earnings-per-share of $1.30. These numbers were boosted heavily by pandemic-induced spending, driven by strong iPad and Mac revenue growth. Apple no longer reports unit sales for any of its products but instead reports a breakdown of revenue by product category.", "Apple today officially reported its earnings for the third fiscal quarter of 2022, covering the second calendar quarter and the months of April, May, and June. A lot of eyes are on Apple as concerns mount over an economic downturn in the United States. Here’s what the company reported today. For Q3 2022, Apple reported revenue of $83.0 billion and a profit of $19.4 billion. Earnings-per-share hit $1.20 for the quarter. For Q3 2022, analyst predictions for revenue varied; $79.26B at the low end to $88.41B at the high end. The average across 26 analysts, however, was $82.81 billion. Apple had not provided any guidance for Q3 2022, citing ongoing supply chain issues and continued disruptions caused by the COVID-19 pandemic. In fact, the company had even warned that supply constraints would cost it somewhere in the range of $4 billion to $8 billion in revenue for the quarter. For comparison’s sake, in the same quarter a year ago, Apple reported $81.43 billion in revenue and profit of $21.74 billion. It reported earnings-per-share of $1.30. These numbers were boosted heavily by pandemic-induced spending, driven by strong iPad and Mac revenue growth. Apple no longer reports unit sales for any of its products but instead reports a breakdown of revenue by product category."], "noise_rate": 0.2, "factlabel": 0} +{"id": 85, "query": "Who won the 2022 Atlanta Open?", "ans": ["Alex de Minaur"], "label": [1], "prediction": "According to the documents, Alex de Minaur won the 2022 Atlanta Open.", "docs": ["Alex de Minaur defeated Jenson Brooksby in the final, 6–3, 6–3 to win the singles title at the 2022 Atlanta Open. It was de Minaur's second Atlanta title, the first being in 2019. John Isner was the defending champion,[1] but lost in the quarterfinals to Brooksby. The top four seeds received a bye into the second round.", "Alex de Minaur defeated Jenson Brooksby in the final, 6–3, 6–3 to win the singles title at the 2022 Atlanta Open. It was de Minaur's second Atlanta title, the first being in 2019. John Isner was the defending champion,[1] but lost in the quarterfinals to Brooksby. The top four seeds received a bye into the second round.", "Alex de Minaur wins first ATP title of 2022 at the Atlanta Open Australian Alex de Minaur has taken out the Atlanta Open after beating American Jenson Brooksby in the final 6-3 6-3 on Sunday (local time). De Minaur, who made the round of 16 at Wimbledon in July, arrived in Atlanta as the tournament's third-seed as he began his preparations for the US Open. ", "The 2022 Atlanta Open was a professional tennis tournament played on hard courts. It was the 34th edition of the tournament, and part of the 2022 ATP Tour. It took place at Atlantic Station in Atlanta, United States between July 24 and 31, 2022.[1] *per team The following players received wildcards into the main draw: The following players received entry from the qualifying draw: The following players received entry as lucky losers: The following pairs received wildcards into the doubles main draw: The following pair received entry as alternates:", "Alex de Minaur defeated Jenson Brooksby in the final, 6–3, 6–3 to win the singles title at the 2022 Atlanta Open. It was de Minaur's second Atlanta title, ..."], "noise_rate": 0.2, "factlabel": 0} +{"id": 86, "query": "What was the revenue of AWS in Q2 2022?", "ans": ["19.7 billion"], "label": [1], "prediction": "According to the document, the revenue of AWS in Q2 2022 was $19.7 billion, which represents a 33.3% year-over-year (YOY) growth.", "docs": ["AMZN fell far short on earnings estimate, beat on revenue Source: Predictions based on analysts' consensus from Visible Alpha Amazon.com, Inc. (AMZN) reported mixed results in its Q2 FY 2022 earnings report. Earnings per share (EPS) were -$0.20, while analysts predicted positive EPS. It was the second consecutive quarter in which Amazon reported a net loss, and only the second such quarter in at least four and a half years. Net losses include a pre-tax valuation loss of $3.9 billion included in non-operating expense from the company's investment in Rivian Automotive Inc. (RIVN). Amazon's revenue beat analyst forecasts by a margin of more than $2 billion. Amazon Web Services (AWS) revenue also exceeded consensus estimates, though by a smaller margin. AWS, Amazon's high-margin cloud computing business, grew by 33.3% year-over-year (YOY) to reach $19.7 billion, beating analyst predictions. Amazon said that AWS received new commitments and migrations from companies across a wide variety of industries, including Delta Air Lines Inc. (DAL), Jefferies Financial Group Inc. (JEF), and Italy-based multinational energy company Eni S.p.A (E), among others. Amazon's AWS business generates much higher margins than its e-commerce business.", "“Some of that was in Q1, but the majority of it will be in Q2 through 4. And I think if you want to think about it as somewhere, 250-ish a quarter,” she said. AWS segment sales for Q3 2022 increased 27 percent year-over-year to $20.5 billion, from $16.5 billion in Q3 2021. AWS’ operating income was $5.4 billion, compared with an operating income of $4.9 billion in the third quarter 2021. Sales were up from the previous quarter this year, but income was down slightly. Q2 2022 saw AWS post net sales of $19.7 billion for the quarter, and operating income of $5.7 billion. Q1 2022 sales and income were $18.44 billion and $6.5 billion respectively. The cloud giant looks likely to reach sales of $80 billion by the end of the next quarter. As a whole, the company saw Net sales increase 15 percent to $127.1 billion in the third quarter. Operating income decreased to $2.5 billion. The company saw $4.9 billion of operating income in third quarter 2021. Net income decreased to $2.9 billion.", "2% in Q2 FY 2020. Revenue growth climbed as high as 43.8% YOY in Q1 FY 2021, but since that time it has decelerated sharply. It slowed to 27.2% for Q2 FY 2021 and as low as 7.3% YOY by Q1 FY 2022. Analysts estimate that Amazon's revenue growth will continue to slow to a pace of just 5.3% YOY for Q2 FY 2022. This is the smallest quarterly revenue growth the company has experienced in at least four and a half years. Source: Visible Alpha As mentioned above, investors will also focus on revenue generated by AWS, Amazon's cloud-computing platform. AWS offers developers a range of on-demand technology services, such as compute, storage, database, analytics, machine learning, and other services. These services are primarily used by start-ups, enterprises, government agencies, and academic institutions. The company's AWS business generates much higher margins than its e-commerce business. In FY 2021, Amazon's global retail sales- and subscription-based business segments generated about 87.5% of the company's total revenue while AWS accounted for a mere 12.5%. However, AWS accounted for 63.3% of total operating income for the year, making it Amazon's main profit generator.", "Jul 29, 2022 ... Amazon said its cloud-computing division Amazon Web Services (AWS) posted 33 percent increase in its revenue to $19.7 billion in the second ...", "Amazon said its cloud-computing division Amazon Web Services (AWS) posted 33 percent increase in its revenue to $19.7 billion in the second quarter of 2022. AWS has generated operating income of $5.71 billion in Q2. Amazon CFO Brian Olsavsky said on an analyst call that a downturn in 2008 resulted in companies choosing to use Amazon’s cloud services rather than build their own data centers, giving AWS a boost. Rival Microsoft said earlier this week that its fiscal-year revenue would jump on demand for its cloud services. Log in to leave a comment Hey there! Be sure to subscribe to our daily newsletter if you want more Information Technology news!"], "noise_rate": 0.2, "factlabel": 0} +{"id": 87, "query": "when was xenoblade chronicles 3 released?", "ans": [["July 29", "Jul 29", "Jul. 29", "29 July", "29 Jul", "29 Jul."]], "label": [1], "prediction": "According to the documents, Xenoblade Chronicles 3 was released on July 29, 2022.", "docs": ["Xenoblade Chronicles 3 arrives on July 29, which is a little earlier than expected. By Eddie Makuch on April 19, 2022 at 6:26AM PDT Nintendo has announced a new release date for Xenoblade Chronicles 3, but unlike The Legend of Zelda: Breath of the Wild 2, this is not a delay. Instead, Nintendo is bringing the game's release date forward by a couple months. Xenoblade Chronicles 3 will now come to Nintendo Switch on July 29, which is earlier than its previously announced September 2022 release window. Nintendo also confirmed that a special edition of the game will be available through the My Nintendo Store. It includes special packaging artwork from Xenoblade artist Masatsugu Saito, as well as a 250-page hardcover art book and a steel case. More details on the limited edition will be announced later. Xenoblade Chronicles 3 was announced during the February 2022 Nintendo Direct. The game features a brand-new cast of characters, including the dual protagonists Noah and Mio. Players can control Noah's party of six, in addition to other characters on the way. A new trailer sets up some of the backstory for the game, which is set in the world of Aionios, a \"vast and sublime natural world.\" The video also spotlights some of the game's battle system.", "Xenoblade Chronicles 3's release is right around the corner --here's when it should launch digitally. It's been about five years since Xenoblade fans first explored the open world of Xenoblade Chronicles 2 on the Switch. Fast forward five years later, and fans have yet another new entry to look forward to: Xenoblade Chronicles 3. RELATED: Xenoblade Chronicles 3 Leaks Online Ahead of Switch Launch, Available to Play on Steam Deck The massive JRPG from Nintendo-owned studio Monolith Soft will give gamers the densest experience the series has seen, offering over 100 hours of gameplay time. Now, that 100 hours could increase or decrease, all depending on how players spend their time in Aionios​​​​​​. Xenoblade Chronicles 3 is launching both physically and digitally for the Nintendo Switch on Friday, July 29. For the players out there that want to hop into the game as soon as it launches on the eShop, this guide will point them in the right direction. As of the time of writing, Nintendo has not said anything about the exact release time for Xenoblade Chronicles 3 on the eShop. While other gaming companies have started a trend of releasing detailed worldwide release info for their games on social media, Nintendo doesn't really do that. However, there's a clear picture as to when Xenoblade Chronicles 3 should launch digitally since it's a first-party title.", "43] It was also the bestselling physical game during its first week of release in the UK, where it had the biggest launch for the entire Xeno franchise in terms of copies sold.[44] As of March 2023, it has sold 1.86 million copies.[45] Xenoblade Chronicles 3 received multiple end-of-year accolades, including \"Game of the Year\" nominations at the New York Game Awards,[46] Golden Joystick Awards, and The Game Awards. At IGN's \"Best of 2022\" awards, Xenoblade Chronicles 3 won the category of \"Best RPG\".[47]", "According to the official Nintendo support page detailing when new games are added to the eShop, Xenoblade Chronicles 3 is expected to launch at 9 PM PT the night before launch (July 28). As for other time zones around the world, here's when the game should be available. With Xenoblade Chronicles 3 being as massive as it is, it only makes sense for its file size to be large as well. This time around, the file size is 15 GB. Compared to its predecessors, it's about two gigabytes larger. Switch owners should make sure they have enough free space in their Switch SD card if they plan on installing Xenoblade. Xenoblade Chronicles 3 launches for the Switch on July 29, 2022. MORE: Digimon Survive and Xenoblade Chronicles 3 Could Give Switch Users An Awesome Day in July Source: Nintendo Greysun is the lead guides editor at Game Rant, covering all the biggest AAA titles to the smaller indie gems. He's been a big Nintendo fan since the SNES days, and is patiently waiting for a Super Mario Odyssey sequel.", "By Andrew Webster, an entertainment editor covering streaming, virtual worlds, and every single Pokémon video game. Andrew joined The Verge in 2012, writing over 4,000 stories. While many big games have been delayed recently, Xenoblade Chronicles 3 is moving in the opposite direction: Nintendo announced that the sci-fi RPG will now launch on July 29th instead of the previously planned September release. No specific reason was given for the change. The game will be a Nintendo Switch exclusive. Xenoblade Chronicles 3 will be the first main game in the series since its predecessor debuted on the Switch in 2017 and Nintendo first announced it earlier this year as part of the February 2022 Nintendo Direct. Like the rest of the series, the new game takes place in an expansive sci-fi universe; in addition to the release date, Nintendo also revealed a new trailer (embedded above) to further tease the story and world. The change in release date comes at a time when plenty of major releases have been delayed for various reasons, including the challenge of developing games remotely during the pandemic. Most recently, this has affected games like Suicide Squad: Kill the Justice League and Nintendo’s own sequel to The Legend of Zelda: Breath of the Wild, both of which have been delayed until 2023. / Sign up for Verge Deals to get deals on products we've tested sent to your inbox daily."], "noise_rate": 0.2, "factlabel": 0} +{"id": 88, "query": "What is the name of the horse in the movie \"Nope\"?", "ans": ["Ghost"], "label": [1], "prediction": "According to the provided document, the names of the horses in the movie \"Nope\" are Ghost, Lucky, Clover, and Jean Jacket. The horse named Ghost is the first to signal that something is awry in the sky in the movie.", "docs": ["So while the images in “Nope” aren’t, strictly speaking, the horse ride that gave birth to cinema, the pioneering actor, animal wrangler and stunt man shown in them probably is unknown. He sits alongside the many other male athletes, women mimicking housework and children in Muybridge’s oeuvre: an anonymous cast of characters from early film history.", "Nope reflects this divide and begins with the chilling sounds of what viewers later learn was a chimpanzee named Gordy, the star in an eponymous sitcom, who snaps after balloons pop loudly on set and ends up attacking his human co-stars. This mirrors real life human-animal eruptions, like when Mantacore the tiger mauled Roy Horn of the (in)famous Siegfried & Roy, or when Travis the “pet” chimpanzee and former actor attacked his caretaker’s friend before being shot by police. In Nope, the tragedy involving Gordy (Terry Notary) is revealed in excruciating detail, including an evocative moment when the chimpanzee sees his young co-star Ricky (Jacob Kim), hiding under a table. The two reach out to touch hands, as bullets fly. In a situation ripe with horror, viewers are asked to consider whether the foundational tragedy is Gordy’s employment as an actor. Each chapter in the film is named after an animal — Ghost, Lucky, Clover, Gordy and Jean Jacket — foregrounding four horses and one chimpanzee. The horses are essential to the Heywood family’s livelihood and legacy, with OJ noting that he needs to get up early because “he has mouths to feed.” Yet the ultimate fate of Ghost, the horse who rang the initial alarm by bolting away, is unclear.", "Aug 3, 2022 ... Yet the real horses who played Lucky, Clover and Ghost in Nope are not included in the credits. The head horse wrangler — Bobby Lovgren — is ...", "Professor, Management and Organizational Studies, Huron University College, Western University Kendra Coulter receives funding from the Social Sciences and Humanities Research Council of Canada and is a fellow of the Oxford Centre for Animal Ethics. Western University provides funding as a member of The Conversation CA-FR. Western University provides funding as a member of The Conversation CA. View all partners It is a horse named Ghost who first signals that something is awry in the sky in Jordan Peele’s latest visually and thematically ambitious film Nope. OJ (Daniel Kaluuya) is the head wrangler of Heywood Hollywood Horses, an intergenerational, Black-owned and now struggling ranch that specializes in training horses for the big screen. But it is his sister Emerald (Keke Palmer) who notices that Ghost, one of their family’s veteran equine actors, is unexpectedly standing in an outdoor pen staring out into space, his light grey fur as sublime as the moonlight. Ghost jumps the fence and gallops away, saying “nope” in his own way. As a subversive Western science fiction kaleidoscope, Nope challenges viewers to consider technology, surveillance, other worldly life and the making of spectacle through different lenses — including the eyes of animals. The result is an unsettling view that exposes core ethical questions about animals’ work in films, including in Nope itself.", "More troublingly, Clover meets an untimely end (off screen), one which is surprisingly un-mourned and barely noted. In contrast, Lucky, who is portrayed as a sage and experienced equine, is essential to each facet of the plot. OJ asks those on a television set not to look Lucky in the eye early in the film, a foreshadowing of later extra-terrestrial communication. As a lifelong horsewoman, I can confirm that horses generally have no concerns about eye contact. Recent studies have found that they are not only attuned to human facial expressions, but also have more than a dozen of their own. Granted, the aversion could be particular to Lucky. Without question, the real horse (or perhaps horses) who plays Lucky is extraordinary. Most horses are fearful of blowing objects. Yet Lucky, in partnership with OJ, gallops past a whole series of massive wind dolls dancing erratically, without batting an eye. That reflects significant preparation and real-time emotional control. Animal actors and the skill involved in their work are being recognized. The canine star of the Canadian television program Hudson and Rex, Diesel vom Burgimwald, is named in the credits and regularly appears on the show’s social media channels. Jeff Daniels, in his Emmy-acceptance speech for Godless, thanked his equine partner, Apollo. Yet the real horses who played Lucky, Clover and Ghost in Nope are not included in the credits."], "noise_rate": 0.2, "factlabel": 0} +{"id": 89, "query": "When did Neal Lemlein pass away?", "ans": [["July 22 2022", "Jul 22, 2022", "Jul. 22, 2022", "July 22, 2022", "22 July 2022", "22 Jul, 2022", "22 Jul., 2022", "22 July, 2022"]], "label": [1], "prediction": "According to the document, Neal Charles Lemlein passed away on July 22, 2022, at the age of 71.", "docs": ["Aug 3, 2022 ... Neal Charles Lemlein, born on Sept. 29, 1950, died on July 22, 2022, was interested in people and they responded.", "Neal died on 22 July 2022 in Aurora, Colorado, USA. BornSeptember 29, 1950. DiedJuly 22, 2022(71).", "Rain showers early with some sunshine later in the day. High 77F. Winds SSW at 5 to 10 mph. Chance of rain 50%..\r Partly cloudy skies early followed by some light rain later at night. Low 61F. Winds SW at 5 to 10 mph. Chance of rain 80%. Updated: August 8, 2023 @ 1:29 am   Neal Charles Lemlein, born on Sept. 29, 1950, died on July 22, 2022, was interested in people and they responded. “He was probably one of the most charismatic people I’ve met,” Ryan, his son, says.   Neal died July 22 in Aurora, Colorado, of kidney cancer. He was 71. A small private service will be held.   Neal is survived by his wife, Patricia (Patti) Lewis Lemlein, of Erie, Colorado, Ryan (Jessica DiCroce) and daughter, Alexandra, both of Denver, his mother, Rhoda Lemlein, San Diego, and sister, Dian Robertson, of Columbus, Ohio.   Neal’s father, Leonard Lemlein, died in 1996. Neal grew up in White Plains, New York.", "They movedbriefly to Boulder, Colorado, in 2006, moved back to LA six years later, and then, inretirement, Patti and Neal relocated to Erie in 2021.“Not everybody gets to have a great love,” Patti says. Theirs began long before datingapps when a mutual friend proposed they try a blind date. Patti still has the dress shewore, a teal blue polka dot silk Ellen Tracy.They met in a West Hollywood hangout and she liked him immediately. He seemedkind. He was smart, funny and good looking, with a ferocious pair of black eyebrows. Heasked if she’d like to meet his dog, Murray.Thirty six years later, as they waited for one of Neal’s medical appointments, a staffmember told them that she’d noticed they were always together.“What’s your secret?” she asked.“She’s my best friend,” Neal told her.If you'd like to make a donation in memory of Neal please consider the Kidney Cancer Association: https://myimpact.kidneycancer.org/To send flowers to the family or plant a tree in memory of Neal Charles Lemlein please visit our Tribute Store.", "Neal Charles LemleinSept. 29, 1950 - July 22, 2022Neal Charles Lemlein was interested in people and they responded. “He was probablyone of the most charismatic people I’ve met,” Ryan, his son, says.Neal died July 22 in Aurora, Colorado, of kidney cancer. He was 71. A small privateservice will be held.He is survived by his wife, Patricia (Patti) Lewis Lemlein, of Erie, Colorado, Ryan(Jessica DiCroce) and daughter, Alexandra, both of Denver, his mother, Rhoda Lemlein,San Diego, and sister, Dian Robertson, of Columbus, Ohio. His father, Leonard Lemlein,died in 1996.Neal grew up in White Plains, New York. “He had this amazing career,” says Alexandra,recalling that his professional life began when he took a job at Young & Rubicam, astoried Madison Avenue advertising agency, having graduated from Tulane University,obtained a master’s degree at New York University, and traveled for a prolonged spell inEurope in his long wild hair and a Fu Manchu moustache.Moving West, he rose in the entertainment industry, first in San Francisco and then inLos Angeles, steering marketing and media campaigns at ad agencies and studios forsome 200 films, in executive positions at CBS, Universal Studios and 20th Century Fox."], "noise_rate": 0.2, "factlabel": 0} +{"id": 90, "query": "Who is the lead actor in the film Carter?", "ans": ["Joo Won"], "label": [1], "prediction": "According to the provided document, the lead actor in the film Carter is Joo Won.", "docs": ["In March 2021, Joo Won was confirmed to star.[7] In May 2021, Lee Sung-jae confirmed his appearance.[8] Filming took place in Osong, North Chungcheong Province in late June 2021.[9] Within 3 days of release Carter recorded 27.3 million hours viewed and ranked 1 in Netflix's global Top 10 movie (non-English) category for the week of August 1 to 7, entering the Top 10 list in a total of 90 countries.[10][11][12] At one point, the movie ranked in the global all-time top 10 but fell out with 65.39 million hours watched in the first 28 days.[13] On the review aggregator website Rotten Tomatoes, 35% of 23 critics' reviews are positive, with an average rating of 5.0/10. [14] Kim Na-yeon of Star News praised the direction of action scenes such as making the helicopter aerial battle and skydiving fight scene in live action rather than CG and the intense action performance of Joo Won.", "Thrown straight into a dangerous mission with none of his memories intact, a man must escape death while trying to figure out who he is, how he ended up here, and who is the mysterious voice... Read allThrown straight into a dangerous mission with none of his memories intact, a man must escape death while trying to figure out who he is, how he ended up here, and who is the mysterious voice in his ear calling him \"Carter\"?Thrown straight into a dangerous mission with none of his memories intact, a man must escape death while trying to figure out who he is, how he ended up here, and who is the mysterious voice in his ear calling him \"Carter\"? © 1990-2023 by IMDb.com, Inc.", "Carter (Korean: 카터; RR: Kateo) is a 2022 South Korean action thriller film directed by Jung Byung-gil, who co-wrote the film with Jung Byeong-sik. The film stars Joo Won, Lee Sung-jae, Jeong So-ri and Kim Bo-min.[2] Carter was released on August 5, 2022 by Netflix, where it received mixed to negative reviews from critics who praised the action sequences, cinematography and Joo Won's performance, but criticized its plot and screenwriting.[3] In the midst of a deadly pandemic caused by a virus which makes the infected patients violent and zombie-like originating from the DMZ that has already devastated the US and North Korea, a man awakes in a blood-soaked bed at a motel room in Seoul with a cross-shaped scar on the back of his head. The CIA agents arrive and demands him about the location of Dr. Jung Byung-ho. With no recollections of his past, the man doesn't know about his and Dr. Jung's identity. A female voice inside his ear tells him that his name is Carter and needs to accept her directions if he wants to live. Following the female voice's instructions, Carter escapes the room and enters a public bath where nearly a hundred gangsters attack try to kill him, but Carter survives their assault with his lethal fighting skills.", "15] Kim Bo-ram in her review for Yonhap News praised director for creatively weaving \"breath-taking action sequences of physical combat, gun fights and large-scale helicopter stunts\" but stated that \"latter part of the movie, when the true story of Carter's mission is revealed, makes the majority of the parts, including the fast-paced action scenes, almost tiring.\"[16] YTN's Kang Nae-ri stated that the film fails to attracts audience's immersion and the tension decreases towards the second half, but praised Joo Won for his splendid action performance and digesting title role.[17] Writing for Sports Kyunghyang, Lee Da-won criticised the director for using Joo Won's efforts in a crude way. Lee stated that the only good thing about this movie is Joo Won's action sequences but his power lasts less than 20 minutes due to the tattered story and senseless directing.[18] In his review for South China Morning Post, James Marsh wrote [film's] \"action feels weightless and simulated, even when propped up by Won’s insanely physical performance\", described the film \"dizzyingly ridiculous\" and rated it with 2 out of 5 stars.", "Here's a guide to that cast and characters they play in Carter, and what they've been in before. Heading up the cast is Joo Won as Carter Lee, later revealed as also going by the name Michael Bane. The film begins with Carter waking up in a blood-soaked bed in Seoul with a cross-shaped scar on the back of his head and no memory of who he is. With a premise similar to Hardcore Henry, Carter also features video game logic in its action sequences. Joo Won is a South Korean actor best known for his roles in television, including the main protagonist in Good Doctor, which is played by Freddie Highmore in the American adaptation. Kim Jong-hyeok is a North Korean General who meets Carter during his mission, providing him transport out of South Korea. General Kim is played by Lee Sung-jae, a veteran South Korean actor with credits in TV and film. Lee’s most notable credit is Barking Dogs Never Bite, a 2000 dark comedy film that was the directorial debut of Bong Joon-ho, whose film Parasite won the 2020 Oscar for Best Picture. The young girl cured of the virus and carrying the life-saving antibodies is Jung Ha-na (Kim Bo-min). Carter is tasked with rescuing Ha-na and bringing her to a North Korean facility where the production of a vaccine can be developed."], "noise_rate": 0.2, "factlabel": 0} +{"id": 91, "query": "When was BlenderBot 3 released?", "ans": [["August 5", "Aug 5", "Aug. 5", "5 August", "5 Aug", "5 Aug."]], "label": [1], "prediction": "According to the document, BlenderBot 3 was released by Meta on Friday, August 5, 2022.", "docs": ["Aug 11, 2022 ... Blender Bot 3 was released by the social networking giant on Friday, August 5. The conversational AI is designed to converse with humans ...", "Last year a former employee, Frances Haugen, accused the company of putting profits ahead of online safety. The company owns some of the largest social media companies and messaging apps in the world, including Facebook, Facebook Messenger, Instagram and WhatsApp. BlenderBot 3's algorithm searches the internet to inform its answers. It is likely its views on Mr Zuckerberg have been \"learnt' from other people's opinions that the algorithm has analysed. The Wall Street Journal has reported BlenderBot 3 told one of its journalists that Donald Trump was, and will always be, the US president. A business Insider journalist said the chatbot called Mr Zuckerberg \"creepy\". Meta has made the BlenderBot 3 public, and risked bad publicity, for a reason. It needs data. \"Allowing an AI system to interact with people in the real world leads to longer, more diverse conversations, as well as more varied feedback,\" Meta said in a blog post. Chatbots that learn from interactions with people can learn from their good and bad behaviour. In 2016 Microsoft apologised after Twitter users taught its chatbot to be racist. Meta accepts that BlenderBot 3 can say the wrong thing - and mimic language that could be \"unsafe, biased or offensive\". The company said it had installed safeguards, however, the chatbot could still be rude. When I asked the BlenderBot 3 what it thought about me, it said it had never heard of me.", "In just a week of its launch, Meta’s Blender Bot 3 has turned on its own creator and is already spewing marginally racist comments. The third iteration of Meta’s AI chatbot Blender Bot and the company’s answer to Google’s LaMDA has taken a rather unpleasant but not unexpected turn. Just a week after its launch, Meta’s Blender Bot 3 has turned on its creator and is already spewing marginally racist comments. Blender Bot 3 was released by the social networking giant on Friday, August 5. The conversational AI is designed to converse with humans about “nearly any topic.” Like Blender Bot 2, the latest upgrade also features the ability to browse the internet, is trained on the OPT-175B language model (which is 58x the size of Blender Bot 2), and has long-term memory.  It also eliminates the limitations such as forgetfulness (which surprisingly makes machine learning models efficient when not used in chatbots). It has self-learning capabilities that allow it “to improve its conversational skills and safety through feedback from people who chat with it, focusing on helpful feedback while avoiding learning from unhelpful or dangerous responses.” Well, yes and no. While it is entirely plausible that the underlying AI tech helps it to ‘learn,’ it seems like Blender Bot 3 cannot differentiate between what is acceptable and what is not. At least that’s what its recent responses to some people conveyed.", "Aug 5, 2022 ... BlenderBot 3, in other words, can cite its sources. By releasing the chatbot to the general public, Meta wants to collect feedback on the ...", "Aug 5, 2022 ... Today, we're releasing a new AI research project called BlenderBot 3, a chatbot that can search the internet to talk about nearly any topic."], "noise_rate": 0.2, "factlabel": 0} +{"id": 92, "query": "which company invented BlenderBot 3?", "ans": ["Meta"], "label": [0], "prediction": "", "docs": ["To revist this article, visit My Profile, then View saved stories. To revist this article, visit My Profile, then View saved stories. Will Knight Application Text analysis Text generation End User Big company Sector IT Research Source Data Text Technology Machine learning Natural language processing Neural Network Releasing a new artificial intelligence system that learns from people on the internet can be a risky proposition. Just ask Microsoft’s “teen” chatbot Tay—except you can’t, because Tay was taken down when it started reproducing sexist and racist remarks shortly after it launched in 2016. Meta apparently believes that AI can learn to do better. The company just announced BlenderBot 3, a much more advanced chatbot designed to learn through conversation without getting into the kind of trouble that derailed Tay. And the company has made it available for anyone to try out. BlenderBot 3 learns facts by searching the web and retains information from all previous conversations as well as within a particular chat. It uses a new machine learning approach to identify trolls in order to ignore them. Meta’s technology also uses advances in AI that have produced much more linguistically capable computer programs in recent years. Training a particular type of artificial neural network on huge amounts of text data scraped from the web can produce algorithms capable of summarizing or generating text and that are able to hold conversations that can be more coherent and wide-ranging than the canned remarks of conventional chatbots.", "However, these models also have serious flaws: they regurgitate biases in their training data and often invent answers to users’ questions (a big problem if they’re going to be useful as digital assistants). This latter issue is something Meta specifically wants to test with BlenderBot. A big feature of the chatbot is that it’s capable of searching the internet in order to talk about specific topics. Even more importantly, users can then click on its responses to see where it got its information from. BlenderBot 3, in other words, can cite its sources. By releasing the chatbot to the general public, Meta wants to collect feedback on the various problems facing large language models. Users who chat with BlenderBot will be able to flag any suspect responses from the system, and Meta says it’s worked hard to “minimize the bots’ use of vulgar language, slurs, and culturally insensitive comments.” Users will have to opt in to have their data collected, and if so, their conversations and feedback will be stored and later published by Meta to be used by the general AI research community. “We are committed to publicly releasing all the data we collect in the demo in the hopes that we can improve conversational AI,” Kurt Shuster, a research engineer at Meta who helped create BlenderBot 3, told The Verge. Releasing prototype AI chatbots to the public has, historically, been a risky move for tech companies.", "For example, you can react to each chat message in our BlenderBot 3 demo by clicking either the thumbs-up or thumbs-down icons. Choosing a thumbs-down lets you explain why you disliked the message — whether it was off-topic, nonsensical, rude, spam-like or something else. You can also submit feedback in the chat itself. To improve BlenderBot 3’s ability to engage with people, we trained it with a large amount of publicly available language data. Many of the datasets used were collected by our own team, including one new dataset consisting of more than 20,000 conversations with people predicated on more than 1,000 topics of conversation. We trained BlenderBot 3 to learn from conversations to improve upon the skills people find most important — from talking about healthy recipes to finding child-friendly amenities in the city. When the chatbot’s response is unsatisfactory, we collect feedback on it. Using this data, we can improve the model so that it doesn’t repeat its mistakes. We understand that not everyone who uses chatbots has good intentions, so we also developed new learning algorithms to distinguish between helpful responses and harmful examples. Over time, we will use this technique to make our models more responsible and safe for all users. Compared with its predecessors, we found that BlenderBot 3 improved by 31% on conversational tasks. It’s also twice as knowledgeable, while being factually incorrect 47% less often.", "By James Vincent, a senior reporter who has covered AI, robotics, and more for eight years at The Verge. Meta’s AI research labs have created a new state-of-the-art chatbot and are letting members of the public talk to the system in order to collect feedback on its capabilities. The bot is called BlenderBot 3 and can be accessed on the web. (Though, right now, it seems only residents in the US can do so.) BlenderBot 3 is able to engage in general chitchat, says Meta, but also answer the sort of queries you might ask a digital assistant, “from talking about healthy food recipes to finding child-friendly amenities in the city.” BlenderBot 3 is designed to both shoot the breeze and answer questions like Google The bot is a prototype and built on Meta’s previous work with what are known as large language models or LLMS — powerful but flawed text-generation software of which OpenAI’s GPT-3 is the most widely known example. Like all LLMs, BlenderBot is initially trained on vast datasets of text, which it mines for statistical patterns in order to generate language. Such systems have proved to be extremely flexible and have been put to a range of uses, from generating code for programmers to helping authors write their next bestseller.", "Facebook’s parent company has created a bot capable of weighing in on almost any topic – from radicalisation to sending Mark Zuckerberg to jail Last week, researchers at Facebook’s parent company Meta released BlenderBot 3, a “publicly available chatbot that improves its skills and safety over time”. The chatbot is built on top of Meta’s OPT-175B language model, effectively the company’s white-label version of the more famous GPT-3 AI. Like most state-of-the-art AIs these days, that was trained on a vast corpus of text scraped from the internet in questionable ways, and poured into a datacentre with thousands of expensive chips that turned the text into something approaching coherence. But where OPT-175B is a general-purpose textbot, able to do anything from write fiction and answer questions to generate spam emails, BlenderBot 3 is a narrower project: it can have a conversation with you. That focus allows it to bring in other expertise, though, and one of Meta’s most significant successes is hooking the language model up to the broader internet. In other words: “BlenderBot 3 is capable of searching the internet to chat about virtually any topic.” On top of that, BlenderBot is designed to improve itself through feedback on earlier conversations, whereas large language models like OPT-175B are generally fairly static."], "noise_rate": 0.2, "factlabel": 0} +{"id": 93, "query": "When was ChatGPT released?", "ans": [["November 30 2022", "Nov 30, 2022", "Nov. 30, 2022", "November 30, 2022", "30 November 2022", "30 Nov, 2022", "30 Nov., 2022", "30 November, 2022"]], "label": [1], "prediction": "According to the documents, ChatGPT was released on November 30, 2022.", "docs": ["ChatGPT (Chat Generative Pre-Trained Transformer) is a large language model-based chatbot developed by OpenAI and launched on November 30, 2022, notable for enabling users to refine and steer a conversation towards a desired length, format, style, level of detail, and language used. Successive prompts and replies, known as prompt engineering, are taken into account at each stage of the conversation as a context.[2] ChatGPT is built upon GPT-3.5 and GPT-4, from OpenAI's proprietary series of foundational GPT models, fine-tuned for conversational applications using a combination of supervised and reinforcement learning techniques.[3] ChatGPT was released as a freely available research preview, but due to its popularity, OpenAI now operates the service on a freemium model. It allows users on its free tier to access the GPT-3.5 based version, while the more advanced GPT-4 based version, as well as priority access to newer features, are provided to paid subscribers under the commercial name \"ChatGPT Plus\". By January 2023, it had become what was then the fastest-growing consumer software application in history, gaining over 100 million users and contributing to OpenAI's valuation growing to US$29 billion.[4][5] Within months, Google, Baidu, and Meta accelerated the development of their competing products: Bard, Ernie Bot, and LLaMA.", "ChatGPT is a natural language processing tool driven by AI technology that allows you to have human-like conversations and much more with the chatbot. The language model can answer questions and assist you with tasks, such as composing emails, essays, and code. Also: How to use ChatGPT: What you need to know now It's currently open to use by the public for free because ChatGPT is in its research and feedback-collection phase. A paid subscription version called ChatGPT Plus launched at the beginning of February. ChatGPT was created by OpenAI, an AI and research company. The company launched ChatGPT on November 30, 2022.  Also: 7 advanced ChatGPT prompt-writing tips you need to know OpenAI is also responsible for creating DALL-E 2, a popular AI art generator, and Whisper, an automatic speech recognition system.  It's a big deal -- think internet-level disruption.  Sam Altman, OpenAI's chief, said on Twitter that ChatGPT had more than one million users in the first five days after it launched.  Also: GPT-4 is getting significantly dumber over time, according to a study According to analysis by Swiss bank UBS, ChatGPT is the fastest-growing 'app' of all time. The analysis estimates that ChatGPT had 100 million active users in January, only two months after its launch.", "November 30, 2022 is when ChatGPT was released for public use. Both the free version of ChatGPT and the paid ChatGPT Plus are regularly updated with new GPT models. The most recent model is GPT-4. There is a free version of ChatGPT that only requires a sign-in in addition to the paid version, ChatGPT Plus. Anyone can use ChatGPT! More and more tech companies and search engines are utilizing the chatbot to automate text or quickly answer user questions/concerns. Multiple enterprises utilize ChatGPT, although others may limit the use of the AI-powered tool. Most recently, Microsoft announced at it’s 2023 Build conference that it is integrating it ChatGPT-based Bing experience into Windows 11. A Brooklyn-based 3D display startup Looking Glass utilizes ChatGPT to produce holograms you can communicate with by using ChatGPT.  And nonprofit organization Solana officially integrated the chatbot into its network with a ChatGPT plug-in geared toward end users to help onboard into the web3 space. GPT stands for Generative Pre-Trained Transformer. Much like OpenAI’s ChatGPT, Bard is a chatbot that will answer questions in natural language. Google announced at its 2023 I/O event that it will soon be adding multimodal content to Bard, meaning that it can deliver answers in more than just text, responses can give you rich visuals as well.", "You can track the Android rollout here. We’re starting to roll out custom instructions, giving you more control over ChatGPT’s responses. Set your preferences once, and they’ll steer future conversations. You can read more about custom instructions in the blogpost here. Custom instructions is available to all Plus users and expanding to all users in the coming weeks. To enable beta features: Click on 'Profile & Settings’ Select 'Beta features' Toggle on 'Custom instructions' To add your instructions: Click on your name Select ‘Custom instructions’ This feature is not yet available in the UK and EU. We're doubling the number of messages ChatGPT Plus customers can send with GPT-4. Rolling out over the next week, the new message limit will be 50 every 3 hours. We’re rolling out code interpreter to all ChatGPT Plus users over the next week. It lets ChatGPT run code, optionally with access to files you've uploaded. You can ask ChatGPT to analyze data, create charts, edit files, perform math, etc. We’ll be making these features accessible to Plus users on the web via the beta panel in your settings over the course of the next week. To enable code interpreter: Click on your name Select beta features from your settings Toggle on the beta features you’d like to try We've learned that the browsing beta can occasionally display content in ways we don't want, e.g.", "Shortly after ChatGPT's launch, a reporter for the Toronto Star had uneven success in getting it to make inflammatory statements: ChatGPT was successfully tricked to justify the 2022 Russian invasion of Ukraine, but even when asked to play along with a fictional scenario, ChatGPT balked at generating arguments for why Canadian Prime Minister Justin Trudeau was guilty of treason.[37][38] ChatGPT was launched on November 30, 2022, by San Francisco–based OpenAI (the creator of the initial GPT series of large language models; DALL·E 2, a diffusion model used to generate images; and Whisper, a speech transcription model). The service was initially free to the public and the company had plans to monetize the service later.[39] By December 4, 2022, ChatGPT had over one million users.[13] In January 2023, ChatGPT reached over 100 million users, making it the fastest growing consumer application to date.[40] A Pew Research poll conducted in March 2023 found that 14% of American adults had tried ChatGPT.[41] The service works best in English but also functions in some other languages, to varying degrees of accuracy.[20] No official peer-reviewed paper on ChatGPT has been published.[42] As of April 2023, ChatGPT is blocked by China, Iran, North Korea, and Russia."], "noise_rate": 0.2, "factlabel": 0} +{"id": 94, "query": "When was GPT4 released?", "ans": [["March 14 2023", "Mar 14, 2023", "Mar. 14, 2023", "March 14, 2023", "14 March 2023", "14 Mar, 2023", "14 Mar., 2023", "14 March, 2023"]], "label": [1], "prediction": "According to the provided document, GPT-4 was released on March 14, 2023.", "docs": ["Mar 15, 2023 ... On March 14, 2023, OpenAI—a MoFo client—released GPT-4, which quickly garnered broad media coverage. For those assessing the opportunities ...", "Sam Altman was interviewed recently for the StrictlyVC program, where he confirms that OpenAI is working on a video model, which sounds incredible but could also lead to serious negative outcomes. While the video part was not said to be a component of GPT-4, what was of interest and possibly related, is that Altman was emphatic that OpenAI would not release GPT-4 until they were assured that it was safe. The relevant part of the interview occurs at the 4:37 minute mark: The interviewer asked: “Can you comment on whether GPT-4 is coming out in the first quarter, first half of the year?” Sam Altman responded: “It’ll come out at some point when we are like confident that we can do it safely and responsibly. I think in general we are going to release technology much more slowly than people would like. We’re going to sit on it much  longer than people would like. And eventually people will be like happy with our approach to this. But at the time I realized like people want the shiny toy and it’s frustrating and I totally get that.” Twitter is abuzz with rumors that are difficult to confirm. One unconfirmed rumor is that it will have 100 trillion parameters (compared to GPT-3’s 175 billion parameters).", "GPT-4 Release: Briefing on Model Improvements and Limitations Facebook Twitter Print Email LinkedIn WeChat On March 14, 2023, OpenAI—a MoFo client—released GPT-4, which quickly garnered broad media coverage. For those assessing the opportunities and risks related to GPT-4, it is useful to consider the extent of the stated technical and safety improvements and the limitations of the release. GPT-4 is the newest version of OpenAI’s Generative Pre-trained Transformer model. Like previous versions of GPT, GPT-4 is a transformer-based large language model that is pre-trained using both publicly available data (such as internet data) and third-party licensed data to generate text output based on input prompts. GPT is the foundation model behind ChatGPT (the well-known model based on GPT that OpenAI fine-tuned for a chatbot experience). Open AI’s GPT-4 Technical Report states that GPT-4 demonstrates substantial improvements in performance and capabilities from GPT-3.5, including the ability to: Regarding hallucinations, GPT-4 scored 19% higher than GPT-3.5 in an OpenAI internal, adversarially-designed factuality evaluation.[1] GPT-4, with fine-tuning, also showed improvements over GPT-3.5 based on publicly available benchmarks such as TruthfulQA.", "Mar 14, 2023 ... OpenAI releases GPT-4, a multimodal AI that it claims is state-of-the-art ... OpenAI has released a powerful new image- and text-understanding AI ...", "Generative Pre-trained Transformer 4 (GPT-4) is a multimodal large language model created by OpenAI, and the fourth in its numbered \"GPT-n\" series of GPT foundation models.[1] It was released on March 14, 2023, and has been made publicly available in a limited form via the chatbot product ChatGPT Plus (a premium version of ChatGPT), and with access to the GPT-4 based version of OpenAI's API being provided via a waitlist.[1] As a transformer based model, GPT-4 was pretrained to predict the next token (using both public data and \"data licensed from third-party providers\"), and was then fine-tuned with reinforcement learning from human and AI feedback for human alignment and policy compliance.[2]: 2  Observers reported the GPT-4 based version of ChatGPT to be an improvement on the previous (GPT-3.5 based) ChatGPT, with the caveat that GPT-4 retains some of the same problems.[3] Unlike the predecessors, GPT-4 can take images as well as text as input.[4] OpenAI has declined to reveal technical information such as the size of the GPT-4 model.[5] OpenAI introduced the first GPT model (GPT-1) in 2018, publishing a paper called \"Improving Language Understanding by Generative Pre-Training."], "noise_rate": 0.2, "factlabel": 0} +{"id": 95, "query": "How much did Amazon agree to pay to acquire iRobot?", "ans": ["1.7 billion"], "label": [1], "prediction": "According to the provided document, Amazon agreed to pay approximately $1.7 billion to acquire iRobot.", "docs": ["By  The Associated Press An iRobot Terra lawn mower is shown in Bedford, Mass., on Jan. 16, 2019. Amazon on Friday announced an agreement to acquire iRobot for approximately $1.7 billion. iRobot sells its robots worldwide and is most famous for the circular-shaped Roomba vacuum. Elise Amendola/AP hide caption An iRobot Terra lawn mower is shown in Bedford, Mass., on Jan. 16, 2019. Amazon on Friday announced an agreement to acquire iRobot for approximately $1.7 billion. iRobot sells its robots worldwide and is most famous for the circular-shaped Roomba vacuum. NEW YORK — Amazon on Friday announced it has agreed to acquire the vacuum cleaner maker iRobot for approximately $1.7 billion, scooping up another company to add to its collection of smart home appliances amid broader concerns about its market power. iRobot sells its products worldwide and is most famous for the circular-shaped Roomba vacuum, which would join voice assistant Alexa, the Astro robot and Ring security cameras and others in the list of smart home features offered by the Seattle-based e-commerce and tech giant. The move is part of Amazon's bid to own part of the home space through services and accelerate its growth beyond retail, said Neil Saunders, managing director at GlobalData Retail.", "Consequences of material differences in results as compared with those anticipated in the forward-looking statements could include, among other things, business disruption, operational problems, financial loss, legal liability and similar risks, any of which could have a material adverse effect on iRobot's financial condition, results of operations, or liquidity. The forward-looking statements included herein are made only as of the date hereof. iRobot does not assume any obligation to publicly provide revisions or updates to any forward-looking statements, whether as a result of new information, future developments or otherwise, should circumstances change, except as otherwise required by securities and other applicable laws. Important Information and Where to Find It In connection with the proposed transaction between iRobot and Amazon, iRobot will file with the SEC a Proxy Statement, the definitive version of which will be sent or provided to iRobot stockholders. iRobot may also file other documents with the SEC regarding the proposed transaction. This document is not a substitute for the Proxy Statement or any other document which iRobot may file with the SEC.", "Home Smart Home Brands Amazon If a stranger knocked on your door and asked to take a video of your home’s floor plan and contents, you’d shut the door in their face, right? But what if that stranger added that you’d never have to clean your floors again? Would it change your mind? For millions of Roomba users, the answer is “yes.” Somewhere between the flip phone and the iPhone, the convenience of a portable pocket computer began to outweigh the privacy intrusion of being tracked everywhere we go. Now it’s hard to find someone who doesn’t own a smartphone. Tech behemoth Amazon figured out early on that convincing people to trade privacy for convenience was a smart bet. Their latest move is another example of that bet paying off. Amazon and iRobot, the maker of Roomba, announced last week that Amazon offered to acquire iRobot. Does Amazon simply see an opening in the robot cleaning space? Their personal robot, Astro, has been slow to take off, even with the catchy name from The Jetsons. Or is there more to the deal? On This Page First, the facts: Amazon wants to buy the recently-struggling robot-vacuum company for $1.7 billion. It’s an all-cash deal, with Amazon offering $61 a share to iRobot shareholders. Shareholders must agree to the deal, and the Federal Trade Commission (FTC) needs to sign off as well.", "Aug 5, 2022 ... Amazon will acquire iRobot for $61 per share in an all-cash transaction valued at approximately $1.7 billion, including iRobot's net debt.", "Advertisement Supported by The acquisition of iRobot Corp., maker of the robot vacuum, will add to Amazon’s roster of smart home devices, which includes the Alexa virtual assistant and Ring doorbells. By Remy Tumin Hey, Alexa, tell Roomba to vacuum the bedroom. Amazon announced on Friday that it had reached an agreement to buy iRobot Corp., the maker of the Roomba robotic vacuum, for $1.7 billion, adding to its growing roster of smart home products. “We know that saving time matters, and chores take precious time that can be better spent doing something that customers love,” Dave Limp, senior vice president of Amazon Devices, said in a statement announcing the acquisition. Amazon will acquire iRobot, including its debt, for $61 per share in an all-cash transaction, according to the statement. The purchase would be Amazon’s fourth-largest acquisition after the company bought Whole Foods for $13.7 billion in 2017 and the movie studio MGM for $8.5 billion last year. Last month, Amazon announced a foray into medical services with an agreement to spend $3.9 billion to acquire One Medical, a chain of primary care clinics around the United States. The Roomba and iRobot’s other cleaning devices, including robotic mops and air purifiers, join a portfolio of Amazon-owned smart home devices that includes Ring doorbells and Alexa, Amazon’s virtual assistant and speaker."], "noise_rate": 0.2, "factlabel": 0} +{"id": 96, "query": "What is the location of the Major League Baseball Field of Dreams Game 2022?", "ans": ["Dyersville, Iowa"], "label": [0], "prediction": "", "docs": ["MLB at Field of Dreams is a recurring Major League Baseball (MLB) regular-season game played in a ballpark adjacent to Field of Dreams in Dyersville, Iowa, a site popularized by the 1989 baseball film Field of Dreams. The first edition of the game was played on August 12, 2021, with the Chicago White Sox defeating the New York Yankees, 9–8. The second edition of the game was played August 11, 2022, with the Chicago Cubs defeating the Cincinnati Reds, 4–2. Both games were held on the second Thursday of August. Future games are on hold while a new youth baseball and softball complex is under construction at the Field of Dreams site. The first edition of the game was planned for August 13, 2020, with the Chicago White Sox facing the New York Yankees.[1] However, due to the COVID-19 pandemic, MLB implemented a shortened 2020 season that limited games played to each team's division and the opposite league's geographically equal division to reduce travel. Hence, on July 1, MLB announced that the St. Louis Cardinals would replace the Yankees for the game.[2] After several St. Louis players and coaches tested positive for COVID-19 in late July, MLB postponed several Cardinals games, eventually leading the league to announce on August 3 that the MLB at Field of Dreams game would be postponed to the 2021 season.", "Fans will witness the Cubs take on the Reds in a regular season game with an atmosphere like no other, the perfect setting for a mid-summer’s evening. Your 2022 Field of Dreams baseball travel package will be custom-crafted with your preferred tickets to the game. The temporary Field of Dreams Stadium in Dyersville, Iowa is located adjacent to the venue used in the movie “Field of Dreams” (the original venue’s dimensions would not fit guidelines). Modeled after Chicago’s historic Comiskey Park, the stadium will offer fans a nostalgic feel with a view of the iconic cornfields in the outfield. The stadium’s seating capacity is 8,000 people, providing an intimate experience with no spectator too far from the field. Third Base Down the Line – Sections L11-L17 Between the Dugouts – Sections R1-R3 / C4-C6 / L7-L10 Field of Dreams Seating Chart Roadtrips is in no way associated with Major League Baseball (MLB). The term Field of Dreams is used only for the purpose of properly describing certain events and without the specific permission of MLB. Roadtrips travel packages and services are not affiliated with MLB. “The envy of all our friends back home!” All we can say is… WOW! And thanks so much for a great time at the All-Star Game! Our seats were incredible – we were definitely the envy of all our friends back home!", "6] During the 2021 season, many of the temporary structures that were intended for MLB at Field of Dreams were moved to Sahlen Field in Buffalo, New York, to allow that Triple-A ballpark to accommodate the Toronto Blue Jays.[7][8] In late June 2021, a news report by KTIV of Sioux City, Iowa, showed that the baseball field and lights were in place for MLB at Field of Dreams, but seating had not yet been erected.[9] On August 9, it was revealed that Iowa native Pat Hoberg would be the home plate umpire for the game.[12] The White Sox and Yankees both wore throwback uniforms resembling those worn during the 1919 Major League Baseball season.[13][14] Prior to the game, a pregame ceremony was conducted, during which Kevin Costner led players from both teams onto the field from the corn, in tribute to an iconic scene which occurs in the film while Maddie Poppe sang the national anthem.[15] Bench coach Miguel Cairo managed the White Sox as manager Tony La Russa was unavailable due to a family funeral.[16] This was the first MLB game played in the state of Iowa.[1] The game was called by Joe Buck (play by play), John Smoltz (analyst), Ken Rosenthal (field reporter), and Tom Verducci (field reporter) on FOX.", "These tried-and-true Amazon fashion essentials are editor-approved and under $40 Sections Shows More Follow today More Brands Take me out to the ... cornfield? Major League Baseball returns to Iowa on Thursday, Aug. 11, for the second Field of Dreams game. It marks the second consecutive year two big league clubs will take the field in the neutral-site location. Here's what you need to know about this year's edition of the game. The game gets underway Aug. 11, with first pitch scheduled for 7:15 p.m. ET. It will be played in Dyersville, Iowa, on a field that was built in the middle of a cornfield, in the same location where the classic 1989 film “Field of Dreams” was shot. The location has become a tourist attraction in the years since the film's release. How can I watch the 2022 Field of Dreams game? Fox will broadcast the game, with coverage starting at 6 p.m. ET. It will also be available to stream on the Fox Sports app. This year's edition of the game will pit the Chicago Cubs against the Cincinnati Reds, two rivals in the National League Central. The Reds will be the home team, while the Cubs will be the visiting team. The contest is the first in a three-game series between the teams, with the next two being played in Cincinnati.", "Major League Baseball is once again coming back to Dyersville, Iowa. The MLB's Field of Dreams game is set for August 11. This year, it'll be the Chicago Cubs taking on the Cincinnati Reds. First pitch is slated for 7:15 p.m. ET that day.  Last season, the Chicago White Sox toppled the New York Yankees with a walk-off home run from Tim Anderson. Anderson's emphatic home run gave Chicago a 9-8 win. Here's what fans need to know in order to watch and stream the 2022 Field of Dreams game. When: 7:15 p.m. ET on Thursday, Aug. 11 FOLLOW THE MONEY: MLB player salaries and payrolls for every major league team Where: Field of Dreams ballpark in Dyersville, Iowa TV: FOX (check local listings for channel information) Livestream: FOX Sports Online: MLB.TV app Here's what the Reds and Cubs will be wearing that night, as released by MLB: Having an MLB game in the middle of a cornfield is no easy feat. Brothers Andy and Adam Rahe have been farming the land for years. \"We take a lot of pride in all our farming,\" Andy said. \"But we take a little extra pride here too.\" While the site was sold and is now owned by a company called Go the Distance, the farm was originally owned by the Lansing family."], "noise_rate": 0.2, "factlabel": 0} +{"id": 97, "query": "When did Microsoft release Windows 11 22H2?", "ans": [["September 20", "Sep 20", "Sep. 20", "20 September", "20 Sep", "20 Sep.", "Sept 20", "Sept. 20", "20 Sept", "20 Sept."]], "label": [1], "prediction": "According to the provided document, Microsoft released Windows 11 22H2 on September 20, 2022.", "docs": ["Windows 11 22H2 will release on September 20, 2022, and here are all the details you need to know. Windows 11 version 22H2 (2022 Update) is the next major refresh of the Microsoft desktop operating system. Codenamed “Sun Valley 2,” the feature update will continue updating the desktop interface, bringing back previously removed features, and introducing new features and improvements. Although we are still days away from the release date, Microsoft is done adding the new features and changes for the Windows 11 2022 Update. The intended final version of the update is already available in the Release Preview Channel of the Windows Insider Program. This release will include new features like Live Captions and Voice Access. It will also introduce an updated version of File Explorer that brings support for tabs and a redesigned navigation pane, a new way to snap applications on the screen with drag and drop Snap layouts flyout, and redesigned version of Task Manager. Furthermore, you will find many visual updates for legacy elements and more. The final version of Windows 11 22H2 has been available since June 7, 2022, but only as a preview in the Release Preview Channel. The feature update is expected to launch on Tuesday, September 20, 2022 (the update is now live for everyone). The update will be offered as a free upgrade for computers already running the original version.", "Here's everything there's to know about Windows 11 22H2. UPDATED 2/2/2023: Windows 11 22H2 (2022 Update) has been available since September 20, 2022. It represents the first major update of the new generation of Windows, introducing a new set of features and enhancements to improve security, productivity, and the overall user experience. On September 20, Microsoft made available the Windows 11 2022 Update as a free upgrade for devices already running Windows 11 21H2 (and those compatible computers running Windows 10) that are known to have a smooth upgrade experience. Over time, the update will continue to expand to more devices based on hardware eligibility, reliability metrics, age of the hardware, and other factors. Then sometime during the first half of 2023, Windows 11 22H2 will be fully available. Like previous releases, you will be notified to download the new version manually through Windows Update. If you are a “seeker,” you can force the upgrade by clicking the Check for updates button in the Windows Update settings and then the Download and install button. Alternatively, you can install the new update using a USB installation media or ISO file to perform an in-place upgrade or clean installation. In addition, you can use the Installation Assistant to upgrade. This guide highlights the improvements as they appear in previews through the Windows Insider Program and will be updated regularly to reflect the changes.", "Sep 20, 2022 ... Windows 11, version 22H2 offers new features to ensure the content and information you need is always at your fingertips, including updates to ...", "Sep 20, 2022 ... Windows 11 22H2 will release on September 20, 2022, and here are all the details you need to know. ... Windows 11 version 22H2 (2022 Update) is ...", "Windows 11 is a major release of the Windows NT developed by Microsoft that was released in October 2021. Starting with Windows 10, Microsoft described Windows as an \"operating system as a service\" that would receive ongoing updates to its features and functionality, augmented with the ability for enterprise environments to receive non-critical updates at a slower pace or use long-term support milestones that will only receive critical updates, such as security patches, over their five-year lifespan of mainstream support. Windows Insider Preview builds are delivered to Insiders in four different channels. Insiders in the Dev and Canary Channel receive updates prior to those in the Beta Channel, but might experience more bugs and other issues. Insiders in the Release Preview Channel do not receive updates until the version is almost available to the public, but are comparatively more stable. As with Windows 10 (since version 20H2), mainstream builds of Windows 11 are labeled \"YYHX\", with YY representing the two-digit year and X representing the half-year of planned release (for example, version 21H2 refers to builds which initially released in the second half of 2021). The original version of Windows 11 (also known as version 21H2 and codenamed \"Sun Valley\") was released in October 2021.[1][2] It carries the build number 10.0.22000."], "noise_rate": 0.2, "factlabel": 0} +{"id": 98, "query": "When did AMD unveil Ryzen 7000 processors?", "ans": [["August 29", "Aug 29", "Aug. 29", "29 August", "29 Aug", "29 Aug."]], "label": [1], "prediction": "According to the provided documents, AMD is set to unveil Ryzen 7000 processors in a live stream event on August 29th at 7pm ET (23:00 UTC).", "docs": ["In a brief press release sent out this morning, AMD has announced that they will be delivering their eagerly anticipated Ryzen 7000 unveiling later this month as a live stream. In an event dubbed “together we advance_PCs”, AMD will be discussing the forthcoming Ryzen 7000 series processors as well as the underlying Zen 4 architecture and associated AM5 platform – laying the groundwork ahead of AMD’s planned fall launch for the Ryzen 7000 platform. The event is set to kick off on August 29th at 7pm ET (23:00 UTC), with CEO Dr. Lisa Su and CTO Mark Papermaster slated to present. AMD first unveiled their Ryzen 7000 platform and branding back at Computex 2022, offering quite a few high-level details on the forthcoming consumer processor platform while stating it would be launching in the fall. The new CPU family will feature up to 16 Zen 4 cores using TSMC's optimized 5 nm manufacturing process for the Core Complex Die (CCD), and TSMC’s 6nm process for the I/O Die (IOD). AMD has not disclosed a great deal about the Zen 4 architecture itself, though their Computex presentation has indicated we should expect a several percent increase in IPC, along with a further several percent increase in peak clockspeeds, allowing for a 15%+ increase in single-threaded performance.", "Aug 29, 2022 ... AMD launches the Ryzen 7000 desktop processor lineup, whose Ryzen 7950X will be both $100 cheaper than its predecessor and up to 29 percent ...", "Aug 29, 2022 ... AUSTIN, Texas, Aug. 29, 2022 (GLOBE NEWSWIRE) -- Today, AMD (NASDAQ: AMD) revealed the Ryzen™ 7000 Series Desktop processor lineup powered by ...", "AMD seems to have moved its original 15th September launch plans for Ryzen 7000 \"Zen 4\" CPUs & the AM5 platform to late September. We have just got confirmation from our sources that AMD will be releasing its next-gen CPUs in Late September for sales. Earlier this month, we reported that AMD was going to host an event in late August where they will announce all the details such as specs and prices for their next-gen Ryzen 7000 \"Zen 4\" CPUs and the respective AM5 platform. The company had also planned to open up sales just two weeks later on the 15th of September. But it looks like AMD has decided to halt the sales a bit and position the real launch next to Intel's 13th Gen Raptor Lake CPUs on the 27th of September. Intel is expected to host its \"Innovation\" event on the 27th of September where the company will unveil its latest desktop processors codenamed Raptor Lake. The CPUs won't be available until October however, AMD's Ryzen 7000 CPUs will be ready for the mass consumer market. This may seem like AMD being very confident to launch their chips right when their competitor announces their next-gen parts.", "You won't have to wait much longer to learn more about AMD's Ryzen 7000 desktop processors. The company has announced that it will unveil the new CPU line in a YouTube livestream on August 29th at 7PM. The event will share more about the new Zen 4 architecture and the supporting AM5 platform. There are already some clues as to what to expect. AMD inadvertently shared some of the first Ryzen 7000 model numbers on its website in July, including one Ryzen 5 chip (7600X), one Ryzen 7 variant (7700X) and two Ryzen 9 releases (7900X and 7950X). As with past launches, the company appears focused on gaming-friendly enthusiast CPUs while leaving budget parts for later releases. Zen 4 and AM5, meanwhile, promise meaningful architectural changes. You'll see more Level 2 cache, boost speeds beyond 5GHz, AI hardware acceleration and support for newer standards like DDR5 memory and PCIe 5.0 expansion. AMD claimed a 15 percent boost to single-threaded performance in early testing. Effectively, AMD is responding to Intel's 12th-gen Core — it's just a question of whether or not Ryzen 7000 is fast enough to keep up or edge ahead."], "noise_rate": 0.2, "factlabel": 0} +{"id": 99, "query": "Who won the U.S. all-around title at the U.S. Gymnastics Nationals 2022?", "ans": ["Konnor McClain"], "label": [1], "prediction": "According to the provided document, Konnor McClain won the U.S. all-around title at the 2022 U.S. Gymnastics Championships with a combined score of 112.750.", "docs": ["WOGA Gymnastics’ Konnor McClain (Las Vegas, Nev.) captured the senior women’s all-around title as competition concluded at the 2022 OOFOS U.S. Gymnastics Championships Saturday evening at Amalie Arena. © John Cheng TAMPA, Fla. (August 21, 2022) – WOGA Gymnastics’ Konnor McClain (Las Vegas, Nev.) captured the senior women’s all-around title as competition concluded at the 2022 OOFOS U.S. Gymnastics Championships Saturday evening at Amalie Arena. Her combined eight-rotation 112.750 beat out all competition for the night’s biggest prize, and she added balance beam gold (28.900) along the way. Shilese Jones (Auburn, Wash./Ascend Gymnastics Center) finished a close second with a 112.000, while Olympians Jordan Chiles (Spring, Texas/World Champions Centre) and Jade Carey (Phoenix, Ariz./Oregon State University) finished third (111.900) and fifth (110.900), respectively. Hill’s Gymnastics’ Kayla DiCello (Boyds, Md.) delivered a 110.950 to secure fourth. Jones shared the uneven bars title with her future Florida Gators teammate and World all-around silver medalist Leanne Wong (Overland Park, Kan./Great American Gymnastics Express), each scoring 28.", "In the individual events, Dalton won on floor exercise and vault, Eddie Penev won on pommel horse, Donnell Whittenburg won on rings, Brooks won on parallel bars, and Paul Ruggeri won on high bar. *Unofficial national champion[1][2][10] In recent years, the USA Gymnastics National Championships has been sponsored by various companies, and the event is typically named for the sponsoring company.[11]", "All-around and event results from the 2022 U.S. Gymnastics Championships in Tampa ... WomenAll-Around1. Konnor McClain -- 112.752. Shilese Jones -- 112.03. Jordan Chiles -- 111.94. Kayla DiCello -- 110.955. Jade Carey -- 110.96. Skye Blakely -- 109.37. Lexi Zeiss -- 106.5 Balance Beam1. Konnor McClain -- 28.92. Ciena Alipio -- 27.553. Kayla DiCello -- 27.354. Jordan Chiles -- 27.055. Katelyn Jong -- 26.555. Leanne Wong -- 26.55 Floor Exercise1. Shilese Jones -- 28.352. Jade Carey -- 27.93. Jordan Chiles -- 27.854. Konnor McClain -- 27.755. Kayla DiCello -- 27.5 Uneven Bars1. Shilese Jones -- 28.451. Leanne Wong -- 28.453. Jordan Chiles -- 28.354. Nola Matthews -- 27.85. Skye Blakely -- 27.75 Vault1. Jade Carey -- 29.452. Shilese Jones -- 29.053. Konnor McClain -- 28.754. Jordan Chiles -- 28.655.", "Konnor McClain won her first U.S. gymnastics national championship Sunday night, rallying past Shilese Jones in the finals to complete a stunning turnaround since switching training gyms last year. The 17-year-old McClain posted a two-day total of 112.750, just ahead of Jones at 111.900. Jordan Chiles, part of the U.S. team that won silver at the Olympics last summer, finished third. Kayla DiCello took fourth, followed by Olympic floor exercise champion Jade Carey in fifth and Skye Blakely in sixth. McClain was expected to be a factor in the run-up to the Tokyo Games but struggled so much early in the competition season that she felt like “the most garbage gymnast ever,” as she said Wednesday. A change of scenery from West Virginia to Texas helped considerably. McClain has flourished at Dallas-based World Gymnastics Academy, owned and operated by Valeri Liukin, the father of 2008 Olympic champion Nastia Liukin. Her confidence has soared in lockstep with her development. She began Sunday just less than a point behind Jones but took the lead in the first rotation when she drilled her double Yurchenko vault while Jones hopped off the balance beam. She never gave the lead back, though there were some tense moments late. McClain led Jones by a half-point going into the final rotation but lost her balance while trying to complete a wolf turn spin.", "sportsOther Sports By Callie Caplan 7:54 PM on Aug 21, 2022 CDT For the last year, Konnor McClain’s coaches at World Olympic Gymnastics Academy in Plano have tried to convince her that she has the potential to be one of the best gymnasts in the world. Her newest award is major reinforcement. Seventeen-year-old McClain won the U.S. national all-around title Sunday night in Tampa, Florida, with an 112.750 combined score across two nights of competition, further elevating her credentials and star power in this Olympic cycle. McClain also earned the individual national title on balance beam with an average score of 14.450, including a world-leading 14.800 on Friday, and completed the all-WOGA all-around sweep after Dallas’ Madray Johnson won the junior all-around title Sunday afternoon. Get the latest D-FW sports news, analysis, scores and more. By signing up you agree to our Terms of Service and Privacy Policy Shilese Jones of Seattle finished in second all-around in the senior competition (112.000) — 0.75 points behind McClain — and Tokyo Olympian Jordan Chiles, who trains at World Champions Centre in the Houston area, was third (111.900). Frisco’s Skye Blakely, who also trains at WOGA, ranked sixth all-around with a 109."], "noise_rate": 0.2, "factlabel": 0} diff --git a/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.4_passage_5_num_queries_100.json b/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.4_passage_5_num_queries_100.json new file mode 100644 index 0000000000000000000000000000000000000000..53048a2eb2b8b576c61f4a2d187e76d4d3f3d37e --- /dev/null +++ b/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.4_passage_5_num_queries_100.json @@ -0,0 +1,100 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [1], "prediction": "According to the provided document, the premiere of \"Carole King & James Taylor: Just Call Out My Name\" is on January 2, 2022, at 9:00pm ET/PT on CNN.", "docs": ["Jan 2, 2022 ... Carole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via ...", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.Please subscribe to Solzy at the Movies on Substack.", "However, the concert tour took place in honor of the 40th anniversary. The two might have aged since they first performed together but neither Carole King nor James Taylor have lost a beat in all these years!The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):"], "noise_rate": 0.4, "factlabel": 0} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [1], "prediction": "According to the document, the genre of the drama \"Good Sam\" is a medical drama.", "docs": ["May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell.", "The new CBS drama Good Sam is likely to draw viewers towards more shows that revolve around medical drama and family issues. Starring Jason Isaacs and Sophia Bush, Good Sam delves into the strenuous father-daughter relationship between Dr. Sam Griffith and Dr. Rob Griffith. Tensions increase as the duo also happen to work in the same hospital.  RELATED: 10 Medical Dramas That Are Better Than Grey's Anatomy Good Sam serves as an interesting watch for medical drama fans. So, it is natural for audiences to also check out other genre classics like Grey’s Anatomy and contemporary shows like The Good Doctor. At the same time, Good Sam’s complex family dynamics imply that viewers can also binge their way through some acclaimed “dysfunctional family dramas”. ABC's The Good Doctor's main character Shaun Murphy is a brilliant surgeon who relocates to a prestigious California hospital. Along with saving patient lives, he struggles to get over his troubled past and to counter his social insecurities. The show benefits greatly from Freddie Highmore’s committed performance as he emulates the optimistic nature of the lead character.  Fans of Good Sam must check out The Good Doctor for it shows how a doctor’s psyche can influence the operation. Even though Sam is still in her good-natured self, Rob is shown as a talented yet hot-headed surgeon.", "Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "Sam Griffith (Sophia Bush) is a female lead, still a rarity in medical dramas. The cast diversity is notable: Malcolm Kinglsey (Edwin Hodge) is a Black man from a wealthy, prominent family. Wealthy Black Americans aren't usually showcased on television. Malcolm is also a love interest for Sam, adding to the representation of interracial relationships on television. However, most of the diversity comes in the form of the secondary cast (Skye P. Marshall, Omar Maskati, Davi Santos), who are very involved in the main storylines. Did we miss something on diversity? Suggest an update. A scene with a major character being shot. Scenes of heart surgery. A scene with a patient who was punched by his wife for cheating. Did you know you can flag iffy content? Adjust limits for Violence & Scariness in your kid's entertainment guide. Swear words like \"ass,\" \"damnit,\" \"ass kisser.\" Did you know you can flag iffy content? Adjust limits for Language in your kid's entertainment guide. Parents need to know that Good Sam is a medical procedural featuring a father-and-daughter heart surgeon team who hash out their familial drama as they save patients. Parents should be aware of scenes featuring simulated heart surgery and other scary topics, such as conversations about a near-fatal car accident, \"coding\" (needing to be resuscitated), and other medical lingo.", "Based on 1 parent review GOOD SAM plays in the standard medical procedural sandbox, but there is a family drama twist. Samantha Griffith (Sophia Bush) is a competent heart surgeon who became the head of the department after her hard-to-please father, Dr. Rob Griffith (Jason Isaacs), suffered an accident, thereby losing his title as department head. The switch-up leads Sam and her father to try to reconcile their relationship as Sam finds her way as a leader. This show seems to suggest CBS is keeping to its mission to steadily showcase more diverse, complicated storylines. While Good Sam could have easily been just a run-of-the-mill medical show about a problem of the week, the series also entangles its characters in some thorny familial drama. This adds a new layer to what fans of this type of genre might be used to, and thankfully so. Bush, who once headlined another procedural, Chicago P.D., is great at playing a woman who has grown tired of trying to please her father and wants to show her worth as a doctor on her own terms. English actor Isaacs' American accent falters at the beginning of the first episode, but by the time it's ended, you believe he's a difficult man who might have a good heart, but is buried underneath guilt and unresolved trauma."], "noise_rate": 0.4, "factlabel": 0} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [1], "prediction": "According to the document, Kentucky won the 2022 Citrus Bowl with a score of 20-17 over Iowa.", "docs": ["A late drive by No. 22 Kentucky sealed the Wildcat victory over the 15th-ranked University of Iowa football team in the 2022 VRBO Citrus Bowl on Saturday afternoon at Camping World Stadium.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987.", "Kentucky Wildcats win Citrus Bowl, 4th straight bowl game | whas11.", "Kentucky secured its fourth straight bowl victory Saturday with a 20-17 Citrus Bowl win over Iowa. Down four in the final few minutes, Wan'Dale Robinson and Chris Rodriguez Jr. came through with great individual efforts to put the Wildcats on top:", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events."], "noise_rate": 0.4, "factlabel": 0} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [1], "prediction": "According to the document, Jason Semore held the position of Defensive Coordinator at Valdosta State University before returning to Georgia Tech.", "docs": ["Sep 29, 2022 ... Share · Jason Semore helped lead Valdosta State to the 2021 NCAA Division II national championship game as defensive coordinator before returning ...", "At some point, he and Batt may talk about the possibility of Key taking over the program, but Key understands Batt’s job right now is to vet coaches and Key’s job is to try to put the best possible product on the field to state his case. Even if Batt chooses to hire from outside, a great run as the interim could vault Key into contention for other head coaching jobs. Key also wants to make sure his players don’t believe winning is easy after doing it twice in a row. Though he doesn’t mind letting them enjoy the new vibe on campus. “It’s been a while since we had this kind of momentum in the program,” tight end Dylan Leonard told reporters Monday. “It’s our first time with back-to-back wins. It’s great for us as players, but it’s also cool to see the fan base. You hear different conversations in the classroom. There’s a little more hype. It’s really cool walking around campus seeing people be excited about us.” Advertisement Semore worked as an analyst at Georgia Tech in 2019 and 2020 before going to Valdosta State last season to be the defensive coordinator. At the Division II powerhouse, Semore saw a team with a different attitude. The Blazers walk onto the field every week expecting to win. When Semore returned to Georgia Tech this season as the linebackers coach, the Yellow Jackets didn’t feel that way. But after consecutive wins, they are starting to develop that feeling.", "Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life.", "2006 | Round Valley (AZ) High School (Defensive Coordinator) 2007 | Colorado School of Mines (Secondary Coach) 2008 - 2009 | Adams State (Co-Defensive Coordinator/Secondary Coach/Special Teams Coordinator) 2010 - 2011 | Tulsa (Outside Linebackers Coach) 2012 - 2013 | Oklahoma State (Defensive Assistant) 2014 | Colorado School of Mines (Defensive Coordinator) 2015 | Montana (Secondary Coach/Special Teams Coordinator) 2016 - 2017 | Montana (Defensive Coordinator) 2018 | Temple (Senior Defensive Advisor) 2019 - 2020 | Georgia Tech (Defensive Analyst) 2021 | Valdosta State (Defensive Coordinator) Semore actually has more experience than I remember seeing, but this is still the highest level position he has held and is sure to bring plenty of challenge. At Valdosta State, Semores defense ranked top 20 nationally in defensive touchdowns, pass defense, redzone defense, and fumble recoveries. The Blazers also made an appearance in the national championship game, but failed to bring home the trophy. These are two very different coaches (in terms of experience), but I believe collectively, they are replacing one coach in all but name: Andrew Thacker. Though he remains defensive coordinator in name, he is no longer the linebackers coach."], "noise_rate": 0.4, "factlabel": 0} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [1], "prediction": "According to the provided document, Tesla delivered 936,172 vehicles in 2021.", "docs": ["Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations.", "Jan 3, 2022 ... In 2021, Tesla says, it delivered 936,172 vehicles around the world. Exactly how many were in the U.S.—or in China or Europe or ...", "The EV maker doesn't disclose U.S.-only sales figures but claims sales for the year were up an amazing 87 percent in a turbulent marketplace. Anyone who thinks the legacy automakers are catching Tesla in the electric-vehicle sales race should take a quick look at some recently released figures. Over the weekend, Tesla announced it delivered 308,600 vehicles in the fourth quarter of 2021. Model S and Model X EVs made up 11,750 of those deliveries, while the bulk—296,850—were Model 3 and Model Y deliveries. These numbers brought Tesla's 2021 full-year deliveries to 936,172 vehicles. The 936,000 vehicle deliveries represent an 87 percent increase from 2020, Reuters and other news sources noted, based on Tesla's announcement dated January 2, while the 306,600 deliveries for the quarter mean that Tesla delivered 71 percent more electric vehicles in the fourth quarter of 2021 than it did a year earlier. Reuters reportssemiconductor chipsTesla doesn't break out its deliveries by country, but its sales are strongest in Europe and China, the notes. Tesla itself called those two regions \"important markets\" in its last SEC filing, but the U.S. is still the region where Tesla makes the most money. In the third quarter of 2021, for example, an shows Tesla made more than $6 billion in revenue in the U.S., compared to $3.", "in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Microchip shortage? What microchip shortage? EV maker Tesla, which it should be pointed out produces its own chips in-house, seems not to have been bothered by supply-chain issues all that much in 2021, delivering 936,172 vehicles in the year just ended, according to a report by finance news outlet Finbold. That represents a healthy 87 percent increase over 2020, when the company handed over 499,550 Teslas to customers. Even better for the company, it ended the year with a bang, racking up a record number of sales in the last quarter of 2021, or 308,600 units. Most of that total consisted of Model 3 and Model Y models, no surprise. It’s the sixth consecutive quarter that it breaks its record for sales. In 2019, the automaker delivered 367,500 units, so annual sales growth, while not exponential, is clearly accelerating. The company has said in the past that one its main goals is to attain 50 percent sales growth year after year. Once upon a time, Tesla struggled mightily to hit its delivery targets, but no more. There’s also no sign of that growth slowing down any time soon, even as all-electric rivals join the market by the month. Projections made by Finbold put estimated sales for 2022 at over 1.5 million units, for an increase of close to 65 percent. Shopicar."], "noise_rate": 0.4, "factlabel": 0} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [1], "prediction": "According to the provided document, EVO Entertainment Group acquired ShowBiz Cinemas in an all-cash deal.", "docs": ["EVO Entertainment Group has acquired ShowBiz Cinemas in an all-cash deal, it was announced Monday (Jan. 3). The acquisition is the first major transaction to arise under the partnership between EVO and Marbella Interests, the family office of Formentera Partners founder and former Parsley Energy founder and CEO Bryan Sheffield. The combined operation is comprised of 16 venues boasting 148 screens, 108 bowling lanes, nine full-service restaurants and bars, a 3,000-capacity live music space and over 30,000 square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. EVO will continue expanding in 2022 with additional locations currently under construction. “Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of EVO Entertainment Group. “This transaction establishes EVO as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” ShowBiz Cinemas CEO and Founder Kevin Mitchell added, “It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry.", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!", "Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members...", "Evo Entertainment Group has acquired 100 percent of the stock of Showbiz Cinemas in an all-cash deal. The companies did not disclose the full details of the acquisition. \"Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of Evo Entertainment Group and 2022 Forbes 30 Under 30 honoree. “This transaction establishes Evo as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” Roberts and Kevin Mitchell, CEO and founder of Showbiz Cinemas, represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a genuine success. Said Mitchell, \"It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry.", "Searching for your content... In-Language News Contact Us 888-776-0942 from 8 AM - 10 PM ET Acquisition Establishes EVO Entertainment Group as Largest Operator of Cinema-Entertainment Centers in the Country News provided by 03 Jan, 2022, 13:00 ET Share this article AUSTIN, Texas, Jan. 3, 2022 /PRNewswire/ -- EVO Entertainment Group (\"EVO\") and ShowBiz Cinemas (\"ShowBiz\"), two leading innovators in motion picture entertainment, announced today that they have closed a transaction under which EVO has acquired 100% of the stock of Showbiz Cinemas in an all-cash deal. \"Today is a monumental moment for our company and our industry,\" said Mitch Roberts, Founder and CEO of EVO Entertainment Group and 2022 Forbes 30 under 30 honoree. \"This transaction establishes EVO as the country's largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.\" Kevin Mitchell, CEO & Founder of Showbiz Cinemas, along with Mitch Roberts represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a smashing success."], "noise_rate": 0.4, "factlabel": 0} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [1], "prediction": "According to the provided document, the Super Bowl in 2022 is held at SoFi Stadium in Inglewood, California.", "docs": ["The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second ...", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints.", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII.", "The Super Bowl is going to be held indoors for a little while. After last year's contest in Raymond James Stadium in Tampa, Florida, the Super Bowl heads out west to SoFi Stadium in Inglewood, California, for Super Bowl 56. From then on, the Super Bowl will continue to be held in dome stadiums for a while. Each of the next three announced venues will have a roof over the heads of the fans and players, and will be in warmer weather areas, as is typical of the Super Bowl. Sporting News has you covered with all you need to know about the location of this year's Super Bowl, as well as the host site in future years. This year's Super Bowl will be held at SoFi Stadium in Los Angeles, California. The home of the Rams and the Chargers, SoFi Stadium was originally set to host the Super Bowl in 2021, however its opening was delayed until 2020, and NFL rules dictate that a stadium has to be open for at least two seasons before it can host the title game. This will be the third time the city has hosted the Super Bowl, with the L.A. Memorial Coliseum having hosted it twice (1967, 1973). Pasadena also hosted the Super Bowl five times (1977, 1980, 1983, 1987, 1993) in the Rose Bowl.", "Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]"], "noise_rate": 0.4, "factlabel": 0} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [1], "prediction": "According to the documents, Truth Social, Donald Trump's social media platform, launched on iOS on February 21st, 2022, which is President's Day in the US.", "docs": ["Donald Trump's much-anticipated social media platform, called Truth Social, has debuted on iOS. And here's what you need to know about it. Former US President Donald Trump’s social media platform, called Truth Social, is now available to download on iOS. So, here's what you need to know about Truth Social, which is already proving to be a controversial social media platform for various reasons. Former US President Donald Trump's social media app, Truth Social, is now available to download from Apple's App Store. It was launched on February 21st, 2022, which is President’s Day in the US. Immediately upon launching, the app reached the number one spot on the App Store's Top Charts. Truth Social came about following Trump's bans from various social media platforms---including Facebook and Twitter---in 2021. These platforms removed Trump due to concerns around his public comments following the Capitol Hill riots in January 2021. Before getting himself banned from various social media platforms, Trump built up huge followings. So once these mainstream social media platforms dumped him, Trump announced his intention to build his own platform. So, what is Trump’s social network about anyway? Here’s everything you need to know about Truth Social. Truth Social is a social media app founded by former US President Donald Trump and owned by Trump Media & Technology Group (TMTG). This company was formed in February 2021 with the intention of building alternatives to mainstream media platforms.", "By Jay Peters, a news editor who writes about technology, video games, and virtual worlds. He’s submitted several accepted emoji proposals to the Unicode Consortium. If you buy something from a Verge link, Vox Media may earn a commission. See our ethics statement. Former President Donald Trump’s new social network, Truth Social, will launch on iOS on February 21st, according to a listing on the App Store. (That’s Presidents Day, if you didn’t know. Subtle.) The app is being made by the Trump Media and Technology Group (TMTG), Trump’s new media company led by former US Rep. Devin Nunes. Truth Social looks very much like a Twitter clone, based on screenshots in the App Store listing. The profile page shown in one screenshot looks almost exactly like Twitter’s, and posts appear to have icons for replies, retweets, faves, and sharing. (Truth Social describes each individual post as a “truth” in the app’s description. The retweet equivalent is apparently called a “re-truth.”) The Twitter-like design likely isn’t an accident The social network’s Twitter-like design is almost assuredly no accident. Twitter was Trump’s favorite megaphone for years, until he was permanently banned in January 2021 shortly after the January 6th insurrection on the US Capitol.", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]", "Truth Social, Donald Trump’s Twitter-like social media platform has launched on the App Store, CNET has reported. That confirms a statement from a verified account tied to Truth Social chief product officer “Billy B,” who told people to mark February 21st on their calendars. “We’re currently set for release in the Apple App Store for Monday, February 21st,” he said, according to Reuters. Incidentally, the 21st marks the Presidents' Day holiday in the US. Provided the network doesn’t suffer a hiccup like the one it did last fall when a prankster claimed the “donaldjtrump” username and posted an image of defecting pig, the launch will mark Trump’s return to social media. Twitter and Facebook banned the former president following the January 6th attack on the US Capitol. Before a test version of Truth Social was pulled down last fall, the website’s code showed it ran on a mostly unmodified version of open-source software Mastodon. In October, the Software Freedom Conservancy accused The Trump Media and Technology Group (TMTG) of violating Mastodon’s AGPLv3 license by not sharing the platform’s source code. The website added a dedicated section containing a ZIP archive of its source code two weeks later.Subscribe to the Engadget Deals NewsletterGreat deals on consumer electronics delivered straight to your inbox, curated by Engadget’s editorial team."], "noise_rate": 0.4, "factlabel": 0} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [1], "prediction": "According to the provided document, The Power of the Dog won Best Motion Picture - Drama at the 79th Golden Globes.", "docs": ["Though the jury is very much out on if HFPA can squeeze its way back into the good graces of Hollywood, after a fairly uneventful and mostly uncontroversial group of diverse winners, it is unlikely to hurt those efforts. Read on for the full list of winners from the 79th Golden Globes. 1. Best Motion Picture – Drama Belfast, Focus Features Coda, Apple TV+ Dune, Warner Bros. King Richard, Warner Bros. The Power of the Dog, Netflix – WINNER 2. Best Performance By An Actress In A Motion Picture – Drama Jessica Chastain, The Eyes Of Tammy Faye Olivia Colman, The Lost Daughter Nicole Kidman, Being The Ricardos – WINNER Lady Gaga, House Of Gucci Kristen Stewart, Spencer 3. Best Performance By An Actor In A Motion Picture – Drama Mahershala Ali, Swan Song Javier Bardem, Being The Ricardos Benedict Cumberbatch, The Power Of The Dog Will Smith, King Richard – WINNER Denzel Washington, The Tragedy Of Macbeth 4. Best Motion Picture – Musical Or Comedy Cyrano, MGM Don’t Look Up, Netflix Licorice Pizza, MGM Tick, Tick…Boom!, Netflix West Side Story, 20th Century Studios / Walt Disney Studios Motion Pictures – WINNER 5.", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "TAGGED AS: 79th Golden Globes Awards, Awards, Film, movies, television, TV The Hollywood Foreign Press Association announced the winners for the 79th Annual Golden Globe Awards tonight with The Power of the Dog named Best Motion Picture – Drama and West Side Story as Best Motion Picture – Musical or  Comedy. On the television side, Succession won Best Television Series – Drama, while Hacks won for Best Television Series – Musical or Comedy. After a year of controversy about diversity, payola, and improper behavior endemic to the organization that culminated in the Globes losing its NBC broadcast, tonight’s coverage and the subsequent congratulatory marketing from winners will be a good litmus test for if the beleaguered organization can rinse off some of the stink from a year of bad headlines and even more puzzling decisions. If you need a refresher on the ins and outs of what happened read our recap of how we got here. Over the last eight months, the HFPA has reformed its bylaws, implementing changes that address ethics and code of conduct, diversity, equity and inclusion, governance, and membership. The HFPA recently admitted their largest and most diverse class to date of 21 new members, all of whom are first-time Golden Globe voters.", "The 79th Golden Globe Awards honored the best in film and American television of 2021, as chosen by the Hollywood Foreign Press Association (HFPA). The ceremony took place privately on January 9, 2022.[1] The nominees were announced on December 13, 2021, by rapper Snoop Dogg and HFPA president Helen Hoehne.[1][2] For the first time since 2008, there was no traditional, televised ceremony. In support of boycotts of the HFPA by various media companies, actors, and other creatives over its lack of action to increase the membership diversity of the organization, the Golden Globes' regular broadcaster NBC declined to televise the 79th Golden Globe Awards. The HFPA ultimately chose to hold the presentation privately, with attendance limited to the organization's beneficiaries, and results announced via press release and highlighted on the Golden Globe Awards' social media pages. The films Belfast and The Power of the Dog were tied for the most nominations, at seven each. The latter tied with Steven Spielberg's West Side Story and HBO's drama Succession with the most awards of the night, with three each. These included the awards for Best Drama Film, Best Musical or Comedy Film and Best Drama Series, respectively.", "Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [1], "prediction": "According to the document, Georgia Tech softball 2022 season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat.", "docs": ["CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska.", "THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes.", "THE FLATS – Georgia Tech softball 2023 season and single-game tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Season ticket members enjoy every game in the same seat for a discounted rate. Single-game tickets are also available as detailed below. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Single-Game Pricing: Reserved Chairback: $5 Adult GA Bench: $3 Youth/Senior GA Bench: $2 Group (10+) GA Bench: $2 Standing room only tickets will be sold for $2 each if all other sections are sold out. Georgia Tech students and faculty/staff can receive free admission to regular season home games while seats remain available by showing a valid BuzzCard at the entrance. Tech’s 56-game 2023 regular season schedule is highlighted by 33 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will also host three home tournaments, most notably the ACC/B1G Challenge, as well as a pair of SEC schools, including this season’s edition of Clean, Old-Fashioned Hate. The White and Gold are slated to face six ranked opponents throughout the year, hosting four of them for eight total games.", "Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes."], "noise_rate": 0.4, "factlabel": 0} +{"id": 10, "query": "When does the 2022 Olympic Winter Games end?", "ans": [["February 20", "Feb 20", "Feb. 20", "20 February", "20 Feb", "20 Feb."]], "label": [0], "prediction": "According to the provided document, the 2022 Beijing Winter Olympics officially ended on Sunday with the traditional closing ceremony, which was held on Day 16.", "docs": ["With the COVID-19 pandemic showing few signs of abating, Beijing Olympics officials are working to \"make improvements based on epidemic prevention and control policies,\" said Liu Yumin, head of venue planning and construction for the organizing committee. Chinese officials are attending the Tokyo Olympics in part to monitor the effectiveness of coronavirus safety measures, according to the committee. Beijing Olympics organizers are building a slew of new facilities as they prepare to host the 2022 Winter Olympics. The projects include the new Zhangjiakou Winter Olympic Village in the Chongli district of Hebei province. Wu Diansen/VCG via Getty Images hide caption Beijing Olympics organizers are building a slew of new facilities as they prepare to host the 2022 Winter Olympics. The projects include the new Zhangjiakou Winter Olympic Village in the Chongli district of Hebei province. The status of the Tokyo Olympics was once in doubt, and the one-year delay due to COVID-19 wreaked havoc on athletes' training and qualifying tournaments. In contrast, International Olympic Committee President Thomas Bach has urged Beijing officials to plan for the Winter Olympics to start on time. \"Keep going strong with regard to the preparations,\" Bach told organizers at an IOC meeting last month. Beijing organizers recently promised to mount \"a splendid Beijing 2022 opening ceremony in a simple and safe manner, with COVID-19 countermeasures in mind.", "By  Bill Chappell The Beijing Winter Olympics are set to open in February. Visitors recently watched a light show at the newly built ski jumping center in northern China's Hebei province. Noel Celis/AFP via Getty Images hide caption The Beijing Winter Olympics are set to open in February. Visitors recently watched a light show at the newly built ski jumping center in northern China's Hebei province. We're still in the final days of the Tokyo Summer Olympics — but thanks to the one-year delay of these Games, the Beijing 2022 Winter Olympics are now less than six months away. \"All venues and facilities for Beijing 2022 are close to complete,\" organizers said in a recent update. Those structures range from luge tracks and skating rinks to snowboard courses. The 12 ice and snow venues are scattered between Beijing and neighboring Hebei province, which includes a large mountain resort. Test events were held at those venues this year to fine-tune them for competition, organizers said. While many facilities are brand-new, some may look familiar: The famous \"Water Cube\" that hosted Olympic swimming in 2008, for instance, is now the \"Ice Cube,\" to host curling.", "The closing ceremony of the 2022 Winter Olympics was held at Beijing National Stadium on 20 February 2022; it included a cultural presentation, closing remarks, and the formal handover to Milan and Cortina d'Ampezzo as hosts of the 2026 Winter Olympics.[60] The 2022 Winter Olympics include a record 109 events over 15 disciplines in seven sports.[61] There are seven new medal events, including men's and women's big air freestyle, women's monobob, mixed team competitions in freestyle skiing aerials, ski jumping, and snowboard cross, and the mixed relay in short track speed skating.[62] Numbers in parentheses indicate the number of medal events contested in each discipline. In October 2016, the International Ski Federation (FIS) announced plans to begin permitting women's competitions in Nordic combined, to contest the discipline at the Olympic level for the first time in Beijing.[63] In November 2017, a further three events were put forward by the FIS for possible Olympic inclusion: a ski jumping mixed team competition and men's and women's big air in freestyle skiing.", "The 2022 Winter Olympics (2022年冬季奥林匹克运动会), officially called the XXIV Olympic Winter Games (Chinese: 第二十四届冬季奥林匹克运动会; pinyin: Dì Èrshísì Jiè Dōngjì Àolínpǐkè Yùndònghuì) and commonly known as Beijing 2022 (北京2022), was an international winter multi-sport event held from 4 to 20 February 2022 in Beijing, China, and surrounding areas with competition in selected events beginning 2 February 2022.[1] It was the 24th edition of the Winter Olympic Games. Beijing was selected as host city in 2015 at the 128th IOC Session in Kuala Lumpur, Malaysia, marking its second time hosting the Olympics, and the last of three consecutive Olympics hosted in East Asia following the 2018 Winter Olympics in Pyeongchang County, South Korea, and the 2020 Summer Olympics in Tokyo, Japan. Having previously hosted the 2008 Summer Olympics, Beijing became the first city to have hosted both the Summer and Winter Olympics.", "By  Jaclyn Diaz A firework display is seen during the closing ceremony on Day 16 of the Beijing 2022 Winter Olympics at Beijing National Stadium on Feb. 20, 2022. Catherine Ivill/Getty Images hide caption A firework display is seen during the closing ceremony on Day 16 of the Beijing 2022 Winter Olympics at Beijing National Stadium on Feb. 20, 2022. BEIJING — An Olympic Games beset by COVID-19 concerns, politics, and later tarnished by (another) Russian doping scandal is now over. After 16 days and 109 events, the 2022 Beijing Winter Olympics officially ended Sunday with the traditional closing ceremony. A small, but enthusiastic, group of spectators sat in the stands at Beijing's Bird's Nest stadium during the bitterly cold night in the host city. Some did the wave and cheerfully waved the Chinese flag while waiting for the night's festivities to start. Chinese President Xi Jinping sat next to International Olympic Committee President Thomas Bach in the stands, watching the ceremony unfold. Members of Team China wave flags as they walk in the athletes parade during the closing ceremony of the 2022 Beijing Olympic Games. Lintao Zhang/Getty Images hide caption The performances were limited, echoing the muted opening ceremony held earlier this month. Organizers emphasized snow and ice as the main theme."], "noise_rate": 0.4, "factlabel": 0} +{"id": 11, "query": "Who won the Spanish Super Cup 2022?", "ans": ["Real Madrid"], "label": [1], "prediction": "According to the provided document, Real Madrid won the Spanish Super Cup 2022 by defeating Athletic Bilbao 2-0 in the final.", "docs": ["Forgot password? Subscribe to our newsletters LEAGUES CUP WOMEN'S WORLD CUP 2023 SAUDI PRO LEAGUE DAZN Enjoy live and on-demand online sports on DAZN. Activate your account NBA Pass League Now you can watch the entire NBA season or your favorite teams on streaming.", "The 2022 Supercopa de España final decided the winner of the 2021–22 Supercopa de España, the 38th edition of the annual Spanish football super cup competition. The match was played on 16 January 2022 at the King Fahd International Stadium in Riyadh, Saudi Arabia. The match was a clásico between 2020–21 Copa del Rey runners-up Athletic Bilbao and 2020–21 La Liga runners-up Real Madrid, the first time the clubs had met to directly compete for a trophy since the 1958 Copa del Generalísimo Final.[5] Real Madrid won the final 2–0 for their 12th Supercopa de España title.[6][7] Man of the Match: Luka Modrić (Real Madrid)[1] Assistant referees:[2] Raúl Cabañero Martínez (Murcia) José Gallego García (Murcia) Fourth official:[2] Isidro Díaz de Mera Escuderos (Castilla–La Mancha) Reserve assistant referee:[2] Pau Cebrián Devis (Valencia) Video assistant referee:[2] David Medié Jiménez (Catalonia) Assistant video assistant referee:[2] Javier Alberola Rojas (Castilla–La Mancha) Match rules", "Real Madrid clinched their first title of the season with the club's twelfth Spanish Super Cup against Athletic in Riyadh. A solid Real Madrid side outclassed their opponents and added to their trophy haul courtesy of Modrić's 38th minute strike and Benzema's 52nd minute penalty. Courtois was at his best in the 86th minute to keep out Raúl García's penalty, after Militão had been dismissed. Real Madrid left Saudi Arabia with another trophy as Modrić was named man of the match in the final.\r  \r The first half was played at a high intensity without many big chances being created until Modrić's goal. The first chance came after 18 minutes when Benzema's shot from the edge of the area was saved by Unai Simón. Casemiro tried his luck nine minutes later, cutting in from the right and almost catching out the Athletic goalkeeper. The opening goal in the final soon followed and what a goal. Rodrygo lured in three defenders before slipping in Modrić who beat Unai Simón with a beautiful right-footed strike in the 38th minute. The Basque side looked to level things up in stoppage time when Sancet's shot went just over the bar. Video.0-2: Spanish Super Cup champions!", "Both coaches - Real Madrid’s Carlo Ancelotti and Barcelona’s Xavier Hernandez -  are expected to field full-strength sides with no injury concerns reported ahead of the final, which will be played in front of over 60,000 fans in attendance. It will also be the first Real Madrid vs Barcelona final in a knockout tournament in over five years. In the Spanish Super Cup 2021-22 final, Real Madrid defeated Athletic Bilbao 2-0 courtesy of goals from  Luka Modric and Karim Benzema. The Real Madrid vs Barcelona Spanish Super Cup 2022-23 final match will start at 12:30 AM IST (Indian Standard Time) on Monday. There is no live streaming or telecast of the Super Cup 2022-23 final in India.", "Activate your account NBA Pass League Now you can watch the entire NBA season or your favorite teams on streaming."], "noise_rate": 0.4, "factlabel": 0} +{"id": 12, "query": "How much is Microsoft acquiring Activision Blizzard for?", "ans": [["$68.7 billion", "$68.7bn"]], "label": [0], "prediction": "", "docs": ["To the extent that holdings of Activision Blizzard’s securities have changed since the amounts printed in Activision Blizzard’s proxy statement, such changes have been or will be reflected on Statements of Change in Ownership on Form 4 filed with the SEC. Information regarding the identity of the participants, and their direct or indirect interests in the transaction, by security holdings or otherwise, will be set forth in the proxy statement and other materials to be filed with SEC in connection with the transaction. For more information, press only: Microsoft Media Relations, Assembly Media for Microsoft, [email protected]   For more information, financial analysts and investors only: Brett Iversen, General Manager, Investor Relations, (425) 706-4400 Note to editors: For more information, news and perspectives from Microsoft, please visit the Microsoft News Center at http://www.microsoft.com/news. Web links, telephone numbers and titles were correct at time of publication, but may since have changed. Shareholder and financial information, as well as today’s 6:00 a.m. Pacific time conference call with investors and analysts, is available at http://www.microsoft.com/en-us/investor.", "Founded in 1993 by brothers Tom and David Gardner, The Motley Fool helps millions of people attain financial freedom through our website, podcasts, books, newspaper column, radio show, and premium investing services. Founded in 1993 by brothers Tom and David Gardner, The Motley Fool helps millions of people attain financial freedom through our website, podcasts, books, newspaper column, radio show, and premium investing services. You’re reading a free article with opinions that may differ from The Motley Fool’s Premium Investing Services. Become a Motley Fool member today to get instant access to our top analyst recommendations, in-depth research, investing resources, and more. Learn More It's been over a year since Microsoft (MSFT 0.71%) announced it would acquire Activision Blizzard (ATVI -0.01%) in an all-cash deal valued at $68.7 billion, yet the deal remains uncertain. Activision shares are trading about 24% below its acquisition price of $95 per share.  Here's a look at what happened since the deal was announced and whether Activision Blizzard is a buy. The market, fearing antitrust concerns, was skeptical that regulators would approve Microsoft's acquisition of Activision Blizzard from the beginning. Activision stock hasn't reached more than $82 per share over the past year and was as low as $71 per share.", "January 18, 2022\t\t\t \t\t\t | Microsoft News Center REDMOND, Wash. and Santa Monica, Calif. – Jan. 18, 2022 – With three billion people actively playing games today, and fueled by a new generation steeped in the joys of interactive entertainment, gaming is now the largest and fastest-growing form of entertainment. Today, Microsoft Corp. (Nasdaq: MSFT) announced plans to acquire Activision Blizzard Inc. (Nasdaq: ATVI), a leader in game development and interactive entertainment content publisher. This acquisition will accelerate the growth in Microsoft’s gaming business across mobile, PC, console and cloud and will provide building blocks for the metaverse. Microsoft will acquire Activision Blizzard for $95.00 per share, in an all-cash transaction valued at $68.7 billion, inclusive of Activision Blizzard’s net cash. When the transaction closes, Microsoft will become the world’s third-largest gaming company by revenue, behind Tencent and Sony. The planned acquisition includes iconic franchises from the Activision, Blizzard and King studios like “Warcraft,” “Diablo,” “Overwatch,” “Call of Duty” and “Candy Crush,” in addition to global eSports activities through Major League Gaming. The company has studios around the world with nearly 10,000 employees.", "Checking Accounts Best Credit Cards for Small Business Best Small Business Loans Best Tax Software for Small Business SELECT All Taxes Best Tax Software Best Tax Software for Small Businesses Tax Refunds SELECT All Help for Low Credit Scores Best Credit Cards for Bad Credit Best Personal Loans for Bad Credit Best Debt Consolidation Loans for Bad Credit Personal Loans if You Don't Have Credit Best Credit Cards for Building Credit Personal Loans for 580 Credit Score or Lower Personal Loans for 670 Credit Score or Lower Best Mortgages for Bad Credit Best Hardship Loans How to Boost Your Credit Score SELECT All Investing Best IRA Accounts Best Roth IRA Accounts Best Investing Apps Best Free Stock Trading Platforms Best Robo-Advisors Index Funds Mutual Funds ETFs Bonds In this article Microsoft announced Tuesday it will buy video game giant Activision Blizzard in a $68.7 billion all-cash deal. The price means Microsoft will pay $95 per share for Activision. Activision's stock ended the day up more than 25%, closing at $82.31 per share on Tuesday. Microsoft's shares closed down more than 2%. This would be Microsoft's largest acquisition to date, followed by its purchase of LinkedIn in 2016 for $26.2 billion. Activision, which is known for popular games such as Call of Duty and Tony Hawk's Pro Skater, has been mired in controversy for the last several months after reports of sexual misconduct and harassment among the company's executives.", "and Google, and that Activision Blizzard lacked the computation expertise in machine learning and data analytics that would be necessary to compete with these companies. According to Kotick, this led to the idea of Microsoft, which does have those capabilities, acquiring Activision Blizzard at an attractive price point.[15] Spencer further had stated that Microsoft's intent with the acquisition is access to Activision's mobile games, which would include those by its King division such as Candy Crush Saga. He said that while there are 200 million game console users worldwide, the mobile market reaches over 3 billion people.[16] In a statement released on Activision Blizzard's investor website, the company said its industry is the \"most dynamic and exciting category of entertainment across all platforms\" and that gaming will be the forefront of the development of the emerging metaverse. Some journalists saw this acquisition, and Microsoft's March 2021 acquisition of Bethesda Softworks, as a bid to compete against Meta Platforms, formerly known as Facebook.[17][12][13] The announcement had come in the wake of events related to California Department of Fair Employment and Housing v. Activision Blizzard, a lawsuit raised in July 2021 accusing the company of sexual harassment, employment discrimination and retaliation on the part of Activision Blizzard.[18][19] Allegations had expanded by November 2021 to include actions that Activision Blizzard's CEO Bobby Kotick had done."], "noise_rate": 0.4, "factlabel": 0} +{"id": 13, "query": "What is the price for a 30-second spot during the Super Bowl 2022?", "ans": ["$6.5 million"], "label": [1], "prediction": "According to the provided document, the price for a 30-second spot during the Super Bowl 2022 is $6.5 million.", "docs": ["Most sold between $6 million and $7 million, according to Variety. By comparison, in 2019, Fox reportedly charged $5.6 million for a Super Bowl ad. RELATED NEWS Super Bowl 2023: Who are the halftime performers and what can viewers expect? Here’s why your Super Bowl party could cost much less this year If you purchase a product or register for an account through one of the links on our site, we may receive compensation. By browsing this site, we may share your information with our social media partners in accordance with our Privacy Policy. Use of and/or registration on any portion of this site constitutes acceptance of our User Agreement (updated 4/4/2023), Privacy Policy and Cookie Statement, and Your Privacy Choices and Rights (updated 7/1/2023). Cookie Settings/Do Not Sell My Personal Information © 2023 Advance Local Media LLC. All rights reserved (About Us). The material on this site may not be reproduced, distributed, transmitted, cached or otherwise used, except with the prior written permission of Advance Local. Community Rules apply to all content you upload or otherwise submit to this site. YouTube’s privacy policy is available here and YouTube’s terms of service is available here.", "Normally, fans don't pay too much attention to commercials during a sporting event. But, the one time of year that viewers actually want to see commercials is during the Super Bowl. Super Bowl 56 is no different. The Bengals will face the Rams for the game, and a rap performance featuring Dr. Dre, Snoop Dogg, Eminem, Mary J. Blige and Kendrick Lamar will take place during the halftime show. But, in between all of the action, there will be a long list of new, and possibly iconic, Super Bowl commercials. In order to get your company a spot during the Super Bowl commercials, you must pay a pretty penny. Here's what you need to know about how much Super Bowl commercials cost. MORE: The 25 best Super Bowl commercials of all time, ranked NBC, the home for Super Bowl 56, has not reported the official prices for each Super Bowl ad spot, but it was reported back in September by Dan Lovinger of NBC Sports Group that the spots were selling quickly and for an upwards of $6.5 million for a 30-second ad. This year's price is the most expensive Super Bowl ad price in NFL history. This price is about a 20 percent increase from the last time NBC hosted the Super Bowl in 2018. The last two Super Bowls, hosted by Fox (2020) and CBS (2021) only saw bids as high as $5.6 million.", "The pandemic had a minor but noticeable effect as the cost of a 30-second spot in the 2021 Super Bowl was $5.5 million – down $100,000 from the pre-pandemic high of $5.6 million.  GET FOX BUSINESS ON THE GO BY CLICKING HERE YouTube announced that it will bring back the AdBlitz for the 16th year running, noting that 72% of fans rewatch at least some football commercials. AdBlitz already has several 2022 teaser ads to provide a taste of what will be the most expensive advertisement offering ever.  Quotes displayed in real-time or delayed by at least 15 minutes. Market data provided by Factset. Powered and implemented by FactSet Digital Solutions.  Legal Statement. This material may not be published, broadcast, rewritten, or redistributed. ©2023 FOX News Network, LLC. All rights reserved.", "The ad portrays Pittsburgh’s Joe Greene in the locker room interacting with a young fan who offers him an ice cold bottle of Coke. Another admired ad presented Ridley Scott’s rendition of the popular dystopian George Orwell novel “1984” in an Apple commercial introducing the Macintosh for Super Bowl XVIII in 1984.  Super Bowl I, which took place in 1967, featured the Green Bay Packers and the Kansas City Chiefs. The event aired solely on two networks: NBC and CBS. At the time, NBC charged companies $75,000 for a 60-second spot and CBS charged $85,000. For a 30-second spot, the networks pressed $42,000.  These were the prices for a 30-second commercial in recent Super Bowl history (in reverse chronological order): 2022: $6.5 million 2021: $5.5 million 2020: $5.6 million 2019: $5.3 million 2018: $5.2 million 2017: $5 million 2016: $4.5 million 2015: $4.25 million And now, a snapshot of history: 2000: $2.1 million 1995: $1.", "A star-studded lineup of Super Bowl LVII commercials is set to hit our screens on Sunday. While millions of people will be tuning into the intense NFL action between the Kansas City Chiefs and Philadelphia Eagles, a large sum will be even more excited for the iconic commercials. The cost for a 30-second commercial during this year’s Super Bowl is reaching a record-high amount, with advertisers hoping their ad makes a bang for the viewers. Ahead of the game, let’s take a look at the costs of a Super Bowl commercial in 2023 and more history about the big game day ads: In 2023, a 30-second Super Bowl commercial costs a record-high average of $7 million, according to Forbes. In 2022, a 30-second commercial slot during the Super Bowl was $6.5 million, which was an increase from the $5.5 million asked for in 2021. Here were the prices in some recent previous years:  Connecting you to your favorite North Texas sports teams as well as sports news around the globe. There's a reason commercials during the Super Bowl have to refer to the event as the \"Big Game\" rather than \"Super Bowl LVII.\" The reason is that the term has been a registered NFL trademark since 1969, requiring commercials, radio hosts and other specific media personnel to pay to use the official name."], "noise_rate": 0.4, "factlabel": 0} +{"id": 14, "query": "When is the Sports Star of the Year Awards Show 2022?", "ans": [["May 26", "May 26", "May. 26", "26 May", "26 May", "26 May."]], "label": [1], "prediction": "According to the provided document, the 87th annual Seattle Sports Star of the Year Awards Show was held on May 26, 2022.", "docs": ["(SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022.", "It was much different when I was growing up than it is now.\"When I was in college, I had an eating disorder and it took me five years to tell someone. And that's five years of my life I wish I had back.\" Player of the Year awards were announced for all 28 high school sports during the show. Here is a rundown of the night's award recipients.", "Since the introduction of the category, Sports Star of the Year has worked to acknowledge and celebrate the vast array of powerful athletes throughout women's sports. Sounders FC. Seattle Storm. UW Rowing. From the highest highs to the devastating losses, we feel each moment together as sports fans. This award celebrates the victories of our teams and the accolades of our athletes. Named for the creator of Sports Star, this award is given to one honoree each year, selected by committee as someone who has excelled in their sport and exemplifies the spirit of our state. Named after the Sports Star creator and Sports Editor of the Seattle P-I, Royal Brougham determined to create a permanent home and celebration of those legendary moments that make Washington sports what it is. About the Award Some of the most recognizable voices in Washington sports have received this award for excellence in communicating the sports stories of our state. The award pays homage to Keith Jackson, a WSU alum and beloved sports commentator. From hydroplane races to minor league baseball, Keith Jackson covered locally and as a celebrated national broadcaster for ABC Sports and ABC Radio. About the Award The recipient of this award is someone who has made an impact on the greater Seattle community through their philanthropic contributions or dedication to community. The award was given the moniker for lifelong sports fan and philanthropist, Paul G.", "The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show, where Tyler Lockett was named the 2022 Seattle Male Sports Star of the Year. Read more: https://shwks.com/xmzkct (Photos: Seattle Sports Commission/Alabastro Photography) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022.", "(SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) The Seattle Sports Commission hosted the 87th annual Seattle Sports Star of the Year Awards Show at the Westin in Seattle, Wash. on May 26, 2022. (SSC/Alan Alabastro) Here is your 2023 Seahawks roster heading into training camp."], "noise_rate": 0.4, "factlabel": 0} +{"id": 15, "query": "Who are the recipients of the 2022 Ivan Allen Jr. Prize for Social Courage?", "ans": ["Lawrence Williams", "Ralph Long Jr.", "Ford Greene", "Ronald Yancey"], "label": [1, 1, 1, 1], "prediction": "According to the provided document, the recipients of the 2022 Ivan Allen Jr. Prize for Social Courage are:\n\n1. Ford Greene, Georgia Tech's first Black student\n2. Ralph Long Jr., Georgia Tech's first Black student\n3. Lawrence Williams, Georgia Tech's first Black student\n4. Ronald Yancey, Tech's first Black graduate", "docs": ["January 21, 2022 Ford Greene, Ralph Long Jr., and Lawrence Williams, Georgia Tech’s first Black students, and Ronald Yancey, Tech’s first Black graduate, will receive the 2022 Ivan Allen Jr. Prize for Social Courage. The Ivan Allen Jr. Prize for Social Courage was established in 2010 to honor Tech alumnus and former Atlanta Mayor Ivan Allen Jr. Funded in perpetuity by a grant from the Wilbur and Hilda Glenn Family Foundation, the prize includes a $100,000 stipend for recipients. The inaugural prize was awarded in March 2011. It recognizes exemplary, courageous leaders — those who, like Mayor Allen, take on personal risks in an effort to improve the lives of others,” said Georgia Tech President Ángel Cabrera. “With great determination, Ford Greene, Ralph Long Jr., Lawrence Williams, and Ronald Yancey withstood hazards and adversity of every kind to prove to the world that Black students had the right to study at Georgia Tech, paving the way for the thousands of Black Yellow Jackets who have earned their degrees here since.” Greene, Long, and Williams, dubbed the “three pioneers” in the Harrison Square sculpture that depicts them on their first day at Tech, began classes in the fall of 1961. And, although their arrival didn’t elicit violence as it had at other southern universities, it was not easy.", "Peterson lauded Nunn for courage and commitment to his own moral compass, for standing up for his beliefs, and for enacting meaningful and sustainable solutions for making the world a better, and more peaceful place.[4] The Ivan Allen Jr. Prize for Social Courage was established in 2010 by the Georgia Institute of Technology. The international award honors individuals whose life and work embody the moral courage personified by former Atlanta Mayor Ivan Allen Jr.[14] The Prize underscores the Institute’s mission to improve the human condition by recognizing those around the globe who, like Mayor Allen, have risked everything to stand up for moral principle and have made a positive difference in the world.[15] The Prize is funded in perpetuity by a grant from the Wilbur and Hilda Glenn Family Foundation.[14] The prize's forerunner was the Ivan Allen Jr. Prize for Progress and Service, which was awarded annually from 2001–2010 by the Georgia Tech.[14] The nominating committee is responsible for assessing candidates who meet the requirements of the prize, demonstrating social courage in adverse circumstances. Each year after deliberation, the committee submits a nominee to the president of the Georgia Institute of Technology, who makes the final selection. Joseph R. Bankoff, Chair, President & CEO, Woodruff Arts Center; Susan E. Eisenhower, Chairman Emeritus, The Eisenhower Institute, United States Department of Energy, Blue Ribbon Commission on America's Nuclear Future; Dr.", "Because Greene died in 2020, members of his family joined the other prize recipients at the Biltmore for the day’s events celebrating the honorees’ place in history. “Ford has always been a change agent, a disruptor, and him being a recipient of this prestigious award solidifies his place in history that he so richly deserves,” said Frankie Hall, Greene’s wife.   The inaugural prize was awarded in March 2011 to former Senator Sam Nunn. A few other past recipients include Dr. Anthony Fauci, Jimmy and Rosalynn Carter, U.S. Rep. John Lewis, and humanitarian activist Nancy Parrish. Learn more about the prestigious Ivan Allen Prize for Social Courage here. Siobhan Rodriguez Georgia Tech Media Relations   North AvenueAtlanta, GA 30332 +1 404.894.2000 Campus Map © 2023 Georgia Institute of Technology GT LOGIN", "In 1961, three Black students began classes at Georgia Tech and made history, making the Institute the first higher education entity to peacefully integrate in the Deep South without a court order. Civil unrest was rampant throughout college campuses across the South. In recognition of their roles as trailblazers, Tech’s first Black students — Lawrence Williams, Ralph Long Jr., and the late Ford Greene, along with the first Black graduate Ronald Yancey — were awarded the 2022 Ivan Allen Jr. Prize for Social Courage on April 20 at the Biltmore Ballroom in Atlanta. A symposium was led by 2020 Ivan Allen Jr. Prize recipient Charlayne Hunter-Gault where Long Jr., Williams, and Yancey discussed the integration of the Institute, the former students’ personal experiences, and the continued struggle for racial equity and inclusion at higher education institutes across the nation. During the panel session, the three former students recounted the racism they encountered — despite a facade of peaceful integration. Although their experiences left them feeling socially and intellectually isolated from most of the student body at the time, the pioneers expressed their hope that future generations of Black students at Tech feel at home on campus. “I’m so thankful for those who continue to matriculate here and carry on the tradition,” said Williams.  A video greeting from Atlanta Mayor Andre Dickens, a Georgia Tech chemical engineering graduate himself, was presented at the celebration.", "Ford Greene, Ralph Long Jr., and Lawrence Williams, Georgia Tech’s first Black students, and Ronald Yancey, Tech’s first Black graduate, will receive the 2022 Ivan Allen Jr. Prize for Social Courage. The likenesses of the four men are permanently enshrined in campus sculptures, but now, decades after breaking the color barrier at Georgia Tech, they will join the ranks of past awardees that include Jimmy and Rosalynn Carter, John Lewis, Andrew Young, and other pathbreaking leaders. “The Ivan Allen Jr. Prize recognizes exemplary, courageous leaders — those who, like Mayor Allen, take on personal risks in an effort to improve the lives of others,” said Georgia Tech President Ángel Cabrera. “With great determination, Ford Greene, Ralph Long Jr., Lawrence Williams, and Ronald Yancey withstood hazards and adversity of every kind to prove to the world that Black students had the right to study at Georgia Tech, paving the way for the thousands of Black Yellow Jackets who have earned their degrees here since.” Greene, Long, and Williams, dubbed the “three pioneers” in the Harrison Square sculpture that depicts them on their first day at Tech, began classes in the fall of 1961. And, although their arrival didn’t elicit violence as it had at other southern universities, it was not easy."], "noise_rate": 0.4, "factlabel": 0} +{"id": 16, "query": "What is the codename for Google's AR headset project?", "ans": ["Project Iris"], "label": [1], "prediction": "According to the provided documents, the codename for Google's AR headset project is \"Project Iris\".", "docs": ["12] In January 2022, The Verge reported that Google was building an AR headset which used \"outward-facing cameras to blend computer graphics with a video feed of the real world\", internally codenamed Project Iris and being developed in a highly secretive and secure facility located in the San Francisco Bay Area. Overseen by Bavor, the headset was to be powered by the Android operating system as well as a custom system on a chip akin to Tensor, expected to launch in 2024 alongside Project Starline. Other key people named as part of the project include Shahram Izadi, Eddie Chung, Scott Huffman, Kurt Akeley, and Lucovsky.[13] An early prototype of the headset bore a close resemblance to the North Focals.[14] In March, The Information reported that Google would acquire Raxium, an AR hardware startup, for approximately $1 billion, and would continue to make further acquisitions to assist in their AR and mixed reality (MR) work.[15] The acquisition was completed a month later.[16] In May 2022, Google unveiled a different version of Iris resembling eyeglasses with live translation capabilities during the 2022 Google I/O keynote.[14][17][18] The company began publicly testing these prototypes across the U.S. in August,[19] before expanding into Canada in October.[20] According to Business Insider, Google executives' constantly changing strategy for Project Iris frustrated employees.", "3][4] In May 2019, Google VR/AR head Clay Bavor told CNET that the company was heavily invested in R&D regarding AR devices,[5] while a February 2020 report from The Information revealed that Google had no plans to develop a new pair of augmented reality (AR) smartglasses as of mid-2019, in part due to the highly publicized failure of Glass.[6] In June 2020, Google acquired North, a manufacturer of smartglasses, to assist in its hardware division's vision of ambient computing.[7] In August 2021, following the announcement that the Pixel 6 and Pixel 6 Pro smartphones would feature the custom-developed Tensor system-on-chip (SoC), Google hardware chief Rick Osterloh told Business Insider that he believed that Tensor had long-term potential for AR-powered smartglasses,[8] and was echoed by CEO Sundar Pichai in October.[9] In November, a \"Google Labs\" division led by Bavor was created to oversee Google's AR and virtual reality (VR) ventures, unrelated to the defunct service of the same name,[10] while development on an AR operating system began the next month for an unknown \"innovative AR device\", an effort spearheaded by Mark Lucovsky.[11] Meanwhile, The New York Times reported that Google was working on a \"new iteration\" of smartglasses as a result of its acquisition of North.", "Project Iris headset is the next big thing from Google with Augmented Reality (AR) to compete with; Metaverse and upcoming tech from Microsoft and Apple. Previously, the tech giant was in the plan to bring the DayDream VR headsets as well as Google Glasses. Now, the boom of Augmented Reality might have changed the direction of the company to concentrate on the AR world making them join the league after Facebook, Microsoft, and Apple. The codename of these new AR headsets is Project Iris and Google may use a similar type of outer camera technology. The outward cameras on the headsets will blend computer graphics with a feed of the real world. The headset from Google will work wirelessly and doesn’t require any tethered connection as per the reports. Moreover, Project Iris will feature the Silicon technology chipset from the last year’s announced Pixel 6 smartphone. This Augmented Reality headset from Google looks like a pair of “ski goggles” with cameras on them which doesn’t require external power. Furthermore, the specific chipset used on the headsets is the GS101 chipset; however, the graphic-intensive visuals are sourced from a different point. This means the headset requires an active internet connection; that receives the data from the data centers that remotely render graphics. Also Read: 9 Best PS5 Headsets For Amazing Gaming Experience As we have mentioned above the design of the prototype looks like the Ski Goggles; Google has revealed the team working behind the project.", "Augmented Reality, Google", "Project Iris is the codename for an unreleased augmented reality (AR) headset designed and developed by Google. Intended to resemble ordinary eyeglasses and for a 2024 release, it was canceled in early 2023. Following the highly publicized failure of Google Glass smartglasses in 2013, Google executives were initially disinclined to re-enter the field of wearable AR technology. However, by 2021, work had begun on a new AR headset, later reported to be codenamed Project Iris. After going through numerous iterations, Google unveiled a version of Iris at the 2022 Google I/O keynote before publicly testing prototype models later that year. The following year, Google was reported to have abandoned the project in the midst of company-wide layoffs and internal turmoil. Google first experimented with the prospect of smartglasses with the introduction of Google Glass in 2013.[1] The product was panned by critics due to privacy and ethical concerns,[2] leading Google to discontinue the consumer-facing model and focus on the enterprise model."], "noise_rate": 0.4, "factlabel": 0} +{"id": 17, "query": "What is the name of Meta's AI supercomputer?", "ans": [["RSC", "the AI Research SuperCluster"]], "label": [1], "prediction": "According to the document, the name of Meta's AI supercomputer is the AI Research SuperCluster (RSC).", "docs": ["That’s why comparing the two types of systems is not necessarily apples to apples, though this caveat doesn’t diminish the incredible power and capacity of AI supercomputers. Sorensen offers one extra word of caution, too. As is often the case with the “speeds and feeds” approach to assessing hardware, vaunted top speeds are not always representative. “HPC vendors typically quote performance numbers that indicate the absolute fastest their machine can run. We call that the theoretical peak performance,” says Sorensen. “However, the real measure of a good system design is one that can run fast on the jobs they are designed to do. Indeed, it is not uncommon for some HPCs to achieve less than 25 percent of their so-called peak performance when running real-world applications.” In other words: the true utility of supercomputers is to be found in the work they do, not their theoretical peak performance. For Meta, that work means building moderation systems at a time when trust in the company is at an all-time low and means creating a new computing platform — whether based on augmented reality glasses or the metaverse — that it can dominate in the face of rivals like Google, Microsoft, and Apple. An AI supercomputer offers the company raw power, but Meta still needs to find the winning strategy on its own. / Sign up for Verge Deals to get deals on products we've tested sent to your inbox daily.", "Meta Unveils AI Supercomputer for the Metaverse \t\t\t\t\tThis item in \t\t\t\t\t \t\t\t\t\t\tjapanese \t\t\t\t\t Feb 01, 2022 \t\t\t\t\t\t\t\t \t\t\t\t\t\t\t\t \t\t\t\t\t\t\t\t \t\t\t\t\t\t\t\t\t \t\t\t\t\t\t\t\t\t2 \t\t\t\t\t\t\t\t\tmin read \t\t\t\t\t\t\t\t \t\t\t\t\t\t\t by Daniel Dominguez Meta has unveiled its AI Research SuperCluster (RSC) supercomputer, aimed at accelerating AI research and helping the company build the metaverse. The RSC will help the company build new and better AI models, working across hundreds of different languages, and to develop new augmented reality tools. Developing the next generation of advanced AI will require powerful new computers capable of quintillions of operations per second. Meta’s researchers have already started using RSC to train large models in natural-language processing (NLP) and computer vision for research, with the aim of one day training models with trillions of parameters across Meta’s businesses, from content-moderation algorithms used to detect hate speech on Facebook and Instagram, to augmented-reality features that will one day be available in the metaverse. RSC can train models that use multimodal signals to determine whether an action, sound or image is harmful or benign. Meta claims this will not only help keep people safe on Meta’s services today, but also in the metaverse.", "But Meta stressed that the MTIA, which it continues to refine, “greatly” increases the company’s efficiency in terms of performance per watt when running recommendation workloads — in turn allowing Meta to run “more enhanced” and “cutting-edge” (ostensibly) AI workloads. Perhaps one day, Meta will relegate the bulk of its AI workloads to banks of MTIAs. But for now, the social network’s relying on the GPUs in its research-focused supercomputer, the Research SuperCluster (RSC). First unveiled in January 2022, the RSC — assembled in partnership with Penguin Computing, Nvidia and Pure Storage — has completed its second-phase buildout. Meta says that it now contains a total of 2,000 Nvidia DGX A100 systems sporting 16,000 Nvidia A100 GPUs. So why build an in-house supercomputer? Well, for one, there’s peer pressure. Several years ago, Microsoft made a big to-do about its AI supercomputer built in partnership with OpenAI, and more recently said that it would team up with Nvidia to build a new AI supercomputer in the Azure cloud. Elsewhere, Google’s been touting its own AI-focused supercomputer, which has 26,000 Nvidia H100 GPUs — putting it ahead of Meta’s. Meta’s supercomputer for AI research. Image Credits: Meta Meta’s supercomputer for AI research.", "By James Vincent, a senior reporter who has covered AI, robotics, and more for eight years at The Verge. Social media conglomerate Meta is the latest tech company to build an “AI supercomputer” — a high-speed computer designed specifically to train machine learning systems. The company says its new AI Research SuperCluster, or RSC, is already among the fastest machines of its type and, when complete in mid-2022, will be the world’s fastest. “Meta has developed what we believe is the world’s fastest AI supercomputer,” said Meta CEO Mark Zuckerberg in a statement. “We’re calling it RSC for AI Research SuperCluster and it’ll be complete later this year.” The news demonstrates the absolute centrality of AI research to companies like Meta. Rivals like Microsoft and Nvidia have already announced their own “AI supercomputers,” which are slightly different from what we think of as regular supercomputers. RSC will be used to train a range of systems across Meta’s businesses: from content moderation algorithms used to detect hate speech on Facebook and Instagram to augmented reality features that will one day be available in the company’s future AR hardware. And, yes, Meta says RSC will be used to design experiences for the metaverse — the company’s insistent branding for an interconnected series of virtual spaces, from offices to online arenas.", "Meta pulled the plug on a large-scale rollout of the custom chip, which was planned for 2022, and instead placed orders for billions of dollars’ worth of Nvidia GPUs that required major redesigns of several of its data centers. In an effort to turn things around, Meta made plans to start developing a more ambitious in-house chip, due out in 2025, capable of both training AI models and running them. And that was the main topic of today’s presentation. Meta calls the new chip the Meta Training and Inference Accelerator, or MTIA for short, and describes it as a part of a “family” of chips for accelerating AI training and inferencing workloads. (“Inferencing” refers to running a trained model.) The MTIA is an ASIC, a kind of chip that combines different circuits on one board, allowing it to be programmed to carry out one or many tasks in parallel. An AI chip Meta custom-designed for AI workloads. Image Credits: Meta An AI chip Meta custom-designed for AI workloads. Image Credits: Meta “To gain better levels of efficiency and performance across our important workloads, we needed a tailored solution that’s co-designed with the model, software stack and the system hardware,” Bjorlin continued. “This provides a better experience for our users across a variety of services.” Custom AI chips are increasingly the name of the game among the Big Tech players."], "noise_rate": 0.4, "factlabel": 0} +{"id": 18, "query": "When will American students start taking digital SAT exams?", "ans": ["2024"], "label": [1], "prediction": "According to the document, American students will begin taking the digital SAT in Spring 2024.", "docs": ["International students can now register to take the digital SAT in spring ... Find SAT registration fees and other changes for students taking the test ...", "So when is the SAT going digital for international students? The international SAT will go digital first in Spring 2023. To help you prepare, here’s a breakdown of the 2023-2024 SAT exam dates for International students:      But when will the SAT go digital for US students? US students will begin taking the digital SAT in Spring 2024. Here are the 2023-2024 SAT dates for US students:   *These are anticipated SAT dates and deadlines and have not yet been officially confirmed by the College Board. This article will be updated as official dates are confirmed by the College Board.    At this point, the College Board has not announced anticipated or official SAT exam dates beyond June 2023 for International students. This article will be updated as new exam dates are announced by the College Board.      For now, you still have the option to choose between the traditional and digital SAT. Here are a few things to consider before making your decision.    Still wondering, “When is the SAT going digital? Which version should I take?” There’s good news! We’ll walk you through three factors to consider before choosing an SAT date and format below.    For international students planning to take the SAT in Spring 2023 or later, there’s only one option: the new digital version.", "The SAT continues to play a vital role in a holistic admissions process. When viewed within the context of where a student lives and learns, test scores can confirm a student’s grades or demonstrate their strengths beyond what their high school grades may show. When nearly every college went test optional during the pandemic, millions of students still took the SAT. That trend has continued with the high school class of 2022. Most students want to take the SAT, find out how they did, and then decide whether they want to submit their scores to colleges. When surveyed, 83% of students said they want the option to submit test scores to colleges. This finding remains consistent whether or not students have taken the SAT and across race/ethnicity and parents’ level of education.   Read more Homeschooled students will still test at test centers as they do now, through our large network of weekend test centers.   Read more Yes, students will be provided scratch paper and can bring a pen or pencil.   Read more We will share more information this summer when test specifications are available. This will include information about: Also this summer, we will share sample questions so students can start to get an idea of how content will look different from that on the paper and pencil exam.   Read more All educator guidance resources and materials for the digital SAT Suite will be digital. Administration manuals and information will be included in Test Day Toolkit for test center staff to access.", "Elissa Nadworny The SAT, a college admissions exam long associated with paper and pencil, will soon go all-digital. Starting in 2023 for international students and in 2024 in the U.S., the new digital SAT will shrink from three hours to two, include shorter reading passages and allow students to use a calculator on the math section. Testing will still take place at a test center or at a school, but students will be able to choose between using their own devices — including a tablet or a laptop — or the schools' devices. \"The digital SAT will be easier to take, easier to give, and more relevant,\" said Priscilla Rodriguez of the College Board, the organization behind the test. \"With input from educators and students, we are adapting to ensure we continue to meet their evolving needs.\" The College Board previously scrapped plans to offer an at-home digital test because of concern about students being able to access three hours of uninterrupted internet and power. Student broadband access has been a constant struggle throughout the pandemic, especially in rural and low-income areas. The new SAT will be designed to autosave, so students won't lose work or time while they reconnect. All this comes as the relevance of the SAT and ACT, another college entrance exam, is being called into question in the college admissions process. More than 1,800 U.S.", "The PSAT/NMSQT and PSAT 8/9 are being offered digitally in fall 2023 so that students who will be taking the SAT as juniors in the spring of 2024 have an opportunity to familiarize themselves with the digital testing experience before taking the digital SAT. Learn more about when the digital SAT will launch here.   Read more SAT School Day will be administered digitally starting in the spring of 2024. Today, 60% of all students who take the SAT take it for free in their school during the school day. Independent research shows that universal school day testing leads to higher college-going rates for low-income and rural students. Some schools already administer the current version of the SAT digitally for SAT School Day. All schools will start administering the new digital SAT in spring 2024.  Going digital means that schools, districts, and states will have more flexibility for where, when, and how often they administer the SAT.   Read more The digital SAT will be shorter than the current paper and pencil test—around two hours instead of three. It will include two sections (Reading and Writing, Math) with a break in between. Further, the overall test day experience will be shorter since most preadministration activities, such as downloading the exam application and completing the student questionnaire, will happen in advance of test day. Also, testing staff won’t need to spend time handing out, collecting, or sorting test materials."], "noise_rate": 0.4, "factlabel": 0} +{"id": 19, "query": "When do the Paralympic Winter Games 2022 start?", "ans": [["March 4", "Mar 4", "Mar. 4", "4 March", "4 Mar", "4 Mar."]], "label": [1], "prediction": "According to the provided document, the 2022 Winter Paralympics begin on March 4, 2022, and will be shown on NBC, Peacock, USA Network, Olympic Channel, NBCOlympics.com, and the NBC Sports app.", "docs": ["What may be the biggest Paralympic Winter Games in history is coming our way in March 2022. Get up to speed on when they're happening, what sports are being contested and more. The 2022 Winter Paralympics begin on March 4, 2022, and will be shown on NBC, Peacock, USA Network, Olympic Channel, NBCOlympics.com and the NBC Sports app. The 2022 Paralympic Winter Games will take place from Friday, March 4 - Sunday, March 13. The 2022 Winter Paralympics will feature a maximum of 736 Paralympians across 78 medal events. In addition to having 39 medal events for men, 35 events for women and 4 mixed events, there will be a maximum of 222 slots available for women. Paralympians will compete across six different Paralympic sports at the 2022 Winter Paralympics --  Alpine Skiing, Biathlon, Cross-Country Skiing, Sled Hockey, Snowboarding and Wheelchair Curling. Five events are on the Alpine Skiing program (Downhill, Super-G, Super Combined, Giant Slalom, Slalom) across three competition categories (standing, sitting and vision-impaired). Athletes combine speed and agility while racing down slopes at speeds of around 100km/h.", "The Beijing-Zhangjiakou high-speed railway, completed in 2019, cut travel time from Beijing to Yanqing to 20 minutes, and from Beijing to Zhangjiakou to 50 minutes. The addition of seven new events - women’s monobob, freestyle skiing big air (men’s and women’s), and mixed team events in short track speed skating team relay, ski jumping, freestyle skiing aerials and snowboard cross - to Beijing 2022’s sports programme brought about the most gender-balanced Olympic Winter Games to date, with more female athletes (45.44 percent) and women's events than at any previous Games. The Olympic Winter Games Beijing 2022 took place in February 2022, coinciding with the Chinese New Year (Spring Festival), the most important holiday in China. Local residents welcomed athletes from around the globe, encouraging them to enjoy the Chinese New Year festivities, the majestic landscape and the rich cultures of Beijing, Yanqing, and Zhangjiakou. See the list of teams and medals won by each.", "General Assembly Resolutions International Olympic Committee (IOC)", "As part of a formal agreement between the International Paralympic Committee and the International Olympic Committee first established in 2001,[6] the winner of the bid for the 2022 Winter Olympics was also to host the 2022 Winter Paralympics.[7] Beijing was selected as the host city of the 2022 Winter Olympics after beating Almaty by four votes on 31 July 2015 at the 128th IOC Session in Kuala Lumpur, Malaysia.[7] The opening ceremony was held on 4 March 2022 at the Beijing National Stadium; it was directed by Zhang Yimou, with the theme \"Blossoming of Life\".[8][9] During his opening remarks, IPC president Andrew Parsons condemned the Russian invasion of Ukraine and the circumvention of the Olympic Truce by Russia, emphasising that Paralympic athletes compete with, and not \"against\", each other, and that \"the 21st century is a time for dialogue and diplomacy, not war and hate\".[9] The final torchbearer was four-time Chinese para-athletics gold medalist Li Duan, who mounted the torch at the centre of a large snowflake sculpture.[9] The closing ceremony was held on 13 March 2022.[10] The ceremony closed after nine days of competition and 78 events at the Beijing National Stadium in Beijing, China.[11]", "Photo taken with a mobile phone shows street decorations for the Beijing 2022 Olympic and Paralympic Winter Games in Beijing, capital of China, Jan. 20, 2022. With one week to go before the opening of the 2022 Olympic Winter Games, Beijing will become the first city to host both summer and winter editions of the Olympic Games. (Photo by Chu Jiayin/Xinhua via Getty Images) Xinhua News Agency via Getty Ima The 2022 Paralympic Winter Games begin on Friday, March 4 through Sunday, March 13 in Beijing, China featuring roughly 564 athletes competing across a total of 78 medal events (39 for men, 35 for women, and 4 mixed events). See below for all of the answers to your frequently asked questions surrounding the 2022 Paralympic Winter Games. RELATED: 2022 Paralympic Winter Games - Day-by-day viewing guide to the Beijing Winter Paralympics The 2022 Paralympic Winter Games begin on Friday, March 4, and end on Sunday, March 13 in Beijing, China. RELATED: Team USA medal count at 2022 Paralympic Winter Games - Full list of every medal won by the United States The Paralympics are the parallel Games to the Olympics."], "noise_rate": 0.4, "factlabel": 0} +{"id": 20, "query": "Super Bowl 2022 date", "ans": [["February 13", "Feb 13", "Feb. 13", "13 February", "13 Feb", "13 Feb."]], "label": [1], "prediction": "According to the documents, the Super Bowl 2022 date is Sunday, February 13, 2022.", "docs": ["The Super Bowl will be the first big event scheduled for SoFi Stadium, with both the College Football Playoff Championship and WrestleMania 39 scheduled to take place there in 2023. The Chargers and Rams both began playing there in 2020, though fans weren't allowed at either of their home games as a result of the COVID-19 pandemic. SoFi Stadium seats 70,240 people normally, but it can be expanded greatly for major events, including the Super Bowl, to seat up to 100,240. The stadium was originally expected to cost $2.5 billion to build, but because of the construction delays, it cost $5.5 billion, making it the most expensive stadium ever built .   The Rams will be the favorites for Super Bowl 56. They are technically the visitors at their home stadium — SoFi Stadium — but bookmakers evidently expect their defensive line to get pressure on Joe Burrow, who was the most sacked quarterback in the NFL during the 2021 NFL season. The NFL had previously announced that State Farm Stadium in Glendale, Ari. — home of the Cardinals — would host the 2023 Super Bowl and the Caesar's Superdome — home of the Saints — would host the 2025 Super Bowl, but the league hadn't confirmed a host city for the 2024 event. Why?", "This was the first Super Bowl to be played on the second Sunday in February, following the adoption of a 17-game schedule in 2021. From the 2003 to 2020 seasons, all Super Bowls were played on the first Sunday in February.[96] This was the second warmest Super Bowl on record with a kickoff temperature of 82 °F (28 °C), behind Super Bowl VII.[97] The Rams became the first NFL team to have their home stadium host both a conference championship game and the Super Bowl in the same season.[98] However, the Rams were the designated visiting team as the home team alternates between the two conferences annually. Nevertheless, they still used their home locker room. The Bengals used the home locker room of the Los Angeles Chargers, who share the stadium with the Rams.[99] This was the Rams' second Super Bowl in their home market, along with 1979's Super Bowl XIV, which was played at the Rose Bowl in Pasadena, California.[100] As the designated home team, the Bengals chose to wear their home black jerseys with white pants. The Rams selected newly unveiled alternate white jerseys with yellow pants.[101] The Bengals were the third team to make the Super Bowl after having the league's worst record two years earlier, following the 1981 San Francisco 49ers and the 2003 Carolina Panthers.[58]", "What is the date and location of the 2022 Super Bowl, who will broadcast the game, what is the halftime show, and who are favorites to win? What is the location and date for the Super Bowl in 2022? After Super Bowl LV was held in Tampa Bay, where will the NFL’s flagship event be played in 2022, where will it be broadcast, who is performing the halftime show, and which teams are the favorite to square off? For years, the Super Bowl commences on the first Sunday in February. Yet, because money speaks louder than Stephen A. Smith with a microphone, the NFL expanded their season to 17 games. This pushes the league’s premier product to February 13, the latest in the game’s history. SoFi Stadium gets the nod to host the Super Bowl in 2022. SoFi sits in Inglewood, California, with a capacity of 70,000. However, it’s expandable to slightly over 100,000 for large events, such as a Super Bowl. It was supposed to host Super Bowl LV, but construction delays derailed that plan. Although Los Angeles originally won one of the bids from the cluster made available of LIII, LIV, and LV, they couldn’t host in 2021. The three Super Bowl hosts were chosen from a four-candidate pool. However, with the delay, all four locations got a spot.", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII.", "MORE SUPER BOWL: Halftime show | Ticket prices | Commercials The Super Bowl will take place on Sunday, Feb. 13, 2022. It marks the first time since 2003 that the Super Bowl has not been held on the first Sunday in February. Because of the NFL's expanded, 17-game, 18-week schedule, it will be held on the second Sunday in February. This is the latest that a Super Bowl has ever been held. Super Bowls 44, 50 and 55 all were held on Feb. 7, which was previously the record for the latest Super Bowl. Under the NFL's new format, the latest date on which a Super Bowl can occur is Feb. 14. NBC is set to broadcast the Super Bowl. Al Michael, Cris Collinsworth and the rest of the \"Sunday Night Football\" crew will presumably broadcast the event. NBC's last Super Bowl broadcast came in 2019, when Tom Brady's Patriots beat Jared Goff's Rams 13-3. SoFi Stadium — the home of the Rams and the Chargers — will host the Super Bowl in 2022. Originally, the new stadium, which opened in 2020, was scheduled to host the Super Bowl in 2021. However, weather-related construction delays caused the league to move the 2021 Super Bowl to Raymond James Stadium in Tampa Bay, Fla. and the 2022 Super Bowl to Los Angeles."], "noise_rate": 0.4, "factlabel": 0} +{"id": 21, "query": "Who won the 2022 Nobel Prize for chemistry?", "ans": ["Carolyn R. Bertozzi", "Morten Meldal", "K. Barry Sharpless"], "label": [1, 1, 1], "prediction": "According to the provided documents, the winners of the 2022 Nobel Prize in Chemistry are Carolyn R. Bertozzi, Morten Meldal, and K. Barry Sharpless for the development of click chemistry and bioorthogonal chemistry.", "docs": ["Bioorthogonal reactions are used widely to investigate vital processes in cells, and those applications have had an enormous impact on the fields of biology and biochemistry. Researchers can probe how biomolecules interact within cells, and they can image living cells without disturbing them. In studies of disease, bioorthogonal reactions are useful for studying not just the cells of patients but also those of pathogens: The proteins in bacteria can be labeled to follow their movements through the body. Researchers are also starting to develop engineered antibodies that can click onto their tumor targets to deliver cancer-killing therapeutics more precisely. “These very important accomplishments and these really fantastic discoveries from our three laureates have really made an enormous impact on chemistry and on science in general,” Ramström said. “For that, it’s really been to the greatest benefit of humankind.” Who won the Nobel Prize in Chemistry in recent years? Last year, Benjamin List and David MacMillan won the prize for their development of asymmetrical organocatalysis. In 2020, Emmanuelle Charpentier and Jennifer Doudna were recognized for their development of CRISPR/Cas9 genetic editing. John Goodenough, M. Stanley Whittingham and Akira Yoshino shared the 2019 prize for developing lithium-ion batteries, “the hidden workhorses of the mobile era.” The 2018 prize went to Frances H. Arnold, George P. Smith and Gregory P.", "Sharpless awarded his second Nobel Prize in Chemistry–one of only two chemists to ever receive such an honor. Sharpless awarded his second Nobel Prize in Chemistry–one of only two chemists to ever receive such an honor. October 05, 2022 LA JOLLA, CA—Scripps Research professor K. Barry Sharpless, PhD, has been awarded the 2022 Nobel Prize in Chemistry for his groundbreaking research in developing “click chemistry,” an ingenious method for building molecules. Sharpless, the W.M. Keck Professor of Chemistry, shares the prize with Carolyn R. Bertozzi, PhD, of Stanford University and Morten Meldal, PhD, of the University of Copenhagen for the development of click chemistry and bioorthogonal chemistry, according to the Nobel Prize committee. Sharpless previously shared the 2001 Nobel Prize in Chemistry for his work on chirally catalyzed oxidation reactions, making him the second scientist ever to win two Nobel Prizes in Chemistry. Frederick Sanger won the Nobel Prize in Chemistry in 1958 and 1980. “Barry Sharpless has had a tremendous impact on chemistry, first with his development of asymmetric synthesis and now with his elegant ‘click chemistry,’” says Peter Schultz, PhD, President and CEO of Scripps Research. “His work opened whole new scientific frontiers that have had a major impact on the fields of chemistry, biology and medicine.", "The Nobel Prize in Chemistry 2022 was awarded to Carolyn R. Bertozzi, Morten Meldal and K. Barry Sharpless “for the development of click chemistry and ...", "Advertisement Supported by Carolyn R. Bertozzi, Morten Meldal and K. Barry Sharpless were honored for their advances in “click chemistry,” which has played a role in treating and diagnosing illnesses. By Cora Engelbrecht, Euan Ward and Oliver Whang The 2022 Nobel Prize in Chemistry has been awarded to three scientists whose work harnessed the power of molecular interaction and introduced new, unobtrusive ways of studying the natural world. Carolyn R. Bertozzi of Stanford University, Morten Meldal of the University of Copenhagen and K. Barry Sharpless of Scripps Research will share the prize, which honors the scientists’ independent research that resulted in the development of what is known as click chemistry and bio-orthogonal chemistry. The three researchers will also split a prize of 10 million Swedish kronor, around $900,000. Their works have “led to a revolution in how chemists think about linking molecules together,” said Johan Aqvist, the chair of the Nobel Committee for Chemistry. In winning the award on Wednesday, Dr. Sharpless became only the fifth person to win two Nobels, having received the chemistry prize in 2001 for his work on chirally catalyzed oxidation reactions. The other two-time winners were Marie Curie, John Bardeen, Linus Pauling and Frederick Sanger. Dr.", "A 1986 DNA model used by Aziz Sancar, who was awarded the 2015 Nobel Prize in Chemistry. © Nobel Media. Photo: Alexander Mahmoud “The said interest shall be divided into five equal parts, which shall be apportioned as follows: /- – -/ one part to the person who shall have made the most important chemical discovery or improvement…”  (Excerpt from the will of Alfred Nobel.) Chemistry was the most important science for Alfred Nobel’s own work. The development of his inventions as well as the industrial processes he employed were based upon chemical knowledge. Chemistry was the second prize area that Nobel mentioned in his will. The Nobel Prize in Chemistry is awarded by the Royal Swedish Academy of Sciences, Stockholm, Sweden. See all chemistry laureates or learn about the nomination process. More facts and figures © Johan Jarnestad/The Royal Swedish Academy of Sciences Ill. Niklas Elmehed © Nobel Prize Outreach The Nobel Prize medal. © Nobel Prize Outreach. Photo: Clément Morin. See the full list of prizes and laureates Model depicting a molecule that chemistry laureate Akira Suzuki successfully created by artificial means. Photo: Nobel Prize Museum The Nobel Prize in Chemistry: The development of modern chemistry Nobel Prizes in organic chemistry 1901-2010 The role of science and technology in future design"], "noise_rate": 0.4, "factlabel": 0} +{"id": 22, "query": "Who won the Super Bowl 2022?", "ans": ["Los Angeles Rams"], "label": [1], "prediction": "According to the provided document, the Los Angeles Rams won Super Bowl LVI (2022) by defeating the Cincinnati Bengals 23-20.", "docs": ["Super Bowl winners are not only named the champions of NFL, they also go on to receive millions of dollars in contracts and become the biggest celebrities in America after their victories. The Super Bowl is an annual American football games which determines the champion of the NFL. The game involves the winning team from the American Football Conference championship game facing the winning team from the National Football Conference championship game. Since 1967 when the merger agreement took place between the NFC and AFC, teams have been competing to receive the Vince Lombardi Trophy, named after the great coach of the Green Bay Packers. It was this team that won the first two Super Bowls, raising questions over whether the AFC was good enough to compete in the event. Originally the NFL and AFL, the two leagues combined into one league in 1970 and instead split into two conferences, with 3 NFL teams converting over to the AFC to equal 13 teams on each side. The term Super Bowl was created by Kansas City Chief Owner Lamar Hunt after seeing his daughter play with a toy called the Super Ball. Only supposed to be a nickname until an official name was released, the term Super Bowl has stuck with the game ever since. Since the first game in 1967, the AFC has managed to win 11 Super Bowls with the NFC blitzing in with 23 Super Bowl championships. New Orleans and Miami seem to be the favourite places to host the Super Bowl as they have both hosted the game 9 times.", "Six of the Super Bowl-record seven sacks Burrow took came in the second half, enabling the Rams to rally from a seven-point deficit for a 23-20 victory to capture the franchise’s second Super Bowl title. Read more below: GO FURTHER Bengals’ need to improve Joe Burrow’s protection more glaring than ever in Super Bowl loss Advertisement February 14, 2022 at 10:01 AM EST The NFL season ended Sunday night with the Los Angeles Rams defeating the Cincinnati Bengals, 23-20, in Super Bowl LVI. What stood out from the Rams’ victory? And where do the Bengals go from here? Let’s take a look. Numbers are courtesy of TruMedia and Pro Football Focus unless otherwise noted. Read more below. GO FURTHER The Bengals can’t do that to Joe Burrow again — ever. Super Bowl LVI takeaways February 14, 2022 at 8:48 AM EST If Matthew Stafford was finally going to get his Super Bowl ring, it really had to happen like this: a hobbled Stafford, trailing in the fourth quarter, needing a late drive to win the whole thing. How many times did Detroit fans see that same script over the years? The first time the Lions saw that magic came in Stafford’s eighth NFL start, against the Browns, when he was just 21 years old.", "The Lombardi is staying in L.A. 🏆For the first time since 2000, the Rams are #SuperBowl Champions. pic.twitter.com/lbTt1l5gDi February 9, 2022 at 12:15 PM EST The Los Angeles Rams are Super Bowl LVI champions after a 23-20 win over the Cincinnati Bengals on Sunday at SoFi Stadium. Rams receiver Cooper Kupp was named Super Bowl MVP with eight catches for 92 yards and two touchdowns, including the game-winning 1-yard score with 1:29 remaining. This live blog from The Athletic follows game updates, coverage and everything else surrounding Sunday's event in Inglewood, Calif., including the Super Bowl halftime show. Catch up on this week's Super Bowl-related news and the 2022 NFL Honors, too. The Athletic also ranks the best and worst 2022 Super Bowl commercials. Want a free subscription to The Athletic? Sign up for BetMGM, bet $10 and win $200 in free bets plus a free year-long subscription (or renewal). Rams 23, Bengals 20 -- FINAL (Photo: Rob Carr / Getty Images) February 14, 2022 at 8:41 PM EST LOS ANGELES — When Johnny Hekker took the stage, the crowd knew it was on.", "Super Bowl VI-Dallas 24, Miami 3-Cowboys QB Roger Staubach threw for 119 yards and two touchdowns, and once again LB Chuck Howley led Dallas' defense with a fumble recovery and an interception. It was the first time a team held a Super Bowl opponent to zero touchdowns. Super Bowl VII-Miami 14, Washington 7-The Dolphins capped a perfect 17-0 season by playing a stellar defensive game, allowing the Redskins to cross the 50-yard line just once. In fact, Washington's only score came on special teams when Mike Bass returned a misplayed field goal for a touchdown. Jake Scott had two interceptions for the Dolphins, including one in the end zone. Super Bowl VIII-Miami 24, Minnesota 7-Dolphins RB Larry Csonka cemented his place in NFL history by rushing 33 times for 145 yards and two touchdowns. Miami also had a stellar defensive game for the second straight year, only allowing a late TD run by Vikings QB Fran Tarkenton when the game was out of reach. Super Bowl IX-Pittsburgh 16, Minnesota 6-The Steelers gained 333 yards on the ground, including RB Franco Harris' 158 yards and a touchdown. Pittsburgh's defense stymied the Vikings' offense, allowing only a blocked punt recovery in the end zone for Minnesota's only score.", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII."], "noise_rate": 0.4, "factlabel": 0} +{"id": 23, "query": "Who won women's 500m speed skating at the 2022 Winter Olympics?", "ans": ["Erin Jackson"], "label": [1], "prediction": "According to the provided document, Erin Jackson of the United States won the women's 500m speed skating at the 2022 Winter Olympics, becoming the first black female to win an Olympic speed skating title.", "docs": ["The U.S. speedster makes history as the first black female speedskater to win a gold medal at the Winter Olympics. She beat Japan’s Takagi Miho into second place with Angelina Golikova of the ROC taking bronze.\r The United States’ Erin Jackson stormed to the women’s 500m gold and into the history books in Beijing 2022 becoming the first black female to win an Olympic speed skating title on Sunday (13 February). The 29-year-old Jackson was the second last pair to chase down the leading time set by Japan’s Takagi Miho. She powered her way to victory in a time of 37.04 seconds, relegating Takagi into second place (37.12). The ROC’s Angelina Golikova had to be content with bronze with a time of 37.21s. \"I wish I could describe how I feel. It is amazing. This medal means so much. It has been a tough couple of years and a tough beginning for this year,” Jackson said. “For this to come around like this I am so happy. It wasn't the perfect race, I had a couple of miss-steps on the back straight, but I could pull it together. Just a couple of miss-steps, that's all.\" Jackson also became the first U.S.", "Takagi is the second Japanese athlete to earn a medal in the women's 500m since 1998.  Speed skating returns on Tuesday with the men's and women's team pursuit semifinal and final rounds.  See the full speed skating schedule here. FULL RESULTS REPLAY Note: Some components of NBCOlympics.com may not be optimized for users browsing with Internet Explorer 11, 10 or older browsers or systems. © 2022 NBC Universal. All rights reserved. Any use, reproduction, modification, distribution, display or performance of this material without NBC Universal’s prior written consent is prohibited. Use of the Website signifies your agreement to the Terms of Use and Privacy Policy. ©IOC 2022 Official Results powered by Atos. Timing and results management by Omega.", "She nearly missed out on competing after slipping during U.S. Trials. Her teammate and longtime friend Brittany Bowe won the distance at Olympic Trials and gave up her spot for Jackson to qualify. Bowe's primary distances are the 1000m and 1500m, and she felt Jackson was the team's best chance to win gold. The U.S. gained another qualifying spot since Olympic Trials, and Bowe finished 16th with a time of 38.04 on Sunday.  The third American in the event was Kimi Goetz from Flemington, New Jersey. She skated a 38.25 time for 18th place in her Olympic debut.  Nao Kodaira, the 2018 gold medalist, wound up 17th after a time of 38.09. Jackson and Takagi's final 400m times were identical at 26.71 seconds. The American got off the line quicker with powerful strides that made the difference. She finished 0.08 seconds off the Olympic record time set by Kodaira in 2018.  \"It wasn't the perfect race, I had a couple of missteps on the back straight, but I could pull it together,\" Jackson said. \"Just a couple of missteps, that's all.\" Golikova was the only skater that came within 0.15 seconds of Takagi until the 14th pairing.", "The women's 500 m competition in speed skating at the 2022 Winter Olympics was held on 13 February, at the National Speed Skating Oval (\"Ice Ribbon\") in Beijing.[1] Erin Jackson of the United States became the Olympic champion, winning her first Olympic medal. She was also the first female Black athlete to medal in speed skating.[2] Miho Takagi of Japan won the silver medal, and Angelina Golikova, representing the Russian Olympic committee, won bronze, also her first Olympic medal. The defending champion and the Olympic record holder was Nao Kodaira. The 2018 silver medalist, Lee Sang-hwa, retired from competitions. She was still the world record holder during the Olympics. The bronze medalist, Karolína Erbanová, retired as well. Golikova was the 2021 World Single Distances champion at the 500 m distance. Femke Kok and Olga Fatkulina were the silver and bronze medalist, respectively. Erin Jackson was leading the 2021–22 ISU Speed Skating World Cup at the 500 m distance with eight events completed before the Olympics, followed by Golikova and Kodaira. Golikova skated the season best time, 36.66 in Calgary on 11 December 2021.[3] Takagi in pair 4 became the early leader with 37.12.", "Speed skater Erin Jackson of the United States captured her first career Olympic gold medal in the women's 500m on Sunday.  The 29-year-old from Ocala, Florida, skated a 37.04 time in the 14th pairing to edge Japan's Miho Takagi, who skated a 37.12 in the fourth pairing. Takagi finished in second. Angelina Golikova of the ROC ended third for the bronze.  Jackson, a former inline skating MVP, won the first gold medal in the women's 500m by an American since Bonnie Blair in 1994.  \"I wish I could describe how I feel, it is amazing,\" Jackson told the media after the race. \"This medal means so much. It has been a tough couple of years and a tough beginning for this year. For this to come around like this, I am so happy.\" She started her speed skating career less than six months before Olympic Trials in 2018. She made the team and finished 24th in her Winter Olympic debut. She has since become a force in the sprint distance and is the World Cup standings leader this season.  Jackson's win marked the first podium finish at the 2022 Winter Olympics and individual medal since 2010 for U.S. speed skating. She also became the first black woman to win a speed skating gold medal at the Olympics."], "noise_rate": 0.4, "factlabel": 0} +{"id": 24, "query": "When was Lost Ark game release on Steam?", "ans": [["February 11", "Feb 11", "Feb. 11", "February 11", "11 February", "11 Feb", "11 Feb.", "11 February"]], "label": [1], "prediction": "According to the document, Lost Ark was fully released on Steam on February 11, 2022.", "docs": ["Lost Ark on Steam Title: Lost Ark ; Genre: Action, Adventure, Massively Multiplayer, RPG, Free to Play. Developer: Smilegate RPG. Publisher: Amazon Games ; Release Date: Feb 11", "Lost Ark was fully released in South Korea on December 4, 2019, and in North American, South American, and European regions on February 11, 2022, with Amazon Games serving as the global publisher.[16] Users that pre-purchased one of four founder's packs could play 3 days early on February 8, 2022.[17][18][19][20] The game was initially unavailable in Belgium and the Netherlands due to the countries' stringent loot box regulations,[21] with the latter later reversing its decision.[22] Within twenty-four hours of its release, Lost Ark became the second most played game on Steam.[23][24] In 2021, there were plans between Smilegate and game publisher HappyTuk [zh] to launch Lost Ark in Taiwan.[25] It was announced in 2023 that the release of Taiwanese servers has been delayed but not canceled.[26] Lost Ark received \"generally favorable\" reviews according to review aggregator Metacritic.[27] PC Magazine praised Lost Ark's combat, writing, \"Abilities look good, sound sufficiently powerful, and feel great to use. You can’t help but feel like a combat god when you divekick a crowd, and blast fodder monsters into bloody chunks.", "Lost Ark was originally released in 2019 in South Korea, and has millions of active players in South Korea, Russia, and Japan. It’s free-to-play and has also quickly risen to the top of Twitch, overtaking the popular Just Chatting category. / Sign up for Verge Deals to get deals on products we've tested sent to your inbox daily. The Verge is a vox media network © 2023 Vox Media, LLC.", "Lost Ark is set to be publically released via Steam as a free-to-play title on February 11th. You can pre-load the game via that platform starting right now (its download size checks in at about 70 GB), but unless you’re willing to buy a Founder’s Pack between now and then, you will need to wait for the title to be fully unlocked before you’ll be able to launch it.", "In an effort to help relieve server stress, Smilegate offered players extra Founders Pack items to encourage players to swap to quieter servers. In our Lost Ark review in progress, we said, \"Lost Ark takes a genuinely impressive stab at the isometric action RPG genre, and its integration into a perpetually online world hasn’t seemed too invasive from what I’ve seen so far. It’s expansive and deep, capable of scratching the itch for a new Diablo-like action RPG that is potentially filled with other players to meet and team up with. The excellent and flexible combat system channels the best of its ARPG forebears, but it can start to wear out after you’ve slaughtered your way through enough lower-tier enemies.\" Lost Ark was first released in South Korea in 2019 and later in Japan and Russia, and now North American and European players can jump into Lost Ark's action, which includes 15 playable characters, a full campaign, and co-op PvE combat. Have a tip for us? Want to discuss a possible story? Please send an email to newstips@ign.com. Adam Bankhurst is a news writer for IGN. You can follow him on Twitter @AdamBankhurst and on Twitch."], "noise_rate": 0.4, "factlabel": 0} +{"id": 25, "query": "What medals did Jessie Diggins win in the Beijing 2022 Olympic Games?", "ans": [["silver", "Silver"], ["bronze", "Bronze"]], "label": [1, 1], "prediction": "According to the provided documents, Jessie Diggins won the following medals in the Beijing 2022 Olympic Games:\n\n1. Bronze medal in the women's individual cross-country sprint\n2. Silver medal in the 30-kilometer freestyle race\n\nNote: The documents do not mention a gold medal won by Jessie Diggins in the Beijing 2022 Olympic Games, but rather mention a gold medal won by her in the 2018 women's team sprint event.", "docs": ["00 for his first two runs, White attempted to snag a podium spot with a more-difficult third run. However, he could not land the second of a pair of back-to-back cab double cork 1440s, which left him with a fourth-place finish. Nonetheless, tears streamed down White's face at the end of his final run, illustrating what the sport has meant to him over the years. Lindsey Jacobellis and Nick Baumgartner celebrate their gold medals in the mixed snowboard cross event during the Olympic Winter Games Beijing 2022 on Feb. 12, 2022 in Zhangjiakou, China.   February 12, 2022: The Beijing Olympics hosted the debut of a few new events, including the first-ever mixed snowboard cross race. Two days after securing her first-ever gold medal, Lindsey Jacobellis returned to the top spot on the podium with Nick Baumgartner, as the duo took home the inaugural gold medal in the brand-new event. The pair finished first in their heat and second in the semifinals to earn a spot in the medal finals. In the final race, they edged out Italy's Omar Visintin and Michela Moioli for the gold. Erin Jackson celebrates after competing in the women's 500-meters during the Olympic Winter Games Beijing 2022 on Feb. 13, 2022 in Beijing.", "the Games, Roque tallied a goal and two assists while finishing +4 for the tournament. The U.S. earned the silver medal after falling to Canada in the gold-medal match by a score of 3-2. Last November, Roque wrote an athlete blog about what it means to be Native American and the significance of National Native American Heritage Month. Jessie Diggins celebrates after capturing the women's individual cross-country sprint bronze medal during the Olympic Winter Games Beijing 2022 on Feb. 8, 2022 in Zhangjiakou, China.   February 20, 2022: Four years after helping secure the first U.S. gold in cross-country skiing, Diggins tallied two medals in 2022, making her the most decorated U.S cross-country skier of all time. She secured a bronze medal on February 8, 2022, becoming the first-ever U.S. woman to medal in the women's individual cross-country sprint. On the final day of competition, the Minnesota native took home a silver medal in the 30-kilometer freestyle race. © 2023 United States Olympic & Paralympic Committee. All Rights Reserved.", "He backed that up with a spectacular free skate routine which included four quads and placed first by a margin of 22.55 points. Chloe Kim celebrates after winning her second halfpipe gold medal in as many games during the Olympic Winter Games Beijing 2022 on Feb. 10, 2022 in Zhangjiakou, China.   February 10, 2022: Chloe Kim burst on to the Olympic scene when she captured the snowboard halfpipe gold medal in her Olympic debut in Pyeongchang, becoming the youngest ever woman to do so. Then, four years later, she added another historic milestone to her already illustrious career. Kim scored a 94.00 during the first run of the halfpipe final, enough for her second gold in as many games. In doing so, the California native became the first woman to win two Olympic golds in women's halfpipe. Shaun White celebrates his final Olympic halfpipe run during the Olympic Winter Games Beijing 2022 on Feb. 11, 2022 in Zhangjiakou, China.   February 11, 2022: After an extraordinary career and becoming one of snowboarding's all-time icons, five-time Olympian and three-time Olympic gold medalist Shaun White slid down the halfpipe for the final time in Olympic competition. After posting solid scores of 72.00 and 85.", "BEIJING — Jessie Diggins brought home the United States’ 25th and final medal of the 2022 Olympic Games, winning silver in the grueling 30km mass start cross-country race while fighting off both exhaustion and the after-effects of food poisoning. \"That might have been the best race of my entire life, I'm not going to lie,” she said after collapsing at the finish. “It was also maybe the hardest race of my whole life.\" The final event in the Games’ Zhangjiakou mountain cluster, the race went off under relatively balmy 14-degree temperatures and the kind of slate-blue skies that have characterized much of these Games. Sporting the stars and stripes on her hat, arms and legs, Diggins ground her way through the event with no one nearby either ahead or behind; for much of the race, she was at least a minute behind gold medal winner Therese Johaug of Norway, and she was at least a minute ahead of the rest of the pack. Diggins, whose surprise gold in the team sprint in PyeongChang vaulted her to national prominence, was a busy woman at these Games. She competed in all six cross country events, placing top 8 in all of them — the only woman to pull off that feat — and in addition to her silver, also won a bronze in the sprint. The hilly 7.", "VTDigger \t\t\t\t\tNews in pursuit of truth\t\t\t\t Stratton-trained Jessie Diggins powered through food poisoning Sunday to win her second medal at the 2022 Beijing Winter Games. The 30-year-old cross-country skier, who snagged bronze in the individual sprint Feb. 8, took silver in the 30-kilometer freestyle race. “It’s really emotional,” she told NBC. “That was one of the hardest things I’ve ever done in my whole life, especially because I had food poisoning 30 hours ago, which is why I thought I was going to die at the finish line. My legs were cramping the whole last 17 kilometers. I don’t know how I made it.” With her victory, Diggins, who won gold in the 2018 women’s team sprint, now owns an Olympic medal in every color. “It’s been an emotional roller-coaster, but I am so happy we made it to the end,” Diggins told reporters. “To have a medal in the sprint and the 30K are the ultimate bookends for me. I have been trying to be a good all-round athlete my whole life, so this has been really cool.” Diggins finished the final cross-country race of the Beijing Olympics in 1 hour 26 minutes 37 seconds, less than two minutes behind Therese Johaug of Norway and 50 seconds ahead of third-place finisher Kerttu Niskanen of Finland."], "noise_rate": 0.4, "factlabel": 0} +{"id": 26, "query": "What is the genre of The Endgame (TV show)?", "ans": ["crime"], "label": [1], "prediction": "According to the documents, the genre of The Endgame (TV show) is a \"crime drama thriller\".", "docs": ["Did you expect 'Avengers: Endgame' to get so dark? Welcome to The Witching Hour! Collider’s horror podcast, co-created and co-hosted by Editor and Horror Lead Haleigh Foutch and Senior Editorial Producer Perri Nemiroff. On this week's episode, we dig into the exciting lineup for the Overlook Film Festival before serving up a review for Netflix's latest horror series Chambers and why it doesn't quite hit the mark. After that, we break down which of Netflix's horror series have made the best use of the streaming and bingeing model, as well as the value's of week-to-week sensations like Game of Thrones, and Haleigh gives her thoughts on the first two episodes of The 100 Season 6. Finally, we dive into the genre elements of Avengers: Endgame, and break down the enormous ambition of the storytelling in Marvel's record-smashing epic. Listen to the latest episode of The Collider Podcast below and click here to find us on iTunes. To stay up to date on all things Witching Hour, you can also follow us on Twitter at @HaleighFoutch and @PNemiroff or on Instagram at @HaystackMcGroovy and @pnemiroff, and keep up with the #ColliderWitchingHour hashtag.", "The Endgame is an American crime drama thriller television series that premiered on NBC on February 21, 2022. The series is created by Nicholas Wootton and Jake Coburn.[1][2] In May 2022, the series was canceled after one season.[3] In this heist drama, criminal mastermind Elena Federova squares off against principled FBI agent Val Turner.[4] On April 21, 2021, The Untitled Nick Wootton/Jake Coburn Project was given a pilot order by NBC. It was created by Nicholas Wootton and Jake Coburn who were expected to executive produce alongside Julie Plec and Emily Cummins. Wootton also wrote the pilot.[5] On September 21, 2021, NBC ordered The Endgame to series. Justin Lin and Andrew Schneider were added as executive producers. Lin also directed the pilot. Universal Television, Nicholas Wootton Productions, Jake Coburn Productions, Inc., My So-Called Company, and Perfect Storm Entertainment are the production companies involved with producing the series.[1] Upon the series order, Morena Baccarin, Ryan Michelle Bathé, Kamal Angelo Bolden, Costa Ronin, Noah Bean, Jordan Johnson-Hinds, and Mark D. Espinoza were cast in starring roles.[6] On November 18, 2021, Karl Josef Co and Massiel Mordan were added to the cast.", "It’s a violent and disturbing series, made all the more so by the fact that James Purefoy makes it very believable that someone like Carroll would command such devout and dangerous loyalty from those who essentially worship him. The Fall is yet another series that focuses its story on a battle of wits between law enforcement and a serial killer. What’s more, it also features a powerful cast, led by Gillian Anderson in one of her best roles. As compelling as Anderson is, she is matched by Jamie Dornan as the serial killer, who exudes his familiar charm and charisma. While there are moments when the series can lose its momentum, there’s no question that it is a provocative exploration of the criminal psyche. It’s hard to think of a more famous fictional serial killer than Hannibal Lecter, who has appeared in multiple forms, including books, movies, and, of course, the TV series that bears his name. There are many things that set Hannibal apart from almost every other series on network TV, but most notable are its stylized violence and the undeniable chemistry between Hannibal and Will Graham. Though supposedly enemies, the two have a bond that forms the emotional core of the series. Like other great serial crime dramas, one of the most appealing things about The Endgame is the light that it sheds on the workings of the FBI. Those who enjoy that particular aspect of the series will also find much to like about Quantico.", "Avengers: Endgame is a 2019 American superhero film based on the Marvel Comics superhero team the Avengers. Produced by Marvel Studios and distributed by Walt Disney Studios Motion Pictures, it is the direct sequel to Avengers: Infinity War (2018) and the 22nd film in the Marvel Cinematic Universe (MCU). Directed by Anthony and Joe Russo and written by Christopher Markus and Stephen McFeely, the film features an ensemble cast including Robert Downey Jr., Chris Evans, Mark Ruffalo, Chris Hemsworth, Scarlett Johansson, Jeremy Renner, Don Cheadle, Paul Rudd, Brie Larson, Karen Gillan, Danai Gurira, Benedict Wong, Jon Favreau, Bradley Cooper, Gwyneth Paltrow, and Josh Brolin. In the film, the surviving members of the Avengers and their allies attempt to reverse Thanos's actions in Infinity War. The film was announced in October 2014 as Avengers: Infinity War – Part 2, but Marvel later removed this title. The Russo brothers joined as directors in April 2015, with Markus and McFeely signing on to write the script a month later. The film serves as a conclusion to the story of the MCU up to that point, ending the story arcs for several main characters. The plot revisits several moments from earlier films, bringing back actors and settings from throughout the franchise.", "In May 2022, the series was canceled after one season. The Endgame. Genre. Crime drama · Thriller."], "noise_rate": 0.4, "factlabel": 0} +{"id": 27, "query": "When did Russia invade Ukraine?", "ans": [["February 24", "Feb 24", "Feb. 24", "24 February", "24 Feb", "24 Feb."]], "label": [1], "prediction": "According to the provided documents, Russia invaded Ukraine on 24 February 2022.", "docs": ["[41] In July 2021, Putin published an essay titled \"On the Historical Unity of Russians and Ukrainians\", stating that Russians and Ukrainians are \"one people\".[42] In the build-up to the invasion, Putin claimed that Ukraine was created by the Russian Bolsheviks and that it \"never had a tradition of genuine statehood\".[43] American historian Timothy Snyder described Putin's ideas as imperialism.[44] British journalist Edward Lucas described it as historical revisionism.[45] Other observers note that the Russian leadership holds a distorted view of modern Ukraine, as well as its history[46][47][48] and these distortions have been cemented and propagated through the state policy.[49] In March and April 2021, Russia began a major military build-up near the Russo-Ukrainian border. A second build-up followed from October 2021 to February 2022, in both Russia and Belarus.[50][51] Members of the Russian government repeatedly denied having plans to invade or attack Ukraine;[52][53] including government spokesman Dmitry Peskov on 28 November 2021, Deputy Foreign Minister Sergei Ryabkov on 19 January 2022,[54] Russian ambassador to the US Anatoly Antonov on 20 February 2022,[52] and Russian ambassador to the Czech Republic Alexander Zmeevsky on 23 February 2022.[55][56]", "Northeastern Ukraine campaign Eastern Ukraine campaign Southern Ukraine campaign 2023 Ukrainian counteroffensive Other regions Naval operations Spillover and cross-border incidents Resistance Related Attacks on civilians On 24 February 2022, Russia invaded Ukraine in an escalation of the Russo-Ukrainian War which began in 2014. The invasion has killed tens of thousands on both sides. Russian forces have been responsible for mass civilian casualties and for torturing captured Ukrainian soldiers. By June 2022, about 8 million Ukrainians had been internally displaced. More than 8.2 million had fled the country by May 2023, becoming Europe's largest refugee crisis since World War II. Extensive environmental damage, widely described as ecocide, contributed to food crises worldwide. Prior to the invasion, Russian troops concentrated near Ukraine's borders, as Russian officials denied plans to attack. Vladimir Putin announced a \"special military operation\" to support the breakaway republics of Donetsk and Luhansk, whose military forces were fighting Ukraine in the Donbas conflict, claiming the goal was to \"demilitarise\" and \"denazify\" Ukraine. Putin espoused irredentist views, challenged Ukraine's right to exist, and falsely claimed that Ukraine was governed by neo-Nazis persecuting the ethnic Russian minority.", "Jan 29, 2022 ... Why did the West want to enlarge NATO, and how did Russia react? When the Soviet Union collapsed in 1991, the NATO expansion question became ...", "He falsely claimed they had been \"been facing humiliation and genocide perpetrated by the Kyiv regime\".[74] Putin also falsely claimed that Ukraine's government were neo-Nazis under Western control, that Ukraine was developing nuclear weapons, and that NATO was building up military infrastructure in Ukraine to threaten Russia.[75] He said Russia sought the \"demilitarisation and denazification\" of Ukraine.[76] Putin said he had no plans to occupy Ukraine and supported the right of the Ukrainian people to self-determination.[75] Within minutes of Putin's announcement, Russian missiles struck targets throughout Ukraine,[77] and Russian troops invaded from the north, east and south.[78] Later an alleged report from Russia's Federal Security Service (FSB) was leaked, claiming that the intelligence agency had not been aware of Putin's plan to invade Ukraine.[79] The invasion began at dawn on 24 February,[72] with infantry divisions and armoured and air support in Eastern Ukraine, and dozens of missile attacks across Ukraine,[80][81] which reached as far west as Lviv.[82][83] The first fighting took place in Luhansk Oblast near Milove village on the border with Russia at 3:40 a.m. Kyiv time.", "Jump to Russia surprised the world on February 24, 2022, by invading Ukraine, starting a brutal battle that is still raging today. Russia's President Vladimir Putin has given varying public explanations for why he launched the invasion. Here are the reasons Putin gave, how they match with reality, and the other likely reasons why Russia sent its armed forces into an independent, sovereign nation. Ukraine was part of the Soviet Union, before declaring itself an independent country, cementing the move in a referendum days before the USSR collapsed in December 1991. The country has maintained its independence ever since. But Putin still refers to Ukraine as Russian, and denies it's a nation in its own right. He told then-US President George W. Bush in 2008 that Ukraine wasn't even a country. Stephen Hall, a Russian politics expert at the University of Bath in the UK, said many Russians still hold this view, and that \"it isn't just the Kremlin.\" Hall said Russia sees Kyiv, the Ukrainian capital, as the \"mother of Russian cities,\" and for Putin he can't have that being outside his own country. Hall added that Russia needs to claim Ukraine in order to back up its argument to being a great power that has existed for millennia. Without it \"Russia can't claim a thousand years of history because Kyiv was already in existence 1,200 years ago, when Moscow was a forest,\" he said."], "noise_rate": 0.4, "factlabel": 0} +{"id": 28, "query": "When was Elden Ring being released?", "ans": [["February 25", "Feb 25", "Feb. 25", "25 February", "25 Feb", "25 Feb."]], "label": [1], "prediction": "According to the document, Elden Ring was released on February 25, 2022, and it is available on PS4, PS5, Xbox One, Xbox Series X, and PC.", "docs": ["In the game, the player character is a Tarnished, one of a group of exiles from the Lands Between who are summoned back after the Shattering. The player must traverse the realm to repair the Elden Ring and become the Elden Lord. Early in their journey to repair the Elden Ring, the player-character the Tarnished encounters a maiden named Melina. Because the Tarnished is maidenless, Melina offers to act as their maiden, granting them the ability to turn runes into strength and giving the Tarnished a steed named Torrent. In exchange, Melina requires the Tarnished to take her to the Erdtree, the home of the Elden Ring. Melina later takes the Tarnished to the Roundtable Hold, a gathering place for other Tarnished seeking to repair the Elden Ring. The Hold's benefactor the Two Fingers instructs the Tarnished to collect the Great Runes and bring them to the Erdtree, where they can be used to repair the Elden Ring. The Tarnished travels into the Lands Between, investigating its locales and defeating the demigods. After recovering at least two Great Runes, the Two Fingers allows them to battle Morgott the Grace-Given, the demigod guarding the Erdtree. The Tarnished defeats Morgott but find a wall of thorns blocking the Edtree's interior.", "“What this represented in them is this sort of golden light, or this golden aura, that’s specifically shown in their eyes. And this symbolises the blessing or the grace of the Erdtree. However, after a time, there were some individuals who lost this grace, and the light faded from their eyes. And these are what are known as the Tarnished.” The Tarnished were banished and exiled from the game’s world many years prior to when you – the player – will enter it. Since their ex-communication, the eponymous Elden Ring has of course been shattered and now the Tarnished are being summoned back to The Lands Between. So what are you waiting for? Get pre-ordering and we’ll see you on the other side… Elden Ring is released on February 25, 2022, hitting PS4, PS5, Xbox One, Xbox Series X, and PC. Keep an eye here for more updates. The world’s defining voice in music and pop culture: breaking what’s new and what’s next since 1952. When you purchase through links on our site, we may earn an affiliate commission. © 2023 NME is part of NME Networks.", "If you’re a glutton for punishment and want to experience the pain of scouring The Lands Between and getting unceremoniously bodied by all the beasts that dwell within, come with us on a journey to the heartlands and read on below. You might just learn something about how to survive in this grimdark fantasy epic. Elden Ring is released on February 25, 2022, hitting PS4, PS5, Xbox One, Xbox Series X, and PC. If you pre-order Elden Ring on the Xbox One or PS4 you’ll get a next-gen upgrade included for free. The game retails at £59.99 in the UK and $59.99 in the US. First, there’s the collector’s edition at £189.99, which will include the game, a steelbook, a 40-page art book, a digital soundtrack, and a 9inch statue of Malenia – Blade of Miquella. Then there’s the premium collectors edition at an eye-watering £259.99, which includes the aforementioned items, along with an official helmet replica of Malenia. You can pre-order all editions, including standard, at Bandi Namco’s official website. Taking place in the Lands Between, the Elden Ring, the source of the Erdtree, has been shattered, causing chaos in the realm.", "Marika's offspring, demigods all, claimed the shards of the Elden Ring known as the Great Runes, and the mad taint of their newfound strength triggered a war: The Shattering. A war that meant abandonment by the Greater Will. And now the guidance of grace will be brought to the Tarnished who were spurned by the grace of gold and exiled from the Lands Between. Ye dead who yet live, your grace long lost, follow the path to the Lands Between beyond the foggy sea to stand before the Elden Ring.   And become the Elden Lord.   Journey through the Lands Between, a new fantasy world created by Hidetaka Miyazaki, creator of the influential DARK SOULS video game series, and George R. R. Martin, author of The New York Times best-selling fantasy series, A Song of Ice and Fire.    Unravel the mysteries of the Elden Ring’s power. Encounter adversaries with profound backgrounds, characters with their own unique motivations for helping or hindering your progress, and fearsome creatures.  ELDEN RING features vast fantastical landscapes and shadowy, complex dungeons that are connected seamlessly.", "40] Playtesting was facilitated by Bandai Namco, which in November 2021 initially released the game as a closed beta that players could sign up to test.[41] The game's full release was scheduled for January 21, 2022, but was postponed to February 25 the same year.[42][43] Elden Ring had performance issues at launch; players complained of an insufficient frame rate.[44][45] Bandai Namco addressed some of these problems through software patches and updates.[46][47] A crowdfunding campaign for an Elden Ring-based board game by Steamforged Games was launched on Kickstarter in November 2022.[48] In February 2023, an expansion called Shadow of the Erdtree was announced for release at a later date.[49] Elden Ring received \"universal acclaim\" according to review aggregator website Metacritic.[50][51][52] On video-sharing platform Twitch, it drew nearly 900,000 viewers within 24 hours of release, making it the third-most-popular debut on the platform after Lost Ark and Cyberpunk 2077.[68] The game's open-world setting received acclaim; reviewers praised the exploration mechanics. Tamoor Hussain of GameSpot praised the Lands Between as the most-expansive of FromSoftware's settings, calling exploration and discovery the game's main appeal.[69] Mitchell Saltzman of IGN lauded Elden Ring for rewarding exploration in every part of the map."], "noise_rate": 0.4, "factlabel": 0} +{"id": 29, "query": "Who did Iga Swiatek defeat to win the Qatar Open 2022?", "ans": ["Anett Kontaveit"], "label": [1], "prediction": "According to the provided documents, Iga Swiatek defeated Viktorija Golubic and Daria Kasatkina in the second and third rounds, respectively, before defeating top seeded Aryna Sabalenka in the quarterfinals and Maria Sakkari in the semifinals. In the final, she won against fourth-seeded Anett Kontaveit, losing only two games.", "docs": ["11] As of January 2022, Świątek has reached the second week of a Grand Slam at six consecutive majors, beginning with her 2020 French Open title, setting a record for the longest streak of second-week progressions.[12] In the quarterfinal she defeated Kaia Kanepi in a match at three hours and one minute before losing to Danielle Collins in the semifinal the following day.[13][14] In February, Świątek entered into the Qatar Open, where she was seeded seventh. She defeated Viktorija Golubic and Daria Kasatkina in the second and third rounds, respectively. In the quarterfinals, she defeated top seeded Aryna Sabalenka before advancing to the semifinals where she played against Maria Sakkari, winning in straight sets. In the final, she won against fourth-seeded Anett Kontaveit, losing only two games, to claim her second WTA 1000 championship title.[15] At Indian Wells, Świątek reached her third WTA 1000 final, where, as the third seed, she defeated Anhelina Kalinina, Clara Tauson and Angelique Kerber in three sets, and Madison Keys and Simona Halep, in straight sets. She defeated sixth seed Maria Sakkari, in straight sets, to win her fifth title. With the back-to-back Masters wins, Świątek reached a career-high ranking of world No. 2.[16]", "Iga Swiatek has done it again. For the second time this year, she’s standing at the top of a podium, holding a Grand Slam trophy above her head. This time, she defeated Ons Jabeur 6-2, 7-6(5) to win the 2022 US Open, capping off a year of incredible and unexpected success. Swiatek, who looked extremely nervous before the match began, looked anything but once the rackets started swinging. She came out strong, showing off all the skills we know her for: explosive movement, pinpoint precision and a soft touch. By comparison, Jabeur, who looked comfortable and happy before the match started, came out looking flat and tentative. It wasn't until Swiatek was up 3-0 that Jabeur got on the board. Then, in the fifth game of the first set, Jabeur hit four winners, each one perfectly placed along the singles sideline. All Swiatek could do with those is watch them bounce as Jabeur narrowed the gap at 3-2. Unfortunately, that was the last game Jabeur won in the first set. Swiatek was able to reach balls that most people couldn't even try for, while Jabeur couldn't stop hitting the ball into the net at the most vital moments. Swiatek claimed the first set in 30 minutes flat, and made it look as effortless as ever.", "3: Top 10 players Swiatek defeated en route to her first title of the season in Doha. The win is the second WTA 1000 title of her career.  0: Wins for Swiatek against Maria Sakkari (0-3) and Aryna Sabalenka (0-1) going into Doha. After beating them in back-to-back matches in Doha, she has not lost to either player since. 1: Set lost by Swiatek in Doha, which came to Viktorija Golubic in the first round.  2: Games lost in the final against Anett Kontaveit.  Champions Corner: Swiatek's 'surreal' Indian Wells 20: Wins for Swiatek in 2022 after defeating Maria Sakkari 6-4, 6-1 in the final, the most on tour.  2: Swiatek's new career-high ranking after winning her second-straight WTA 1000 title. 3: Comebacks from a set down for Swiatek in Indian Wells, doing so to beat Anhelina Kalinina, Clara Tauson and Angelique Kerber in her first three matches. She has had seven such comebacks in 2022. Prior to this season, she had just eight in her career.  11: Consecutive wins for Swiatek, tying then No.", "11] As of January 2022, Świątek has reached the second week of a Grand Slam at six consecutive majors, beginning with her 2020 French Open title, setting a record for the longest streak of second-week progressions.[12] In the quarterfinal she defeated Kaia Kanepi in a match at three hours and one minute before losing to Danielle Collins in the semifinal the following day.[13][14] In February, Świątek entered into the Qatar Open, where she was seeded seventh. She defeated Viktorija Golubic and Daria Kasatkina in the second and third rounds, respectively. In the quarterfinals, she defeated top seeded Aryna Sabalenka before advancing to the semifinals where she played against Maria Sakkari, winning in straight sets. In the final, she won against fourth-seeded Anett Kontaveit, losing only two games, to claim her second WTA 1000 championship title.[15] At Indian Wells, Świątek reached her third WTA 1000 final, where, as the third seed, she defeated Anhelina Kalinina, Clara Tauson and Angelique Kerber in three sets, and Madison Keys and Simona Halep, in straight sets. She defeated sixth seed Maria Sakkari, in straight sets, to win her fifth title. With the back-to-back Masters wins, Świątek reached a career-high ranking of world No. 2.[16]", "The defending champion needed just 53 minutes to advance, 6-0, 6-1, on Wednesday at the Qatar TotalEnergies Open.ByTENNIS.comPublished Feb 15, 2023 copy_link Published Feb 15, 2023 Iga Swiatek returned to the site where her masterful rise in 2022 began with a 37-match win streak. And what a statement the world No. 1 made at the Qatar TotalEnergies Open in Doha Wednesday.On paper, Swiatek’s opening match presented intrigue. Across the net was Danielle Collins, one of the nine players to defeat the Pole during a banner 2022 season that saw her win eight titles and completely own her status as the 28th world No. 1 in WTA history.In reality, today's show was a solo act. Swiatek completely silenced Collins, serving up another bakery special with a 6-0, 6-1 victory.\"I'm happy that I was kind of composed and from the beginning till the end pretty focused and disciplined with tactics. So I didn't really let Danielle get into the rhythm,\" Swiatek told press. \"I wanted to be aggressive. I'm pretty happy that I did that well.\" On paper, Swiatek’s opening match presented intrigue."], "noise_rate": 0.4, "factlabel": 0} +{"id": 30, "query": "Which country won the most medals at the 2022 Winter Olympics?", "ans": ["Norway"], "label": [1], "prediction": "According to the document, Norway won the most medals at the 2022 Winter Olympics, with a total of 37 medals.", "docs": ["The nation has 20 or more total medals in three other sports: ski jumping (25), luge (22) and figure skating (20).  Total: 259 Gold: 100 Silver: 94 Bronze: 65 Medals won in PyeongChang: 31 Sport with most medals: Biathlon (52) Germany is one of just three countries to lead a Winter Olympics in medals four times (1992, 1998, 2002 and 2006). East Germany finished top two in the medal count at each Winter Olympics from 1972 through 1988 and led the 1980 Games with 23. Fast forward to 2018 and Germany put together an impressive performance in PyeongChang. Its 31 medals were second of any country and its 14 golds tied for first. Germany is the medals leader for two sports: biathlon and luge (37). Combined with East Germany (29), West Germany (10) and the United Team of Germany (5), it makes up 57.4% of the medals ever dished out in the sport’s history.", "The 2022 Winter Olympics, officially known as the XXIV Olympic Winter Games, was a winter multi-sport event held in Beijing, China, from 4 to 20 February. A total of 2,871 athletes from 91 nations participated in 109 events in seven sports across 15 disciplines.[1][2] Overall 29 nations received at least one medal, and 23 of them won at least one gold medal. Athletes from Norway won the most medals overall, with 37, and the most gold medals, with 16. The latter record was the highest gold medal tally at a single Winter Games.[3] Host nation China won nine gold medals surpassing its gold medal tally of five during the 2010 winter edition.[4] Athletes from that nation also won 15 medals overall, which eclipsed its record of 11 at both the 2006 and 2010 winter editions.[5] Biathletes Johannes Thingnes Bø, Quentin Fillon Maillet, and Marte Olsbu Røiseland, and cross-country skier Alexander Bolshunov won the most total medals at the games with five each.[6] Bø also earned the most gold medals with four.[7] Snowboarder Zoi Sadowski-Synnott of New Zealand won the first Winter Olympic gold medal for that nation.", "With all 109 medal events decided, competition at the 2022 Winter Olympics in Beijing is officially complete.  After three weeks of dominance, Norway stands alone atop the chart with the most total medals (37) and the most gold medals (16). Norway broke its own record for the most gold medals won at a single Winter Olympics with 16, to go along with eight silver medals and 13 bronze medals. (Norway and Germany in 2018 both matched the record of 14 gold medals at a single Winter Olympics previously set by Canada in Vancouver 2010.) Norway narrowly missed eclipsing its high-water mark of 39 total medals, won in PyeongChang. The United States finished the Games with eight gold medals -- tied for the fourth most along with Sweden and the Netherlands. But America's total medal count of 25 put them fifth. In addition to eight golds, the U.S. tallied 10 silver medals and seven bronze medals. [RELATED: 2022 Winter Olympics medal count] The ROC finished second with 32 total medals (6 gold, 12 silver, 14 bronze). Germany, after absolutely dominating the sliding sports with gold medals in nine out of 10 events, slotted third with 27 total medals (12 gold, 10 silver, 5 bronze). And Canada eclipsed the U.S. for fourth with 26 total medals (4 gold, 8 silver, 14 bronze).", "The country has 18 alpine skiing medals -- including two golds from PyeongChang -- 16 speed skating medals, 14 biathlon medals, 11 ice hockey medals and 10 figure skating medals. Sweden took home seven gold medals from PyeongChang in 2018, good for sixth out of all participating countries. Their collection of 14 total medals tied for 10th. Total: 167 Gold: 43 Silver: 63 Bronze: 61 Medals won in PyeongChang: 6 Sport with most medals: Cross country skiing (80) Like Sweden, Finland’s top Winter Olympic sport is cross country skiing with 80 total medals. After cross country skiing, the country’s next-best sports are speed skating (24 total medals), ski jumping (22) and Nordic combined (14).  Finland had far and away the smallest haul from the 2018 Winter Olympics, winning just six total medals and only one gold. Four of the six medals, including the gold, came in cross-country skiing. A smaller collection is not uncommon for Finland despite their seventh-place spot on this list. It is the only country among the 10 included here that has never won 15 or more medals at a single Winter Olympics.", "Published on 2/21/2022 at 11:04 AM The 2022 Beijing Winter Olympics have ended after over two weeks of some dramatic, inspiring, and comedic moments. The medals given out during these games were are made up of five rings and a center and are called \"Tong Xin,\" which means \"together as one.\" Unlike during the summer games in Tokyo just last year, the top gold medal winner of the winter games is not the most expected. Instead, the biggest gold medal winner of the 2022 Olympics is Norway. Overall, the nation took home significantly more medals than its competitors. Here's the breakdown of the five countries that won the biggest. Gold: 16Silver: 8Bronze: 13Total: 37 Gold: 6Silver: 12Bronze: 14Total: 32 Gold: 12Silver: 10Bronze: 5Total: 27 Gold: 4Silver: 8Bronze: 14Total: 26 Gold: 8Silver: 10Bronze: 7Total: 25 When it came to which countries won the most medals overall, Norway came in first. The Russian Olympic Committee (the unofficial team representing Russia's athletes) came in second with 32 medals. In third place was Germany, with 27 medals. Canada was next with 26 medals, and the US trailed behind with 25 medals."], "noise_rate": 0.4, "factlabel": 0} +{"id": 31, "query": "Who won the Male Vocalist of the Year at the 2022 CMA ?", "ans": ["Chris Stapleton"], "label": [1], "prediction": "According to the provided document, Chris Stapleton won the Male Vocalist of the Year at the 2022 CMA Awards, beating out Eric Church, Luke Combs, Cody Johnson, and Morgan Wallen. This marks his sixth win in the category, making him the most decorated artist of all-time in this category.", "docs": ["By Maxim Mower Link copied Chris Stapleton picked up his sixth Male Vocalist of the Year prize at the 56th Annual CMA Awards, making him the most decorated artist of all-time in this category. Stapleton has now surpassed country icons such as George Strait, Vince Gill and Blake Shelton with six Male Vocalist of the Year wins. In his acceptance speech, the Kentucky crooner paid tribute to the other artists nominated in this year’s category, Luke Combs, Eric Church, Cody Johnson and Morgan Wallen. This marks the second year in a row that Stapleton has taken home the award, and consolidates the ‘You Should Probably Leave’ songsmith’s status as one of the preeminent artists of the past decade. In addition to this, Stapleton took to the CMA stage for a memorable rendition of ‘You’ll Never Leave Harlan Alive’ with fellow Kentuckian, Patty Loveless. The CMA Awards 2022 also saw performances from artists such as Carrie Underwood, Thomas Rhett, Katy Perry, Zac Brown Band, Miranda Lambert, HARDY, Lainey Wilson and more. Chris Stapleton was nominated in four other categories, including Entertainer of the Year, which went to Luke Combs, and Music Video of the Year, for his high-profile Taylor Swift collaboration, ‘I Bet You Think About Me (Taylor’s Version) (From The Vault)’.", "Chris Stapleton won the trophy for Male Vocalist of the Year at the 2022 CMA Awards, beating out fellow nominees Eric Church, Luke Combs, Cody Johnson and Morgan Wallen.  Visibly moved by the win, Stapleton used the opportunity to share his appreciation with those who have supported his career through the years. \"This is a dream every minute we get to live this,\" he told the crowd during his acceptance speech. \"I'm evidence that dreams come true all the time, so thank you, thank you to everybody.\" Stapleton's Wednesday night win marks the second consecutive year that he has won the Male Vocalist of the Year trophy, and his sixth win in the category overall. From 2015 to 2018, the singer had a hot streak as Male Vocalist, but Combs toppled his reign for two years in 2019 and 2020. Still, in 2022, Stapleton's steady traditionalism and consistency as a live act won the day. Together with his All-American Road Show, the singer has been one of country music's most prolific and reliable touring acts this year, and he is even the subject of a current Country Music Hall of Fame exhibit. Early in the year, he won three Grammy Awards, including Best Country Album for his late 2020 project, Starting Over. The 2022 CMA Awards aired live from Nashville's Bridgestone Arena on ABC.", "Entertainer of the Year CMA Awards:Alan Jackson earns Lifetime Achievement Award, all-star tribute Female Vocalist of the Year Male Vocalist of the Year Single of the Year Album of the Year Song of the Year Vocal Group of the Year Vocal Duo of the Year New Artist of the Year Musical Event of the Year Music Video of the Year Musician of the Year", "Luke Bryan and Peyton Manning were tapped as co-hosts of the show.", "The following list shows the recipients for the Country Music Association Award for Male Vocalist of the Year.[1] This Award goes to the artist. The Award is based on individual musical performance on a solo Country single or album release, as well as the overall contribution to Country Music.[2] This award was one of the original awards given at the first ceremony in 1967. The inaugural recipient of the award was Jack Greene in 1967. Chris Stapleton holds the record for most wins in the category, with six, while five-time recipient George Strait has a leading twenty-five nominations. Dierks Bentley and Eric Church holds the record for most nominations without a win, with nine each. The current holder of the award is Stapleton, who won at the 56th Annual Country Music Association Awards in 2022. In CMA history only thirteen men have won Male Vocalist of the Year the very first time they were nominated. They are:"], "noise_rate": 0.4, "factlabel": 0} +{"id": 32, "query": "Who won the ACC Tournament in 2022?", "ans": ["Virginia Tech"], "label": [1], "prediction": "According to the provided document, Virginia Tech won the 2022 ACC tournament by upsetting Duke 82-67 to win the title.", "docs": ["Part of the McClatchy Media Network", "Mar 12, 2022 ... The 2022 ACC tournament for men's basketball finished Saturday, March 12 as Virginia Tech upset Duke 82-67 to win the title.", "With the win, Carolina owns a 14-11 advantage over the Pack in the ACC tournament. UNC is 3-1 against N.C. State this season. Ninety minutes before the first pitch, fans in blue or red tops made their way through the concourse, eventually filling up the bleachers at Truist Field. In 2013, 11,392 fans packed the DPAC in Durham to watch the rivals play in the ACC tournament. Sunday, 10,500 made their way into Truist Field, setting a tournament record for the venue, with local Carolina fans still scooping up tickets late into the game. N.C. State, the first double-digit seeded team to make the final, scored 28 runs in their previous three games this week. After being shut out last year against Duke in the title game, the Pack got on the board in the first inning. It was downhill from there. N.C. State’s Devonte Brown ripped a double on the second pitch of the game. He looked to the Wolfpack dugout and there was a brief celebration. Brown later scored on a controversial play. The umpires took a second look to see if Brown actually tagged third base on his way by. He had, and N.C. State grabbed the lead. Then, UNC took the plate. Honeycutt hit his 19th home run of the season, a two-run shot over the Piedmont Natural Gas picnic area.", "🏈 Ranking the top 25 college football teams 🏆 Preseason FCS bracket projections 📈 HBCU football power rankings 📊 Men's soccer preseason rankings The 2022 ACC tournament for men's basketball finished Saturday, March 12 as Virginia Tech upset Duke 82-67 to win the title. It's the Hokies' first ACC tournament title. Last year, Georgia Tech beat Florida State 80-75 to win the championship. This year's event was played at the Barclays Center in Brooklyn, New York. TOURNEY TIME. 🏀🏆: https://t.co/kvjWZzXTIv pic.twitter.com/ILOzKE4qzd CLICK OR TAP HERE TO SEE THE BRACKET AND MATCHUPS Click or tap here for a live scoreboard. All times ET. Tuesday, March 8 Game 1: No. 13 Boston College 66, No. 12 Pitt 46  Game 2: No. 10 Clemson 70, No. 15 NC State  64 Game 3: No. 11 Louisville 84, No. 14 Georgia Tech 74  Wednesday, March 9 Game 4: No. 9 Syracuse 96, No. 8 Florida State 57 Game 5: No. 13 Boston College 82, No. 5 Wake Forest 77 (OT) Game 6: No.", "The 2022 ACC men's basketball tournament (officially the 2022 New York Life ACC Men's Basketball Tournament, for sponsorship reasons) was the postseason men's basketball tournament for the 2021–22 Atlantic Coast Conference men's basketball season. It was held at the Barclays Center in Brooklyn, New York, during March 8–12, 2022.[1] The 2022 tournament was the 69th annual edition of the tournament. The Virginia Tech Hokies won the tournament, their first ACC Tournament title and only their second conference tournament title in program history, receiving the conference's automatic bid to the 2022 NCAA tournament. The Hokies were the second ACC champion to win four tournament games to secure the title and were the lowest overall seed to win the title.[2] All 15 ACC teams participate in the tournament. Teams were seeded by conference record, with a tiebreaker system to seed teams that finished with identical conference records.[3] Duke secured the regular season title and the first overall seed. Notre Dame, North Carolina, and Miami were the other teams to secure double-byes.[4] ‡ – ACC Regular Season Champions.† – Received a double-bye in the conference tournament.# – Received a single-bye in the conference tournament. * – Denotes overtime period Tournament MVP: Hunter Cattoor, Virginia Tech All-Tournament Teams:[5]"], "noise_rate": 0.4, "factlabel": 0} +{"id": 33, "query": "What chip does the iPhone 14 have?", "ans": ["A15"], "label": [1], "prediction": "According to the provided document, the iPhone 14 has the A15 Bionic chip.", "docs": ["Apple's new A16 Bionic chip in the iPhone 14 Pro and iPhone 14 Pro Max costs $110 to produce, making it over 2.4× as costly as the A15 chip in iPhone 13 Pro models released last year, according to a Nikkei Asia report. The A16's higher cost is likely due in part to the chip being manufactured based on TSMC's 4nm process, while the A15 is a 5nm chip. iPhone chips could continue to increase in price as miniaturization continues, with rumors suggesting the A17 chip in iPhone 15 Pro models will be based on TSMC's 3nm process, and a DigiTimes report this week claiming that TSMC will begin volume production of 2nm chips in 2025. Geekbench 5 benchmark results indicate the A16 chip delivers around 15% to 17% faster multi-core performance compared to the A15 chip. Only the iPhone 14 Pro and iPhone 14 Pro Max are equipped with the A16 chip, while the iPhone 14 and iPhone 14 Plus have the same A15 chip with a five-core GPU as found in iPhone 13 Pro models.", "Year introduced: 2022 Capacity: 128 GB, 256 GB, 512 GB Colors: Midnight, starlight, (PRODUCT)RED, blue, purple, yellow Model numbers: A2649 (United States, Puerto Rico), A2881 (Canada, Guam, Japan, Mexico, Saudi Arabia, and U.S. Virgin Islands), A2884 (China mainland, Hong Kong, Macao), A2883 (Armenia, Belarus, Kazakhstan, Kyrgyzstan, Russia), A2882 (other countries and regions) Details: The iPhone 14 has a 6.1 inch1 all-screen Super Retina XDR display. The back is glass, and there's a flat-edged anodized aluminum band around the frame. The side button is on the right side of the device. There are two cameras on the back: Ultra Wide and Main. In the United States, there is no SIM tray. In other countries or regions, there's a SIM tray on the left side that holds a \"fourth form factor\" (4FF) nano-SIM card. See the tech specs for iPhone 14. Year introduced: 2022 Capacity: 64 GB, 128 GB, 256 GB Colors: (PRODUCT)RED, starlight, midnight", "By Mitchell Clark Apple has announced that the regular iPhone won’t be getting a new processor this year — instead, the iPhone 14 and 14 Plus will be powered by Apple’s A15 Bionic chip, the same chip that’s in the iPhone 13 Pro — though it does have a bit more grunt than the A15 that was in the regular iPhone 13 and the $429 iPhone SE from earlier this year, thanks to an extra GPU core. This is the first time that Apple’s not updating to a new processor for one of its flagship iPhones since the 2008 iPhone 3G, which featured virtually the same internals as the original iPhone. The iPhone 14 Pro, meanwhile, has an A16 processor, which the company says is more power efficient, even when doing intensive tasks. The raw specs of the new chip are similar, though — like the A15 in the regular 14, it has a six-core CPU, a five-core GPU, and a 16-core Neural Engine. The new version just has better cores, according to Apple. The decision not to update the chipset for the standard iPhone 14 isn’t exactly a surprising one. Analysts like Ming-Chi Kuo and reporters like Mark Gurman have been predicting the move for months, and the chip shortage isn’t quite over yet. Using tried and true chips that Apple’s manufacturer already has experience making could help ensure that there are enough processors to meet demand.", "Learn how to identify your iPhone model by its model number and other details. Learn how to find the model number of your iPhone. Then find the model number in the list below. Year introduced: 2022 Capacity: 128 GB, 256 GB, 512 GB, 1 TB Colors: Silver, gold, space black, deep purple Model numbers: A2651 (United States, Puerto Rico), A2893 (Canada, Guam, Japan, Mexico, Saudi Arabia, and U.S. Virgin Islands), A2896  (China mainland, Hong Kong, Macao), A2895 (Armenia, Belarus, Kazakhstan, Kyrgyzstan, Russia), A2894 (other countries and regions) Details: iPhone 14 Pro Max has a 6.7-inch1 all-screen Super Retina XDR display. The back is premium matte glass, and there's a flat-edge stainless steel band around the frame. The side button is on the right side of the device. There are three cameras on the back: Ultra Wide, Main, and Telephoto. There's a LiDAR Scanner on the back. There's an LED True Tone flash on the back. In the United States, there is no SIM tray.", "With the A16, Apple's transistor count increased only modestly from 15 billion transistors on the A15. The A16 has \"nearly 16 billion transistors,\" Apple marketing chief Greg Joswiak said. The A14 has 11.8 billion transistors, and the A13 has 8.5 billion transistors. You may not notice new chip performance directly, but it's key to delivering new abilities, like the iPhone 14 Pro's advanced photo and video processing. The act of taking a photo exercises the A16's CPU, GPU, image processor and neural engine, cranking out up to 4 trillion operations per photo to deliver an image. Unlike with previous iPhone generations, the A16 will only be available in Apple's higher-end iPhone 14 Pro and Pro Max models. The more mainstream iPhone 14 and 14 Plus will make do with the A15 chip that Apple debuted in 2021. Apple didn't immediately respond to a request for comment. A reported Geekbench test result shows modest performance gains overall. In single threaded tasks, which depend on the speed of an individual CPU core to do one important job, performance rose a significant 10% from a score of 1,707 on the iPhone 13 Pro to 1,879 on the iPhone 14 Pro, according to a test result spotted by MacRumors."], "noise_rate": 0.4, "factlabel": 0} +{"id": 34, "query": "When is Google I/O 2022 scheduled to take place?", "ans": ["May 11", "12"], "label": [1, 1], "prediction": "According to the provided document, Google I/O 2022 is scheduled to take place on May 11-12.", "docs": ["The Pixel 7a is all but confirmed to launch at Google I/O 2023, and it's one of the most hyped mid-range Android phones of the year considering how well-received its predecessor was. Some of the features we expect to see on the Pixel 7a include a smooth 90Hz display, the Tensor G2 processor, a new main camera, and a new design very similar to that of the flagship Pixel 7. Rumors suggest the device will start at $499 and will be available for purchase immediately after the announcement on the official Google Store. The Pixel Fold is one of the Google products we're looking forward to the most in 2023. The device will be Google's first foldable smartphone, and according to rumors and leaks, is likely to start at $1799 and look similar to the Oppo Find N2 which means it'll be shorter and broader than the Samsung Galaxy Fold 4. Since the Pixel Fold is a first-gen product, it could have some teething problems, so it might be wiser to not pre-order the device if Google does indeed end up launching it at I/O. Google will also announce a lot of new AI tools and capabilities. Aside from its chatbot Bard that's meant to compete with ChatGPT, we know that the company is soon also going to integrate generative AI into the Workspace apps including Gmail, Docs, Sheets, Slides, and Meet.", "Read: Google Bard: How the ChatGPT alternative works Bard, Google's answer to OpenAI's ChatGPT, is an AI language model that can write poetry, fiction, and more. At I/O 2023, Google said it's now available to everyone and has been updated with improvements such as advanced math, reasoning skills, coding capabilities, and now supports over 180 countries and territories. Bard will become more visual, too, allowing users to include images with text in their prompts. In the future, Bard will even integrate Adobe Firefly to generate high-quality images. Coding upgrades have been incorporated as well, including source citations, dark theme, and an export button. Bard is also being connected with Google apps and other partners, including Kayak, OpenTable, ZipRecruiter, Instacart, Wolfram, and Khan Academy. Read: Wear OS: Your complete guide to Google's smartwatch OS Google is preparing for Wear OS 4, despite Wear OS 3 not being fully available to all yet. It will have improved battery life, accessibility features, and a backup/restore option. It also offers better smart home integrations -- allowing you to do tasks like adjust lighting, control media, and preview camera notifications. It's currently only available in a developer preview and emulator, withavailability expected later this year. There were several other announcements slipped into the keynote.", "With I/O 2022 just two weeks away, Google this afternoon previewed the schedule for its developer conference. It starts with Sundar Pichai’s “Google I/O keynote” on Wednesday, May 11 at 10 a.m. An end time was not listed, while the Developer keynote follows it. Tune in to find out how we’re furthering our mission to organize the world’s information and make it universally accessible and useful. The “What’s new” keynotes are next, and cover: In terms of scheduling, “all keynotes, product announcements, and learning lab content on day one. Meanwhile, “all technical sessions will be available on-demand” the next day at 9 a.m. PT. Tap the bookmark on each session page to save them to your “My I/O.” In past years, today’s drop should just serve as the initial look at the schedule with the full session list coming after the main keynote takes place. That appears to be the case again for 2022. Other notable sessions include: Updating… Google I/O 2022 takes place May 11-12, and 9to5Google will be providing extensive coverage so stay tuned. FTC: We use income earning auto affiliate links. More. Check out 9to5Google on YouTube for more news: Editor-in-chief. Interested in the minutiae of Google and Alphabet. Tips/talk: abner@9to5g.", "That's in line with when Google normally holds its developers conference — last year's edition took place on May 11 and May 12, for example. There will be an in-person event at the Shoreline Amphitheatre in Mountain View, Calif., a venue that's just down the street from Google headquarters. Most people will attend virtually, though since Google streams its developer conference. The Google I/O 2023 website promises a kickoff keynote that gets underway at 1 p.m. ET/ 10 a.m. PT/ 6 p.m. BST on May 10. A developer keynote will follow afterward, diving into more detail on tools available to Google developers. You can find a full Google I/O 2013 schedule listing the different presentations. The Google I/O 2023 agenda doesn't provide any specific details about what's in store on May 10. But we can make some educated guesses about what's on tap, given Google's past announcements and rumors about the company's current plans. Google Bard is just the start of the company's grand plans for AI-powered search. According to a report in The New York Times, Samsung is considering ditching Google as the default search engine for its devices in favor of Bing. And Google is feverishly working on the next stage of its search engine which will integrate a chatbot.  Dubbed Project Magi, Google has reportedly devoted a large portion of its staff to accelerating the implementation of AI into its search engine.", "Google has released the Google I/O 2022 schedule, giving us a brief overview of what to expect. Read on to know more. We’re just two weeks away from Google I/O 2022. While the yearly event is primarily targeted at developers, there will be plenty of fun stuff for enthusiasts and the general public. Google usually doesn’t reveal much about what it plans to announce at the event. However, the company has now released the Google I/O 2022 schedule, giving us a brief overview of what to expect. Google I/O 2022 will be held on May 11 and May 12 at the Shoreline Amphitheater. The event will kick off with Sundar Pichai’s “Google I/O keynote” at 10 AM. This will be the main attraction for the general population as the main event tends to be more consumer-focused. While the event’s description doesn’t provide specifics, expect to see announcements for popular Google services, Workspace, privacy, health, and Google’s other new projects and endeavors. Also, keep an eye out for potential hardware announcements in the form of the Pixel 6a, Pixel Watch, and smart home devices. The main keynote will be followed by the Developer keynote and “What’s new in Android.” This is where we expect to learn more about Android 13, Wear OS, and updates to developer products and tools. Google says the schedule is slightly different this year."], "noise_rate": 0.4, "factlabel": 0} +{"id": 35, "query": "who will direct Irredeemable film?", "ans": ["Jeymes Samuel"], "label": [1], "prediction": "According to the documents, the director of the Irredeemable film will be Jeymes Samuel, a BAFTA Film Award winner, who previously directed The Harder They Fall.", "docs": ["Gary Sanchez produced Wirkola’s delightfully irreverent and coarse Hansel and Gretel film, and Wirkola most recently completed What Happened to Monday? for Vendome with Noomi Rapace, Glenn Close and Willem Dafoe starring. He’s separately developing War Pigs for producer Lorenzo di Bonaventura. His previous work includes Dead Snow and its sequel Wirkola is repped by CAA, Principato-Young Entertainment and attorney Michael Schenkman; McKay is repped by WME and Mosaic. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply.\t\t Get our latest storiesin the feed of your favorite networks We want to hear from you! Send us a tip using our annonymous form. Sign up for our breaking news alerts \t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply.\t Deadline is a part of Penske Media Corporation. © 2023 Deadline Hollywood, LLC. All Rights Reserved. \t\tBy subscribing, I agree to the Terms of Use and Privacy Policy.", "Netflix to Develop Film Adaptation of Irredeemable and Incorruptible Graphic Novel Series with The Harder They Fall Director Jeymes Samuel & Academy Award-Nominated Screenwriter Kemp Powers BAFTA Film Award winner Jeymes Samuel (The Harder They Fall) is set to direct a film adaptation of the BOOM! Studios’ graphic novel series Irredeemable and its spin-off Incorruptible for Netflix. Academy Award nominated Kemp Powers (writer of One Night in Miami and Soul and director of the upcoming Spider-Man: Across the Spider-Verse (Part One) with Joaquim Dos Santos & Justin Thompson) will pen the adaptation, which will have the protagonists from each series – one a villain on a quest to become a superhero, and the other a fallen hero turned villain – face off. The film will be produced by Shawn Carter, James Lassiter, and Stephen Christy & Ross Richie for BOOM! Studios. Kemp Powers and Adam Yoelin are executive producers on the film. Mette Norkjaer will oversee the project for BOOM! Studios. When the world’s most powerful and beloved superhero, the god-like Plutonian, inexplicably begins slaughtering everyone on Earth, the only person that can stop him is his former arch-nemesis, the super-powered villain Max Damage.", "BAFTA Film Award winner Jeymes Samuel (The Harder They Fall) is set to direct a film adaptation of the BOOM! Studios' graphic novel series Irredeemable and ...", "JAY-Zand director Jeymes Samuel are teaming up again. Six months after the release of their Netflix show-stopper The Harder They Fall, on Thursday, it was announced that the two are collaborating on a film adaption of graphic comics Irredeemable and its spinoff Incorruptible. Directed by Samuel with co-production from Hov and James Lassiter, Kemp Powers, whose credits include 2021 Disney+ film Soul and Marvel Studios upcoming Spider-Man: Across the Spider-Verse, will write the script. Boom! Studios’ Stephen Christy and Ross Richie will also assist as co-producers. The Irredeemable graphic series dramatizes how The Plutonian, the world's greatest hero, snapped and became a supervillain. In the comic's sister series Incorruptible, supervillain Max Damage responds to Plutonian's evil by transforming into a superhero. In a statement, Netflix briefly explained the synopsis of the upcoming film. \"Protagonists from each series – one a villain on a quest to become a superhero, and the other a fallen hero turned villain – face off.\" Originating from comic book publisher Boom! Studios, the series was created by author Mark Waid with illustration from Peter Krause. Krause spoke with Deadline about the upcoming Netflix adaptation.", "Studios’ eponymous imprint, home to critically acclaimed original series, including BRZRKR by Keanu Reeves, Matt Kindt, and Ron Garney, Something is Killing the Children by James Tynion IV and Werther Dell’Edera, Once & Future by Kieron Gillen and Dan Mora, Proctor Valley Road by Grant Morrison, Alex Child, and Naomi Franquiz, The Many Deaths of Laila Starr by Ram V and Filipe Andrade, Eat the Rich by Sarah Gailey and Pius Bak, Faithless by Brian Azzarello and Maria Llovet; We Only Find Them When They’re Dead by Al Ewing and Simone Di Meo; Seven Secrets by Tom Taylor and Daniele Di Nicuolo, Basilisk by Cullen Bunn and Jonas Scharf,  and more. Print copies of Irredeemable and Incorruptible are available everywhere books are sold. Digital copies can be purchased from content providers, including comiXology, iBooks, Google Play, and Kindle."], "noise_rate": 0.4, "factlabel": 0} +{"id": 36, "query": "What is the name of China's rover on Mars?", "ans": ["Zhurong"], "label": [1], "prediction": "The name of China's rover on Mars is Zhurong.", "docs": ["A probe would be sent to Martian orbit and attempt to land on Mars in 2020.[15] On 23 August 2016, CNSA revealed the first images of the final version of the Mars mission spacecraft, which confirmed the composition of a Mars orbiter, lander, and rover in one mission.[16] The scientific objectives and payloads of the Mars mission were declared in a paper published in Journal of Deep Space Exploration in December 2017.[17] On 24 April 2020, China's interplanetary exploration program was formally announced by CNSA, along with the name Tianwen and an emblem of the program.[18] The first mission of the program, the Mars mission to be carried out in 2020, was named Tianwen-1.[19] On 24 April 2021, in anticipation of the upcoming landing attempt, CNSA formally announced that the rover would be named Zhurong (Chinese: 祝融号).[20] Mockup of the Zhurong rover at the 69th International Astronautical Congress Full-scale mockup of Zhurong rover and Tianwen-1 lander. Artist's Rendering of Tianwen-1 mission components To design and test the rover and simulate conditions at Utopia Planitia, CNSA kept a test bed rover in a Mars yard at the China Academy of Space Technology in Beijing.", "39][40] Tianwen-1's rover is named Zhurong (Chinese: 祝融号), after a Chinese mytho-historical figure usually associated with fire and light.[41] The name was chosen through an online poll held from January to February 2021.[42] China's Mars program started in partnership with Russia. In November 2011, the Russian spacecraft Fobos-Grunt, destined for Mars and Phobos, was launched from Baikonur Cosmodrome. The Russian spacecraft carried with it an attached secondary spacecraft, the Yinghuo-1, which was intended to become China's first Mars orbiter (Fobos-Grunt also carried experiments from the Bulgarian Academy of Sciences and the American Planetary Society). However, Fobos-Grunt's main propulsion unit failed to boost the Mars-bound stack from its initial Earth parking orbit and the combined multinational spacecraft and experiments eventually reentered the atmosphere of Earth in January 2012.[citation needed] In 2014, China subsequently began an independent Mars project.[43] The new Mars spacecraft, consisting of an orbiter and a lander with an attached rover, was developed by the China Aerospace Science and Technology Corporation (CASC) and is managed by the National Space Science Centre (NSSC) in Beijing.[44] The mission was formally approved in 2016.[45]", "To enjoy additional benefits CONNECT WITH US April 25, 2021 05:06 pm | Updated 05:06 pm IST - BEIJING COMMents SHARE READ LATER This artist's rendering provided to China's Xinhua News Agency on Aug. 23, 2016, by the lunar probe and space project center of Chinese State Administration of Science, Technology and Industry for National Defense, shows a concept design for the Chinese Mars rover and lander. China’s first Mars rover will be named Zhurong after a traditional fire god, the government announced Saturday. The rover is aboard the Tianwen-1 probe that arrived in Mars orbit on February 24 and is due to land in May to look for evidence of life. It is part of Chinese space plans that include launching a crewed orbital station and landing a human on the moon. China in 2019 became the first country to land a space probe on the little-explored far side of the moon and in December returned lunar rocks to Earth for the first time since the 1970s. The rover’s title fits with the Chinese name for Mars — “Huo Xing,” or fire star, the China National Space Administration said. The name “signifies igniting the flame of China’s planetary exploration,” a deputy CNSA administrator, Wu Yanhua, was cited by the official Xinhua News Agency as saying.", "The orbiter will image the landing site and determine the conditions on the ground in preparation for the landing. Book of Mars: $22.99 at Magazines Direct Within 148 pages, explore the mysteries of Mars. With the latest generation of rovers, landers and orbiters heading to the Red Planet, we're discovering even more of this world's secrets than ever before. Find out about its landscape and formation, discover the truth about water on Mars and the search for life, and explore the possibility that the fourth rock from the sun may one day be our next home. If it lands successfully the roughly 530-lb. (240 kilograms) solar-powered rover will investigate the surface soil characteristics and potential water-ice distribution with its Subsurface Exploration Radar instrument. The rover also carries panoramic and multispectral cameras and instruments to analyze the composition of rocks. The Tianwen-1 mission and the chance to name the rover have generated a fair amount of attention.  \"More than 1.4 million entries have been received from 38 countries and regions since we initiated the naming campaign in July 2020. Over 200,000 of them are eligible. The netizens' active participation shows their great care for the Mars mission,\" Yuan Foyu, director of the naming campaign for China's first Mars rover, told CCTV. The vote is being hosted by Chinese internet giant Baidu with a deadline of Feb. 28.", "On 14 November 2019, CNSA invited some foreign embassies and international organizations to witness hovering and obstacle avoidance test for the Mars Lander of China's first Mars exploration mission at the extraterrestrial celestial landing test site. It was the first public appearance of China's Mars exploration mission.[46] As the mission preparation proceeded, in April 2020, the mission was formally named \"Tianwen-1\".[47] On 23 July 2020, Tianwen-1 was launched from Wenchang Spacecraft Launch Site on the island of Hainan atop a Long March 5 heavy-lift launch vehicle.[22] In September 2020, the Tianwen-1 orbiter deployed the Tianwen-1 First Deployable Camera (TDC-1), a small satellite with two cameras that took photos of and tested a radio connection with Tianwen-1.[10] Its mission was to photograph the Tianwen-1 orbiter and the lander's heat shield.[10] Due to the time when it was deployed, it trajectory predicted to do a flyby of Mars with that happening around the orbit insertion date. During its cruise to Mars, the spacecraft completed four trajectory correction maneuvers plus an additional maneuver to alter its heliocentric orbital inclination; it also performed self diagnostics on multiple payloads."], "noise_rate": 0.4, "factlabel": 0} +{"id": 37, "query": "Who is being honored with the 2022 Warrior Award?", "ans": ["Shad Gaspard"], "label": [1], "prediction": "According to the provided document, Shad Gaspard, the former WWE Superstar who died while saving his son, is being honored posthumously with the 2022 Warrior Award at this year's WWE Hall of Fame ceremony in Dallas.", "docs": ["couldn't think of anyone better to put me in the #WWEHOF than @VinceMcMahon. One final ride together, old-timer!!![6] On March 7, Bleacher Report and WWE announced that Vader would be inducted into the WWE Hall of Fame Class of 2022 posthumously.[7] On March 14, Complex.com and WWE announced that Queen Sharmell would be inducted into the Class of 2022.[8] The announcement of Sharmell's induction was met with widespread mixed reactions as fans either reacted positively to the news while others criticized the choice citing her lack of credentials within WWE and World Championship Wrestling (WCW). On March 25, FoxSports.com and WWE announced that former WWE wrestler Shad Gaspard would be receiving the Warrior Award posthumously, with his wife Siliana and son Aryeh accepting the award.[9] On March 28, David Shoemaker of The Ringer and WWE announced that The Steiner Brothers (Scott Steiner and Rick Steiner) would be inducted into the WWE Hall of Fame Class of 2022.[10] For the first time in 6 years, no Legacy Wing inductions took place. With an unprecedented induction that displayed his various Deadman genres on mannequins, Calaway made a 137-minute speech that opened with a 10-minute, emotional standing ovation from the live audience that brought Calaway to tears.", "May 26, 2022 ... Michael High School since 1994, volunteering for various positions in the Warrior Club along with revitalizing the Wall of Honor that we ...", "Shad Gaspard has been posthumously named the recipient of the 2022 Warrior Award. Named after WWE Hall of Famer The Ultimate Warrior, The Warrior Award is presented to an individual who has exhibited unwavering strength and perseverance and who lives life with the courage and compassion that embodies the indomitable spirit of The Ultimate Warrior. The news was first reported by Foxsports.com. The Warrior Award presentation will be part of the WWE Hall of Fame Induction Ceremony, Friday, April 1, at American Airlines Center in Dallas as part of WrestleMania Week. The event will stream live exclusively on Peacock in the U.S. and WWE Network everywhere else. A larger-than-life Superstar with boundless charisma, Shad passed away on May 17, 2020. While swimming with his son, the pair got caught in a strong current in Venice Beach, Cal. In a heroic act of love, the concerned father instructed lifeguards to save his son before himself and disappeared soon after. Days later, his passing was confirmed. He was 39 years old. Shad’s bravery and selflessness will be honored next Friday with the 2022 Warrior Award as part of the 2022 WWE Hall of Fame Induction Ceremony. WWE Global Ambassador Titus O’Neil has been named the recipient of the 2020 Warrior Award. Longtime WWE employee Rich Hering has been named the recipient of the 2021 Warrior Award.", "WWP received the HIRE Vets Gold Medallion in 2021. This year, the Department of Labor identified criteria that lifted WWP to the Platinum Medallion, including a pay differential program to offset income during guard or reserve service, a tuition reimbursement program, and a veteran employee retention threshold. In 2020, WWP launched the Veterans Engagement Team (VET), which includes a diverse group of veteran teammates around the country who help support each other and new veterans joining the organization. It helps WWP's veteran employees with advice, answers to questions, and promotes growth and long-term success. Wounded Warrior Project started in 2003 with a simple mission to deliver comfort items to injured service members at their hospital bedside. In the nearly 20 years since, WWP has grown to provide life-saving programs and services in mental and brain health, career counseling, advocacy, physical health and wellness, connection, and long-term rehabilitative care. About Wounded Warrior Project\r Since 2003, Wounded Warrior Project® (WWP) has been meeting the growing needs of warriors, their families, and caregivers — helping them achieve their highest ambition. Learn more.   SOURCE Wounded Warrior Project 877.TEAM.WWP (832.", "Shad Gaspard, the former WWE Superstar who died while saving his son, will be honored posthumously with the 2022 Warrior Award at this year's WWE Hall of Fame ceremony in Dallas, nearly two years after the tragic incident. The former wrestler will be recognized for his heroic efforts ... and will receive one of WWE's most prestigious awards during WrestleMania weekend. The Warrior Award was introduced in 2015 -- it was named after WWE Hall of Famer, Ultimate Warrior -- and is presented to an individual who has exhibited unwavering strength and perseverance. UPDATE: officials confirm description of pro wrestler Shad Gaspard matches that of the body discovered after washing up on shore in Venice Beach. @FOXLA @GDLA @LACoLifeguards 💔 pic.twitter.com/1EGKkglcNf The award is reserved for an individual who lives life with the courage and compassion that embodies the indomitable spirit of the Ultimate Warrior, one of the most popular wrestlers to step foot in a ring. 39-year-old Gaspard personified those traits ... especially in the waning moments of his life. As we previously reported, the wrestler was swimming with his 10-year-old son near Venice Beach in L.A. when a strong rip current engulfed the two. Lifeguards were able to locate Gaspard and his son, but he told them to focus on getting his son to shore safely."], "noise_rate": 0.4, "factlabel": 0} +{"id": 38, "query": "What is the weight of the Surface Laptop SE?", "ans": [["2.45", "1,112.4"]], "label": [1], "prediction": "According to the document, the weight of the Surface Laptop SE is 2.45 pounds (1,112.4 g).", "docs": ["The most affordable Surface, designed for students. Help students achieve the skills they need for their future with a laptop designed for Windows 11 SE and Microsoft 365 for Education.1 Deliver value to schools and IT admins who demand easy deployment, modern management, and security built in. Starting at $249.99   Surface Laptop SE simplifies learning for students. Running Windows 11 SE, an operating system designed for education, students have access to built-in apps, web experiences to help them learn and develop essential skills, and tools that meet them where they are, no matter their abilities. Starting at $249.99 Up to 16 hours3 to stay powered through the day, from work in the classroom to homework. Tackle school assignments from anywhere with online and offline capability.1 Seamlessly run Windows 11 SE, built-in essential apps, and premium learning experiences. 11.17-inch x 7.6-inch x 0.70-inch (283.70 mm x 193.05 mm x 17.85 mm) 4GB or 8GB DDR4 1 x Hall-effect Sensor 2.45 lb (1,112.4 g) Storage4 64GB or 128GB Embedded MultiMedia Card (eMMC) Battery life3 Up to 16 hours of typical device usage Warranty6 Eco Labels and Rating9 Help keep students protected.", "Accessories The Surface Laptop SE is a laptop computer manufactured by Microsoft. Unveiled on November 9, 2021, it is an entry-level model in the Surface Laptop series positioned exclusively towards the education market. It was released on 9 November 2021. The Surface Laptop SE has a plastic body and shares some components (such as the keyboard) with the Surface Laptop Go. Microsoft stated that it was designed to be more repairable than other Surface models, with replacement parts (such as batteries, displays, keyboards, and motherboards) to be available through its service partners for on-site repairs.[1][2] The device uses an Intel Celeron CPU, with configurations using either a Celeron N4020 with 4 GB of RAM and 64 GB of internal storage, or the N4120 with 8 GB of RAM and 128 GB of internal storage. It has two USB ports, one of which is USB-C. Unlike other Surface models, the Laptop SE uses a round, non-magnetic power connector. It includes a 10.1-inch screen at 1366×768 resolution, and a one-megapixel webcam.[1][3] It ships with Windows 11 SE, a variant of the operating system with optimizations for the education market.[3][4]", "Cobalt Blue with Alcantara® material palm rest Surface Laptop 3 15\"\r \t\t\tPlatinum with metal palm rest\r \t\t\tMatte Black with metal palm rest Warranty 1-year limited hardware warranty Weight Surface Laptop 3 13.5”\r \t\t\tSandstone and Matte Black: 2.84 lb (1,288 g)2\r \t\t\tCobalt Blue and Platinum: 2.79 lb (1,265 g)2 Surface Laptop 3 15”\r \t\t\tPlatinum and Matte Black: 3.40 lb (1,542 g)2 * Some software and accessories sold separately. ** Extended return offer period available with Surface devices purchased from Microsoft Store in select markets. Return process must be started within 60 days after customer received the device. Not available for purchases by reseller customers. Extended return offer period limited to 5 device returns total per eligible customer. Excludes Surface Hub. Void where prohibited or restricted by law. Microsoft reserves the right to modify or discontinue offers at any time. Other exclusions and limits may apply. Microsoft Store return policy applies to extended returns. See applicable Microsoft Terms of Sale for more information. [1] Battery life \r Surface Laptop 3: Up to 11.5 hours of battery life based on typical Surface device usage. Testing conducted by Microsoft in September 2019 using preproduction software and preproduction 13.", "By Monica Chin, a senior reviewer covering laptops and other gadgets. Monica was a writer for Tom's Guide and Business Insider before joining The Verge in 2020. Photography by Amelia Holowaty Krales / The Verge If you buy something from a Verge link, Vox Media may earn a commission. See our ethics statement. When I review a particularly ugly Windows laptop, I’ll often refer to it as having a “laptop cart” look. If you were a student at any point after the early 2000s, you probably understand why. The laptops that schools provide to elementary and middle school kids are famously ugly, old, and terrible in all kinds of ways.  With the Surface Laptop SE, which is tailor-made for education and being sold only to schools, Microsoft is trying a different tack. The Surface Laptop SE is a cute laptop. It looks like a miniature version of the company’s flagship Surface Laptop line, complete with the recognizable logo on the lid and bottom bezel. It’s quite light, at just 2.45 pounds. Unlike many clunky school models out there, this is a device I can easily see appealing to adults in the consumer space.  If it weren’t so dang slow.  I’m not gonna hold back here: this is the slowest computer I’ve ever used.", "2x7.6x0.7 inchesWEIGHT: 2.45 pounds LEARN MORE: Make the right decision when making purchasing decisions. Unlike most other computing devices, the Microsoft Surface Laptop SE is designed to be fully accessible for onsite repairs of common components, so students likely won’t have to wait to get back to work if their SE breaks. With no moving parts and a strong chassis, the Microsoft Surface Laptop SE is about as tough as a laptop can be without adding specifically ruggedized components. And while elementary education is hardly a war zone, younger students likely don’t treat their devices with as much care as adults. Microsoft talked with school administrators, teachers and IT professionals working with students ranging in age from kindergarten to eighth grade. It quickly became apparent that three key items — the screen, keyboard and battery — were the most commonly damaged or broken components on classroom laptops, especially in devices that also went home with students. Those three components made up 85 percent of all repair orders, and the repair process itself was also a detriment to education. Normally, broken units must be shipped to a factory or repair center that might take a week or longer to ship the device back — meaning broken laptops were not available to students for extended periods. The shipping costs also were often the responsibility of the school. Microsoft has revolutionized that process with the Microsoft Surface Laptop SE."], "noise_rate": 0.4, "factlabel": 0} +{"id": 39, "query": "Who stars in The Lost City?", "ans": ["Sandra Bullock", "Channing Tatum"], "label": [1, 1], "prediction": "According to the provided document, the stars in The Lost City are:\n\n* Sandra Bullock as Loretta Sage\n* Channing Tatum as Alan\n* Daniel Radcliffe as Abigail Fairfax\n* Da'Vine Joy Randolph\n* Brad Pitt\n* Oscar Nunez", "docs": ["Loretta Sage / Angela Alan / Dash Abigail Fairfax Beth Hatten Jack Trainer Oscar Allison Ray the Moderator Fantasy Villain (as Slang) Nana Rafi Julian Shades Woman Singing in Village Officer Sawyer Officer Gomez Limo Driver Cigar Man Biker Biker Chef Barb Audience Member Nerdy Teenage Girl Airline Employee Dash Fan Uniformed Man (as Merionne Toussaint) Villager Local (as Emerson González) Consular Clerk Sound Person PA Announcer (voice) Meditation Leader (voice) Randy the Goat Local Policeman (uncredited) Henchman (uncredited) © 1990-2023 by IMDb.com, Inc.", "When co-director-writers Adam and Aaron Nee set out to make their film The Lost City, they put their actors through their own jungle misadventure. \"Sandy, I remember early on putting you and Channing in the ocean, surrounded by jellyfish, and feeling like we were going to lose our actors in week one,\" Adam says of stars Sandra Bullock and Channing Tatum. The Lost City follows Bullock's Loretta, a successful but blocked romance novelist who, during her latest book tour with her handsome cover model, Alan (Channing Tatum), gets swept up in a kidnapping attempt that lands them both in a jungle chase. During EW's Around the Table with the cast — including Bullock, Daniel Radcliffe, Da'Vine Joy Randolph, Oscar Nuñez, and Patti Harrison — the directors likened shooting in the jungles of the Dominican Republic to \"a crazy, zany time.\" Tatum and Bullock weren't the only ones the Nee brothers worried about scaring off. Recalling Radcliffe's early days on set as the film's eccentric billionaire villain Abigail Fairfax, Aaron recalled, \"I think Adam and I thought, 'Oh no, we've just gotten Daniel here and we're going to throw him in the ocean.'\" Or, as Bullock puts it, \"And now, we're going to kill him.", "The Lost City features Sandra Bullock, Channing Tatum, and Daniel Radcliffe, among a few other actors. Check out some fun facts about the cast. The 2022 film The Lost City is the perfect combination of comedy, adventure, romance, and an incredibly talented cast capable of pulling off any role. This film directed by Adam and Aaron Nee, from a story by Seth Gordon, features Loretta Sage, a brilliant author who writes romance novels set in exotic locations featuring Dr. Angela Lovemore and her romantic interest, Dash McMahon. But Loretta's real life bears no resemblance to the things she writes: after her husband's death, she became a reclusive, grumpy woman who is not even eager to write anymore. Halfway through a promotional tour for her latest novel, Loretta is kidnapped by a lunatic billionaire who wants her to lead him to a lost city treasure she depicted in her book. Fortunately, Loretta won't be alone: Alan, the cover model of her books, sets out on a journey to rescue her and demonstrate that he can also be a hero. Sandra Bullock and Channing Tatum headline this blockbuster alongside Daniel Radcliffe, Da'Vine Joy Randolph, Brad Pitt, and Oscar Nunez, among other actors. The Lost City was released in March 2022 and quickly became a box office hit.", "The Lost City - Cr. Paramount Pictures Get ready because The Lost City, one of the most highly-anticipated films all year, is officially coming to theaters later this week! At long last, movie-buffs will finally get their hands on this movie that is said to be one of the most action-packed releases of 2022. In just seeing the film’s many explosions and fight sequences, we can tell that the rumors are true. But, what we also know to be true is that this film has a riveting story you’re absolutely not going to want to miss out on. Check out the synopsis for The Lost City, here: The only thing better than this plot has to be the cast slated to appear in this 2022 movie.Who can you expect to see and which roles will they play? Find out as you read all about The Lost City‘s official cast, here. From Dog actor Channing Tatum who stars as Alan in this movie to Miracle Workers actor Daniel Radcliffe who plays the role of Fairfax, the cast of The Lost City features: And last but certainly not least, The Unforgiveable actress Sandra Bullock will play the lead role of  Loretta Sage in this 2022 title. See Bullock and the rest of this amazing cast in the official trailer of The Lost City down below.", "Weekend Box Office Results: The Lost City Scores Promising Debut Super Bowl Trailers 2022: Watch Every Movie and TV Trailer Right Now Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved."], "noise_rate": 0.4, "factlabel": 0} +{"id": 40, "query": "What happened at the Academy Awards involving Will Smith and Chris Rock?", "ans": ["slapped"], "label": [1], "prediction": "According to the provided documents, Will Smith walked onstage and slapped Chris Rock across the face during Rock's presentation for Best Documentary Feature at the 94th Academy Awards on March 27, 2022. The slap was in response to Rock's joke about Smith's wife Jada Pinkett Smith's shaved head, which she had been shaving since 2021 due to alopecia areata.", "docs": ["[14][17][18][19] Many Internet memes and parodies have been created from the photo and video.[29][30] On March 31, additional smartphone footage was published from an audience member's perspective of the Smiths' table. This seems to show the reaction of Pinkett Smith during and after the joke, as unamused and rolling her eyes during the joke but then seeming to laugh when Rock commented, \"Will Smith just smacked the shit out of me.\" and \"That was a ... greatest night in the history of television.\"[31] In a statement on March 30, the Academy said Smith had been asked to leave the ceremony but refused.[32] However, others who were present in the room denied that Smith was ever asked, either directly or through a representative, to leave; disagreement ensued between members of the academy's leadership and ceremony producer Will Packer on whether Smith should be allowed to stay, which led to no action being taken.[33] Variety reported that Packer \"was the key to Smith remaining in his seat\".[33] In a subsequent interview with Good Morning America, Packer said he opposed suggestions to remove Smith from the theater because he did not believe that Rock would want it.[34] Within forty minutes, Smith was presented the award for Best Actor for his portrayal of Richard Williams in King Richard.", "Musician Questlove and film producers David Dinerstein, Robert Fyvolent, and Joseph Patel were on stage immediately after the incident to accept the Best Documentary Feature award for Summer of Soul, and some commenters opined that this award had been overshadowed by the incident.[77][78][79] The distracted audience searched Twitter for information on Rock and Smith.[14] Gabrielle Ulubay of Marie Claire wrote that Summer of Soul \"deserved to have its moment, and Questlove's touching speech and tribute to his parents deserved to have our full attention—but instead, the world kept its mind on Will Smith and Chris Rock and its eyes on Twitter\".[80] Questlove was asked about the incident by a reporter in a backstage press conference immediately after leaving the stage, and declined: \"I'm not talking about that tonight, this is about the Harlem Cultural Festival.\"[81] In an interview on The Tonight Show Starring Jimmy Fallon the next night, Questlove said he did not notice the slap in the moment because he was using Transcendental Meditation to curb his anxiety before the winner was called, and did not realize what had happened until \"maybe three seconds before I spoke words\".[82][83] Reactions from celebrity attendees at the Academy Awards varied. In general, there was strong condemnation of Smith's violence and support for Rock, though some defended Smith's actions or refused to side solely with either man.", "During the 94th Academy Awards on March 27, 2022, actor Will Smith walked onstage and slapped comedian Chris Rock across the face during Rock's presentation ...", "Filed under: What the American Oscars telecast cut from the Will Smith-Chris Rock confrontation. Will Smith has been banned from the Oscars for 10 years after slapping Chris Rock live on camera during the award show, the New York Times reports. The incident came in the final hour of an otherwise sleepy Oscars telecast on March 27. Rock made a joke about Smith’s wife, Jada Pinkett Smith, and Smith took the stage and slapped him. Minutes later, Smith won his first ever Oscar. “I did not know this was gonna be the most exciting Oscars ever,” marveled Diddy shortly after. “This action we are taking today in response to Will Smith’s behavior is a step toward a larger goal of protecting the safety of our performers and guests, and restoring trust in the Academy,” the Academy of Motion Picture Arts and Sciences said in an open letter on April 8. “We also hope this can begin a time of healing and restoration for all involved and impacted.” Smith, who resigned from the Academy on April 1, said in a statement, “I accept and respect the Academy’s decision.” Here’s what happened. Chris Rock was appearing at the Oscars to announce the winner for Best Documentary. In the leadup to announcing the nominees, he went through a little comedic patter about some of the nominees, and his attention appeared to snag on Smith’s wife, Jada Pinkett Smith, sitting in front in a green gown with a shaved head.", "During the 94th Academy Awards on March 27, 2022, actor Will Smith walked onstage and slapped comedian Chris Rock across the face during Rock's presentation for Best Documentary Feature. The slap was in response to Rock's joke about Smith's wife Jada Pinkett Smith's shaved head, which she had been shaving since 2021 due to alopecia areata. Smith returned to his seat and shouted profanity at Rock, who briefly responded, but completed his presentation without further interruption. Later that evening, Smith won Best Actor and apologized to the Academy of Motion Picture Arts and Sciences and other nominees, but not to Rock, in his acceptance speech. The next day, he issued an apology to Rock and the Academy through social media. Smith resigned his Academy membership on April 1, facing a potential suspension or expulsion, and was banned from attending Academy events for 10 years, effective April 8. Live television broadcasts in the United States mostly muted the incident due to federal censorship laws. However, uncensored international footage went viral on social media; an excerpt from the Australian broadcast became one of the most-viewed online videos in the first 24 hours. The incident received worldwide attention and largely overshadowed the rest of the ceremony. After the ceremony, some publications recalled Rock's past remarks about Jada Pinkett Smith. In 1997, he had commented on her participation in the Million Woman March in an interview on his late night-talk show, The Chris Rock Show."], "noise_rate": 0.4, "factlabel": 0} +{"id": 41, "query": "When did Apple M2 chip?", "ans": [["June 6", "Jun 6", "Jun. 6", "6 June", "6 Jun", "6 Jun."]], "label": [1], "prediction": "According to the provided documents, Apple announced the M2 chip on June 6, 2022, at WWDC, along with models of the MacBook Air and the 13-inch MacBook Pro using the M2.", "docs": ["The M2 uses 6,400 MT/s LPDDR5 SDRAM in a unified memory configuration shared by all the components of the processor. The SoC and RAM chips are mounted together ...", "Mac computers powered with Apple silicon have access to the largest collection of apps ever for Mac, including iPhone and iPad apps that can run on Mac, and universal apps that unlock the full power of M-series chips. macOS Ventura, coming this fall, will also take full advantage of M2, bringing new features including Stage Manager, and powerful new capabilities with Continuity Camera and Handoff in FaceTime. macOS Ventura also includes big updates to Safari, Mail, Messages, Spotlight, and more. Apple Silicon and the Environment The power-efficient performance of M2 helps the new MacBook Air and 13-inch MacBook Pro meet Apple’s high standards for energy efficiency. Today, Apple is carbon neutral for global corporate operations, and by 2030, plans to have net-zero climate impact across the entire business, which includes manufacturing supply chains and all product life cycles. This means that every chip Apple creates, from design to manufacturing, will be 100 percent carbon neutral. About Apple Apple revolutionized personal technology with the introduction of the Macintosh in 1984. Today, Apple leads the world in innovation with iPhone, iPad, Mac, Apple Watch, and Apple TV. Apple’s five software platforms — iOS, iPadOS, macOS, watchOS, and tvOS — provide seamless experiences across all Apple devices and empower people with breakthrough services including the App Store, Apple Music, Apple Pay, and iCloud.", "Text of this article June 6, 2022 PRESS RELEASE Apple unveils M2, taking the breakthrough performance and capabilities of M1 even further M2 delivers new levels of power-efficient performance and capabilities to the completely redesigned MacBook Air and updated 13-inch MacBook Pro CUPERTINO, CALIFORNIA Apple today announced M2, beginning the next generation of Apple silicon designed specifically for the Mac. Built using second-generation 5-nanometer technology, M2 takes the industry-leading performance per watt of M1 even further with an 18 percent faster CPU, a 35 percent more powerful GPU, and a 40 percent faster Neural Engine.1 It also delivers 50 percent more memory bandwidth compared to M1, and up to 24GB of fast unified memory. M2 brings all of this — plus new custom technologies and greater efficiency — to the completely redesigned MacBook Air and updated 13-inch MacBook Pro.  “M2 starts the second generation of M-series chips and goes beyond the remarkable features of M1,” said Johny Srouji, Apple’s senior vice president of Hardware Technologies. “With our relentless focus on power-efficient performance, M2 delivers a faster CPU, GPU, and Neural Engine. And along with higher memory bandwidth and new capabilities like ProRes acceleration, M2 continues the tremendous pace of innovation in Apple silicon for the Mac.", "Apple M2 is a series of ARM-based system on a chip (SoC) designed by Apple Inc. as a central processing unit (CPU) and graphics processing unit (GPU) for its Mac desktops and notebooks, and the iPad Pro tablet. It is the second generation of ARM architecture intended for Apple's Mac computers after switching from Intel Core to Apple silicon, succeeding the M1. Apple announced the M2 on June 6, 2022, at WWDC, along with models of the MacBook Air and the 13-inch MacBook Pro using the M2. The M2 is made with TSMC's \"Enhanced 5-nanometer technology\" N5P process and contains 20 billion transistors, a 25% increase from the M1. Apple claims CPU improvements up to 18% and GPU improvements up to 35% compared to the M1.[3] The M2 was followed by the professional-focused M2 Pro and M2 Max chips in January 2023. The M2 Max is a higher-powered version of the M2 Pro, with more GPU cores and memory bandwidth, and a larger die size.[4] Apple introduced the M2 Ultra in June 2023, combining two M2 Max chips in one package.[1]", "Jun 6, 2022 ... Built using second-generation 5-nanometer technology, M2 takes the industry-leading performance per watt of M1 even further with an 18 percent ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 42, "query": "What film won the 2022 Academy Award for Best Picture?", "ans": ["CODA"], "label": [1], "prediction": "According to the provided document, CODA won the 2022 Academy Award for Best Picture.", "docs": ["By Allison Hussey CODA has won Best Picture at the 94th Academy Awards. It won over Belfast, Don’t Look Up, Drive My Car, Dune, King Richard, Licorice Pizza, Nightmare Alley, The Power of the Dog, and West Side Story. The film won in all three categories in which it received nominations. Troy Kotsur won Best Supporting Actor—the first deaf man to win an Oscar for Acting—and the film also won Best Adapted Screenplay. Eight categories were moved out of the live broadcast of the Oscars this year, including Editing, Original Score, Makeup and Hairstyling, and Production Design. The change in proceedings prompted some dissatisfied responses from industry members who felt that the move minimized the creative accomplishments of many departments responsible for a movie’s success. Follow all of Pitchfork’s coverage of the 2022 Oscars. By Jazz Monroe By Madison Bloom By Eric Torres By Matthew Strauss By Evan Minsker By Eric Torres By Madison Bloom By Allison Hussey More From Pitchfork Events © 2023 Condé Nast. All rights reserved. Use of this site constitutes acceptance of our User Agreement and Privacy Policy and Cookie Statement and Your California Privacy Rights. Pitchfork may earn a portion of sales from products that are purchased through our site as part of our Affiliate Partnerships with retailers. The material on this site may not be reproduced, distributed, transmitted, cached or otherwise used, except with the prior written permission of Condé Nast.", "Two years later, Kafuku, still unable to fully cope with the loss of his wife, receives an offer to direct a play at a theater festival and drives to Hiroshima. DUNE Mary Parent, Denis Villeneuve and Cale Boyter, Producers Film Synopsis Paul Atreides, a young man haunted by prophetic dreams and fated for greatness, is the son of a brave ruler and a warrior priestess. When his family is placed in charge of the desert planet Arrakis, Paul must defend his family's stewardship of the world's most valued resource. RELATED: Oscars 2022 Shortlists in 10 Award Categories Announced KING RICHARD Tim White, Trevor White and Will Smith, Producers Film Synopsis Armed with a brazen plan, Richard Williams is determined to write his daughters into history. Along with his wife Oracene, Richard guides their young daughters, Venus and Serena, on their path to changing the sport of tennis and the world forever. LICORICE PIZZA Sara Murphy, Adam Somner and Paul Thomas Anderson, Producers Film Synopsis Fifteen-year-old Gary Valentine, at the tail end of his career as a child actor, instantly falls in love with twenty-something photographer's assistant Alana Kane.", "The 94th Academy Awards ceremony, presented by the Academy of Motion Picture Arts and Sciences (AMPAS), took place on March 27, 2022, at the Dolby Theatre in Hollywood, Los Angeles. The awards were scheduled after their usual late February date to avoid conflicting with both the 2022 Winter Olympics and Super Bowl LVI, with the latter being held in nearby Inglewood, California.[3] During the gala, the AMPAS presented Academy Awards (commonly referred to as Oscars) in 23 categories honoring films released from March 1 to December 31, 2021. The ceremony, televised in the United States by ABC, was produced by Will Packer and Shayla Cowan and was directed by Glenn Weiss.[4] Actresses Regina Hall, Amy Schumer, and Wanda Sykes hosted the show for the first time.[5] Two days earlier, in an event held at the Ray Dolby Ballroom of the Ovation Hollywood complex in Hollywood, the Academy held its 12th annual Governors Awards ceremony.[6] CODA won three awards, including Best Picture. Other winners included Dune with six awards, The Eyes of Tammy Faye with two, and Belfast, Cruella, Drive My Car, Encanto, King Richard, The Long Goodbye, No Time to Die, The Power of the Dog, The Queen of Basketball, Summer of Soul, West Side Story and The Windshield Wiper with one.", "CODA is the Oscars 2022 Best Picture Oscar winner! Ten films competed to take home the most prestigious award in film, the Oscar, with the winner revealed when The Oscars aired LIVE SUNDAY, MARCH 27 on ABC. The nominees for Best Picture were: BELFAST, CODA, DON'T LOOK UP, DRIVE MY CAR, DUNE, KING RICHARD, LICORICE PIZZA, NIGHTMARE ALLEY, THE POWER OF THE DOG and WEST SIDE STORY. THE POWER OF THE DOG had the most nominations, having been nominated for 12 Academy Awards. NIGHTMARE ALLEY was the fourth Best Picture nomination for Bradley Cooper, having previously been nominated for AMERICAN SNIPER (2014), A STAR IS BORN (2018) and JOKER (2019). WEST SIDE STORY was Steven Spielberg's 11th Best Picture nomination, which is a record for an individual producer. For all the details, you can read more about the Oscars 2022 Best Picture nominees below. You can also explore other Oscars 2022 nominees and see the complete Oscars 2022 nominations list right here on Oscar.com.", "Los Angeles Times television critic Lorraine Ali said: \"Overall, the production was much tighter and brighter than in recent years, thanks in large part to powerful music numbers, a diverse mixture of guests, and the bitingly funny trio of hosts, Wanda Sykes, Amy Schumer and Regina Hall.\"[68] Film critic Richard Roeper of the Chicago Sun-Times praised the hosts' performances, writing: \"It was funny, albeit relatively safe stuff.\" He also noted that despite the Smith–Rock incident disrupting the momentum of the proceedings, the telecast was \"one of the most uplifting, groundbreaking, amazing Oscars ever\".[69] The American telecast on ABC drew in an average of 16.62 million people over its length, which was a 60% increase from the previous year's ceremony.[2] The show also earned higher Nielsen ratings compared to the previous ceremony with 9.0% of households watching the ceremony.[70] In addition, it garnered a higher 18–49 demo rating with a 3.76 rating, or 77% viewers in that demographic.[2] In July 2022, the broadcast was nominated for three awards at the 74th Primetime Emmys, but it failed to win any of its nominations.[71][72] The \"In Memoriam\" tribute, accompanied by a musical medley performed by musical group The Samples, paid tribute to the following individuals.[73]"], "noise_rate": 0.4, "factlabel": 0} +{"id": 43, "query": "When will the 94th Academy Awards be held?", "ans": [["March 27", "Mar 27", "Mar. 27", "27 March", "27 Mar", "27 Mar."]], "label": [1], "prediction": "According to the provided documents, the 94th Academy Awards ceremony took place on March 27, 2022.", "docs": ["The 95th annual Oscars will be held on March 12, 2023, in Los Angeles.   Credit: ABC/Jeff Lipsky\t\t\t\t\t\t\t \t\t\t\t\t\t Kimmel is returning to host for the third time. He previously helmed the 2017 and 2018 awards.    Kimmel is returning to host for the third time. He previously helmed the 2017 and 2018 awards.    Credit: Shutterstock /Alex Millauer\t\t\t\t\t\t\t \t\t\t\t\t\t The ceremony will be broadcast on ABC.    The ceremony will be broadcast on ABC.    Credit: Chris Chew/UPI/Shutterstock\t\t\t\t\t\t\t \t\t\t\t\t\t Nominations have not yet been announced, but the 2023 Oscars will honor the best and brightest of films released in 2022. The Whale, The Fabelmans, Elvis and Everything Everywhere All at Once are strong contenders for top trophies. The official list will be revealed in January 2023.    Nominations have not yet been announced, but the 2023 Oscars will honor the best and brightest of films released in 2022. The Whale, The Fabelmans, Elvis and Everything Everywhere All at Once are strong contenders for top trophies. The official list will be revealed in January 2023.    Credit: Rob Latour/Shutterstock\t\t\t\t\t\t\t \t\t\t\t\t\t Despite the drama that ensued during the 2022 ceremony, ABC was pleased with the broadcast.", "The 94th Academy Awards ceremony, presented by the Academy of Motion Picture Arts and Sciences (AMPAS), took place on March 27, 2022, at the Dolby Theatre in Hollywood, Los Angeles. The awards were scheduled after their usual late February date to avoid conflicting with both the 2022 Winter Olympics and Super Bowl LVI, with the latter being held in nearby Inglewood, California.[3] During the gala, the AMPAS presented Academy Awards (commonly referred to as Oscars) in 23 categories honoring films released from March 1 to December 31, 2021. The ceremony, televised in the United States by ABC, was produced by Will Packer and Shayla Cowan and was directed by Glenn Weiss.[4] Actresses Regina Hall, Amy Schumer, and Wanda Sykes hosted the show for the first time.[5] Two days earlier, in an event held at the Ray Dolby Ballroom of the Ovation Hollywood complex in Hollywood, the Academy held its 12th annual Governors Awards ceremony.[6] CODA won three awards, including Best Picture. Other winners included Dune with six awards, The Eyes of Tammy Faye with two, and Belfast, Cruella, Drive My Car, Encanto, King Richard, The Long Goodbye, No Time to Die, The Power of the Dog, The Queen of Basketball, Summer of Soul, West Side Story and The Windshield Wiper with one.", "In October 2021, the Academy hired film director and producer Will Packer and his production company chief of staff Shayla Cowan to oversee production of the 2022 ceremony.[25] \"Will is a powerhouse producer who has enjoyed success across all movie genres! He's already bringing a boundless energy and a focus on innovation to this year's Oscars, to entertain the widest spectrum of fans. Many wonderful surprises ahead,\" remarked Academy president David Rubin and CEO Dawn Hudson. In response, Packer expressed his gratitude, saying: \"The power, the beauty, the romance of the imagery in movies has always attracted me. I'm fully embracing the challenge of bringing an ode to one of the most iconic mediums in the world to life. What an honor.\"[25] Four months later, actresses and comedians Regina Hall, Amy Schumer, and Wanda Sykes were announced as hosts of the gala during an interview with Packer on Good Morning America.[5] This marked the first time that three people had shared hosting duties for the Oscars since Chevy Chase, Goldie Hawn, and Paul Hogan presided over the 59th ceremony held in 1987.[26] This year, the show was centered around the theme \"Movie Lovers Unite\".", "The 94th annual Academy Awards will be held at Dolby Theatre in Hollywood on Sunday, March 27. After three years of the award show going host-less, Regina Hall, Amy Schumer and Wanda Sykes are set to co-host. “The Power of the Dog” leads in nominations with 12 nods. Troy Kotsur became the first deaf male actor to receive an Oscar nomination while Denzel Washington continued his record of being the most-nominated Black actor in Academy Awards history with his 10th nomination for his performance in “The Tragedy of Macbeth.” Read on for the full list of nominees.", "Kong\" \"The Matrix Resurrections\" \"No Time to Die\" \"Shang-Chi and the Legend of the Ten Rings\" \"Spider-Man: No Way Home\" Download   Nominations voting begins on Thursday, January 27, 2022, and concludes on Tuesday, February 1, 2022. Nominations for the 94th Academy Awards will be announced on Tuesday, February 8, 2022. The 94th Oscars® will be held on Sunday, March 27, 2022, at the Dolby® Theatre at Hollywood & Highland® in Hollywood and will be televised live on ABC and in more than 200 territories worldwide.   FOLLOW THE ACADEMYwww.oscars.orgwww.facebook.com/TheAcademywww.youtube.com/Oscarswww.twitter.com/TheAcademywww.instagram."], "noise_rate": 0.4, "factlabel": 0} +{"id": 44, "query": "When was A House Between the Earth and the Moon published?", "ans": [["March 29", "Mar 29", "Mar. 29", "29 March", "29 Mar", "29 Mar."]], "label": [1], "prediction": "According to the provided document, the paperback edition of \"A House Between Earth and the Moon\" was published on March 28, 2023, and the ebook edition was published on March 29, 2022.", "docs": ["A House Between Earth and the Moon by Rebecca Scherm | Literary Fiction. Paperback | $18.00. Published by Penguin Books Mar 28, 2023 ; | Literary Fiction. Ebook | $5.99. Published by Viking Mar 29, 2022", "A House Between Earth and the Moon: A Novel *FREE* shipping on qualifying offers. A House Between Earth and the Moon: A Novel. ... Publication date. March 29, 2022. ", ") Mary Agnes worries that her schlubby dad will be changed by the posh Parallaxis I she sees in promotional videos, but her fear is misplaced. Parallaxis I is portrayed as pristine in advertisements but barely functions in reality. The Pioneers must double as amateur space-station builders as they scramble to get the place up and running. Alex thinks of it as a “freezing, comfortless warehouse.” It’s like a zero-gravity version of “luxury” skyscrapers riddled with issues like 432 Park, its exclusivity and high price tag obscuring how janky it is. Buy This Book At: If you buy something using links in our stories, we may earn a commission. This helps support our journalism. Learn more. Despite its glaring issues, some of Alex’s teammates are planning to bring their families up, like Lenore, the team’s 3D fabricator, who plans to have her grandparents come. She frames it like they’re simply space enthusiasts, but there’s a financial angle. On Earth, they’re broke. In fact, several of the Pioneers are motivated by precarity. Meanwhile, even as Sensus’ guinea pigs sleep in makeshift dorms as they try to make the space station functional, the Sons are peddling Parallaxis I to investors as the one place privacy can truly be guaranteed. And the true concern of A House Between Earth and the Moon is the value of privacy.", "First published March 29, 2022 ... In a nutshell, A House Between Earth and the Moon is set in the not-too-distant future and hinges on the phenomenon of ...", "1] In H. G. Wells' 1901 novel The First Men in the Moon (also relating to the first voyagers to the Moon) the protagonist, Mr. Bedford, mentions Verne's novel to his companion, Professor Cavor, who replies (in a possible dig at Verne) that he does not know what Bedford is referring to. Verne returned the dig later when he pointed out that he used gun cotton to send his men to the Moon, an actual substance. \"Can Mr. Wells show me some 'cavourite'?\", he asked archly. The novel (along with Wells' The First Men in the Moon) inspired the first science fiction film, A Trip to the Moon, made in 1902 by Georges Méliès. In 1958, another film adaptation of this story was released, titled From the Earth to the Moon. It was one of the last films made under the RKO Pictures banner. The story also became the basis for the very loose adaptation Jules Verne's Rocket to the Moon (1967), a caper-style British comedy starring Burl Ives and Terry-Thomas. The 1961 Czechoslovak film The Fabulous Baron Munchausen combines characters and plot elements from the Verne novel with those of the stories of Baron Munchausen and Cyrano de Bergerac.[citation needed]"], "noise_rate": 0.4, "factlabel": 0} +{"id": 45, "query": "Which alnum won the Album of the Year GRAMMYs 2022", "ans": ["We are"], "label": [1], "prediction": "According to the provided document, Jon Batiste's album \"WE ARE\" won the Album of the Year award at the 2022 GRAMMYs.", "docs": ["Be the first to find out about GRAMMY nominees, winners, important news, and events. Privacy Policy Graphic by the Recording Academy news Find out who won in each of the 86 categories at the 2022 GRAMMYs Editor's Note: The 2022 GRAMMYs Awards show, officially known as the 64th GRAMMY Awards, has been rescheduled to Sunday, April 3, at the MGM Grand Garden Arena in Las Vegas. The below article was updated on Tuesday, Jan. 18, to reflect the new show date and location. Updated Sunday, April 3 The 2022 GRAMMYs, officially known as the 64th GRAMMY Awards, are officially wrapped. See below to see who won golden gramophones at the 2022 GRAMMYs. (The 64th GRAMMY Awards recognize recordings released between Sept. 1, 2020 — Sept. 30, 2021.) Relive the 10 must-see moments from the annual award show. 1. Record Of The YearAward to the Artist and to the Producer(s), Recording Engineer(s) and/or Mixer(s) and mastering engineer(s), if other than the artist.", "By Madison Bloom Tonight, at the 2022 Grammy Awards, Jon Batiste won Album of the Year for his latest LP We Are. Batiste beat out Kanye West, Billie Eilish, Taylor Swift, Olivia Rodrigo, Lil Nas X, Doja Cat, Tony Bennett and Lady Gaga, H.E.R., and Justin Bieber for the accolade. Batiste, who looked stunned upon hearing his name called by Lenny Kravitz, gave a speech thanking his fellow nominees and speaking about how inspiring he’s found all of their music. “You know, I really, I believe this to my core—there is no best musician, best artist, best dancer, best actor,” he said. “The creative arts are subjective and they reach people at a point in their lives when they need it most. It’s like a song or an album is made, and it almost has a radar to find the person when they need it the most.” Earlier in the evening, Batiste took home four Grammys: Best Music Video (for “Freedom”), Best American Roots Performance (for “Cry”), and Best American Roots Song (for “Cry”), as well as Best Score Soundtrack for Visual Media (for Soul, which he wrote alongside Trent Reznor and Atticus Ross). Earlier in the night, he delivered a bright and colorful performance of “Freedom.", "Be the first to find out about GRAMMY nominees, winners, important news, and events. Privacy Policy Photo: Matt Winkelmeyer/Getty Images news Jon Batiste's 'WE ARE' wins the GRAMMY for Album Of The Year at the 2022 GRAMMYs Jon Batiste's WE ARE wins Album Of The Year at the 2022 GRAMMYs. The coveted award marks the singer's fifth win of the 2022 GRAMMYs. Walking up to the stage practically in disbelief, Batiste delivered perhaps one of the most moving speeches of the night upon accepting his award. \"I believe this to my core — there is no best musician, best artist, best dancer, best actor,\" he said. \"The creative arts are subjective and they reach people at a point in their lives when they need it most. It’s like a song, or an album, is made and it almost has a radar to find the person when they need it the most.\" Batiste thanked everyone who was involved in the making of WE ARE, including his grandfather and his nephews. Beating out Tony Bennett & Lady Gaga's Love For Sale, Justin Bieber's Justice, Doja Cat's Planet Her, Billie Eilish's Happier Than Ever, H.E.R.", "The 64th Annual Grammy Awards ceremony was held at the MGM Grand Garden Arena in Las Vegas on April 3, 2022.[2] It recognized the best recordings, compositions, and artists of the eligibility year, running from September 1, 2020, to September 30, 2021.[3] The nominations were revealed via a virtual livestream on November 23, 2021. The performers for the ceremony were announced on March 15, 24, and 30, 2022. South African comedian Trevor Noah, who hosted the previous ceremony in 2021, returned as host.[4] The ceremony's location marked the first time the Recording Academy switched host cities for a single ceremony.[5] This also makes it the first Grammy Awards ceremony to not to be held in either New York City or Los Angeles since the 15th Grammy Awards in 1973 when it was held at the Tennessee Theatre in Nashville, Tennessee.[6] Jon Batiste received the most nominations with eleven, followed by Doja Cat, H.E.R., and Justin Bieber with eight each.[7] Batiste received the most awards with five, and won Album of the Year for We Are. Silk Sonic won Record of the Year and Song of the Year for \"Leave the Door Open\", and Olivia Rodrigo won Best New Artist.[8] The ceremony was originally scheduled for January 31, 2022, at the Crypto.", "Rodrigo won three awards, including Best New Artist, while Kanye West and Tony Bennett & Lady Gaga won two. A tribute to Foo Fighters’ drummer Taylor Hawkins was presented following the iconic musician’s death last week (March 25). Foo Fighters were scheduled to perform at the ceremony, but have since pulled out, as well as cancelling their planned touring schedule. BTS put in a stunning performance of their hit single ‘Butter’, becoming undercover agents for the appearance, while Eilish performed ‘Happier Than Ever’ from a rain-soaked rooftop wearing a t-shirt of Taylor Hawkins. Rodrigo delivered a version of her breakthrough track ‘Drivers License’, Lil Nas X and Jack Harlow teamed up for ‘Industry Baby’, and Nas dipped into his back catalogue, while Lady Gaga paid tribute to Bennett. The full list of winners from the Grammys 2022 is as follows: ABBA – ‘I Still Have Faith In You’ Jon Batiste – ‘Freedom’ Tony Bennett, Lady Gaga – ‘I Get A Kick Out of You’ Justin Bieber, Daniel Cesar, Giveon – ‘Peaches’ Brandi Carlile – ‘Right on Time’ Doja Cat, SZA – ‘Kiss Me More’ Billie Eilish – ‘Happier Than Ever’ Lil Nas X – ‘Montero (Call Me By Your Name)’ Olivia Rodrigo – ‘Drivers License’"], "noise_rate": 0.4, "factlabel": 0} +{"id": 46, "query": "When is the final of the 2022 FIFA World Cup?", "ans": [["December 18", "Dec 18", "Dec. 18", "18 December", "18 Dec", "18 Dec."]], "label": [1], "prediction": "According to the provided document, the final of the 2022 FIFA World Cup was played on 18 December 2022.", "docs": ["The 2022 FIFA World Cup final was the final match of the 2022 FIFA World Cup, the 22nd edition of FIFA's competition for men's national football teams. The match was played at Lusail Stadium in Lusail, Qatar, on 18 December 2022, the Qatari National Day, and was contested by Argentina and defending champions France. The final took place in front of 88,966 supporters, with a record crowd of 1.5 billion people watching on television, becoming one of the most widely-watched televised sporting events in history.[3] The tournament comprised hosts Qatar and 31 other teams who emerged victorious from the qualification phase, organised by the six FIFA confederations. The 32 teams competed in a group stage, from which 16 teams qualified for the knockout stage. En route to the final, Argentina finished first in Group C, first losing to Saudi Arabia 2–1, then defeating both Mexico and Poland 2–0. They then won against Australia in the round of 16, the Netherlands in the quarter-final through a penalty shoot-out, and Croatia in the semi-final. France finished top of Group D with two wins and one loss (4–1 win over Australia, 2–1 win over Denmark, and a 1–0 loss to Tunisia), defeating Poland in the round of 16, England in the quarter-final and Morocco in the semi-final.", "Argentina were crowned the champions after winning the final against the title holder France 4–2 on penalties following a 3–3 draw after extra time. It was ...", "The update for FIFA 23 added World Cup-themed tournament modes with all teams and two of the stadiums from the event, campaigns and World Cup-themed unlockable content for Ultimate Team mode, and real-time squad and fixture updates during the tournament.[259] On 24 August 2022, the Panini Group produced themed stickers and a sticker album for a 14th consecutive World Cup.[260] Collectors were meant to open player packs and use them to fill their sticker book with all 32 participating teams. This year, rare cards with coloured borders \"parallels\" could be found, and could be collected, traded, or sold.[261] On 12 April 2022, FIFA released an over-the-top media service and app revolving around the World Cup called FIFA+, where fans could play games, predict matches, and compete with others.[262] In May 2022, Infantino projected that the 2022 FIFA World Cup could be the most-watched in its history, with a global audience of at least 5 billion. The 2018 tournament was seen by 3.57 billion across the tournament.[263] The various controversies surrounding the World Cup in Qatar led to questions over how the tournament would be covered in the media, and whether they would be discussed or addressed during coverage.[264][265] David Neal, executive producer for U.S.", "16] The defending champions were France, who defeated Croatia 4–2 in the 2018 FIFA World Cup Final.[17][18] The event was scheduled to take place under a reduced length,[19] from 20 November to 18 December in Qatar.[20][21][22] Being held in Qatar, it was the first World Cup tournament to be held in the Arab world.[23] Spectators were not required to follow most COVID-19 pandemic restrictions such as social distancing, wearing masks, and negative tests.[24] Unlike previous FIFA World Cups, which are typically played in June and July, because of Qatar's intense summer heat and often fairly high humidity,[2][21][25] the 2022 World Cup was played in November and December.[5][26] As a result, the World Cup was unusually staged in the middle of the seasons of many domestic association football leagues, which started in late July or August, including all of the major European leagues, which had been obliged to incorporate extended breaks into their domestic schedules to accommodate the World Cup. Major European competitions had scheduled their respective competitions group matches to be played before the World Cup, to avoid playing group matches the following year.[27] The match schedule was confirmed by FIFA in July 2020.[28] The group stage was set to begin on 21 November, with four matches every day.", "371] On 24 February 2015, the FIFA Task Force proposed that the tournament be played from late November to late December 2022,[372] to avoid the summer heat between May and September and also avoid clashing with the 2022 Winter Olympics in February, the 2022 Winter Paralympics in March and Ramadan in April.[373][374] The notion of staging the tournament in November was controversial because it would interfere with the regular season schedules of some domestic leagues around the world. Commentators noted the clash with the Christian Christmas season was likely to cause disruption, whilst there was concern about how short the tournament was intended to be.[375] FIFA executive committee member Theo Zwanziger said that awarding the 2022 World Cup to Qatar was a \"blatant mistake\".[376] Frank Lowy, chairman of Football Federation Australia, said that if the 2022 World Cup were moved to November and thus upset the schedule of the A-League, they would seek compensation from FIFA.[377] Richard Scudamore, chief executive of the Premier League, stated that they would consider legal action against FIFA because a move would interfere with the Premier League's popular Christmas and New Year fixture programme.[378] On 19 March 2015, FIFA sources confirmed that the final would be played on 18 December.[379]"], "noise_rate": 0.4, "factlabel": 0} +{"id": 47, "query": "How many vehicles did Tesla deliver in the first quarter of 2022?", "ans": ["310,048"], "label": [1], "prediction": "According to the document, Tesla delivered 310,048 electric vehicles in the first quarter of 2022.", "docs": ["Checking Accounts Best Credit Cards for Small Business Best Small Business Loans Best Tax Software for Small Business SELECT All Taxes Best Tax Software Best Tax Software for Small Businesses Tax Refunds SELECT All Help for Low Credit Scores Best Credit Cards for Bad Credit Best Personal Loans for Bad Credit Best Debt Consolidation Loans for Bad Credit Personal Loans if You Don't Have Credit Best Credit Cards for Building Credit Personal Loans for 580 Credit Score or Lower Personal Loans for 670 Credit Score or Lower Best Mortgages for Bad Credit Best Hardship Loans How to Boost Your Credit Score SELECT All Investing Best IRA Accounts Best Roth IRA Accounts Best Investing Apps Best Free Stock Trading Platforms Best Robo-Advisors Index Funds Mutual Funds ETFs Bonds In this article Tesla just posted its second-quarter vehicle production and delivery numbers for 2022. Here are the key numbers: Delivery numbers, which are the closest approximation of sales reported by Tesla, fell just shy of analysts' expectations. According to a consensus compiled by FactSet-owned Street Account, analysts were expecting deliveries of 256,520 vehicles for the quarter, which was marked by Covid restrictions, supply chain snarls, semiconductor chip and other parts shortages. Last year, Tesla delivered 201,250 vehicles in the second quarter, its first time delivering more than 200,000 units in a three-month period. In the first quarter of 2022, Tesla delivered 310,048 vehicles. Today's delivery numbers represented sales growth of 26.", "Checking Accounts Best Credit Cards for Small Business Best Small Business Loans Best Tax Software for Small Business SELECT All Taxes Best Tax Software Best Tax Software for Small Businesses Tax Refunds SELECT All Help for Low Credit Scores Best Credit Cards for Bad Credit Best Personal Loans for Bad Credit Best Debt Consolidation Loans for Bad Credit Personal Loans if You Don't Have Credit Best Credit Cards for Building Credit Personal Loans for 580 Credit Score or Lower Personal Loans for 670 Credit Score or Lower Best Mortgages for Bad Credit Best Hardship Loans How to Boost Your Credit Score SELECT All Investing Best IRA Accounts Best Roth IRA Accounts Best Investing Apps Best Free Stock Trading Platforms Best Robo-Advisors Index Funds Mutual Funds ETFs Bonds Tesla just reported first-quarter vehicle production and delivery numbers for 2022. Here's how they did. Electric vehicle deliveries (total): 310,048 Electric vehicle production (total): 305,407 Over the same period last year, Tesla delivered 184,800 electric vehicles and produced 180,338 cars. Model 3 and Model Y vehicles comprised 95%, or 295,324, of deliveries in the first quarter of 2022, according to Tesla. The company produced 4,641 fewer cars than it delivered during the quarter citing \"ongoing supply chain challenges and factory shutdowns.\" Analysts expected deliveries of 317,000 vehicles for the first three months of 2022, according to estimates compiled by FactSet as of March 31.", "Apr 2, 2022 ... Tesla delivered 310,048 electric vehicles in the first quarter of 2022. · Deliveries are the closest approximation to sales numbers reported by ...", "in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Cumulatively, more than 2.6 million Tesla cars were delivered. Considering that Tesla already produces the Tesla Model Y in two new plants - in Germany and in Texas - it seems very likely that Q2 and the following quarters also will bring new records. See also Trending Car Buying Service Get upfront price offers on local inventory."], "noise_rate": 0.4, "factlabel": 0} +{"id": 48, "query": "Who acquired Twitter?", "ans": ["Elon Musk"], "label": [1], "prediction": "According to the document, Elon Musk acquired Twitter.", "docs": ["Additional risks and uncertainties include those associated with: the possibility that the conditions to the closing of the Transaction are not satisfied, including the risk that required approvals from Twitter's stockholders for the Transaction or required regulatory approvals to consummate the Transaction are not obtained; potential litigation relating to the Transaction; uncertainties as to the timing of the consummation of the Transaction; the ability of each party to consummate the Transaction; possible disruption related to the Transaction to Twitter's current plans and operations, including through the loss of customers and employees; and other risks and uncertainties detailed in the periodic reports that Twitter files with the SEC, including Twitter's Annual Report on Form 10-K filed with the SEC on February 16, 2022, which may be obtained on the investor relations section of Twitter's website (https://investor.twitterinc.com). All forward-looking statements in this communication are based on information available to Twitter as of the date of this communication, and Twitter does not assume any obligation to update the forward-looking statements provided to reflect events that occur or circumstances that exist after the date on which they were made, except as required by law. ContactsInvestors:[email protected] Press:[email protected]  SOURCE Twitter, Inc. Sign up to get PRN’s top stories and curated news delivered to your inbox weekly! Cision Distribution 888-776-0942 from 8 AM - 9 PM ET", "Advertisement The world’s richest man closed his blockbuster purchase of the social media service, thrusting Twitter into a new era. By Kate Conger and Lauren Hirsch Kate Conger reports on technology from San Francisco and Lauren Hirsch reports on mergers and acquisitions from New York. After months of waffling, lawsuits, verbal mudslinging and the near miss of a full blown trial, Elon Musk now owns Twitter. On Thursday night, Mr. Musk closed his $44 billion deal to buy the social media service, said three people with knowledge of the situation. He also began cleaning house, with at least four top Twitter executives — including the chief executive and chief financial officer — getting fired on Thursday. Mr. Musk had arrived at Twitter’s San Francisco headquarters on Wednesday and met with engineers and ad executives. The closing of the deal, which followed months of drama and legal challenges as Mr. Musk changed his mind about buying the company, sets Twitter on an uncertain course. Mr. Musk, a self-described “free speech absolutist,” has said that he wants to make the social media platform a more freewheeling place for all types of commentary and that he would “reverse the permanent ban” of former President Donald J. Trump from the service. Mr. Musk’s open approach to speech on Twitter could exacerbate long simmering issues of toxic content and misinformation, affecting political debates around the world.", "AdvisorsGoldman Sachs & Co. LLC, J.P. Morgan, and Allen & Co. are serving as financial advisors to Twitter, and Wilson Sonsini Goodrich & Rosati, Professional Corporation and Simpson Thacher & Bartlett LLP are serving as legal counsel. Morgan Stanley is acting as lead financial advisor to Mr. Musk. BofA Securities and Barclays are also acting as financial advisors. Skadden, Arps, Slate, Meagher & Flom LLP is serving as legal counsel. About Twitter, Inc. (NYSE: TWTR)Twitter is what's happening and what people are talking about right now. To learn more, visit about.twitter.com and follow @Twitter. Let's talk. Additional Information and Where to Find ItTwitter, its directors and certain executive officers are participants in the solicitation of proxies from stockholders in connection with the pending acquisition of Twitter (the \"Transaction\"). Twitter plans to file a proxy statement (the \"Transaction Proxy Statement\") with the Securities and Exchange Commission (the \"SEC\") in connection with the solicitation of proxies to approve the Transaction. Additional information regarding such participants, including their direct or indirect interests, by security holdings or otherwise, will be included in the Transaction Proxy Statement and other relevant documents to be filed with the SEC in connection with the Transaction.", "The world's richest man, Elon Musk, has completed his $44bn (£38.1bn) takeover of Twitter, according to a filing with the US government. Mr Musk tweeted \"the bird is freed\" and later said \"let the good times roll\". A number of top executives, including the boss, Parag Agrawal, have reportedly been fired. Mr Agrawal and two other executives were escorted out of Twitter's San Francisco headquarters on Thursday evening, said Reuters. The completion of the deal brings to an end months of legal wrangling but it has prompted questions over the platform's future direction. A filing was made with the US Securities and Exchange Commission on Thursday, confirming the takeover. The New York Stock Exchange said on Friday that trading in Twitter's shares had been suspended, giving the reason as \"merger effective\". Allow Twitter content? This article contains content provided by Twitter. We ask for your permission before anything is loaded, as they may be using cookies and other technologies. You may want to read Twitter’s cookie policy, external and privacy policy, external before accepting. To view this content choose ‘accept and continue’. Chief financial officer Ned Segal, and the firm's top legal and policy executive, Vijaya Gadde, are leaving alongside Mr Agrawal, according to US media reports. Twitter co-founder Biz Stone appeared to confirm the executives' departure.", "Searching for your content... In-Language News Contact Us 888-776-0942 from 8 AM - 10 PM ET News provided by 25 Apr, 2022, 14:50 ET Share this article SAN FRANCISCO, April 25, 2022 /PRNewswire/ -- Twitter, Inc. (NYSE: TWTR) today announced that it has entered into a definitive agreement to be acquired by an entity wholly owned by Elon Musk, for $54.20 per share in cash in a transaction valued at approximately $44 billion. Upon completion of the transaction, Twitter will become a privately held company. Under the terms of the agreement, Twitter stockholders will receive $54.20 in cash for each share of Twitter common stock that they own upon closing of the proposed transaction. The purchase price represents a 38% premium to Twitter's closing stock price on April 1, 2022, which was the last trading day before Mr. Musk disclosed his approximately 9% stake in Twitter. Bret Taylor, Twitter's Independent Board Chair, said, \"The Twitter Board conducted a thoughtful and comprehensive process to assess Elon's proposal with a deliberate focus on value, certainty, and financing. The proposed transaction will deliver a substantial cash premium, and we believe it is the best path forward for Twitter's stockholders.\" Parag Agrawal, Twitter's CEO, said, \"Twitter has a purpose and relevance that impacts the entire world."], "noise_rate": 0.4, "factlabel": 0} +{"id": 49, "query": "How much did Elon Musk bought Twitter?", "ans": ["44 billion"], "label": [1], "prediction": "According to the document, Elon Musk bought Twitter at his original offer price of $54.20 a share, at a total cost of roughly $44 billion.", "docs": ["120] During its quarterly earnings investor call on July 22, Twitter cited the \"chaos\" caused by the proposal as the primary factor for its decline in revenue.[121] In a letter to McCormick on July 26, Musk's lawyers complained that Twitter had hindered them from commencing the discovery process and requested an October 17 start date,[120] which McCormick granted three days later with a duration of five days.[122] In a tweet on August 6, Musk challenged Agrawal to a public debate on Twitter's spambot accounts, before polling his followers on whether they believed that less than 5 percent of Twitter accounts were \"fake/spam\".[123] On August 10, Musk sold 7.92 million Tesla shares worth a total of $6.9 billion as backup should he lose the lawsuit, despite previously stating he would no longer sell Tesla stock.[124] The next week, McCormick ordered Twitter to produce documents from Beykpour, which Musk's team had requested along with files from 22 other Twitter employees and 41 \"custodians\".[125] Shortly thereafter, Musk subpoenaed Dorsey.", "Musk's acquisition of the social media company has been mired in controversy. The richest person in the world said he wanted to own one of the most popular social media platforms -- until he said he didn't. In early October, he reversed course again, saying he wanted to complete the deal. On Oct. 28, he finally did. Tesla CEO Elon Musk completed the deal to acquire Twitter at his original offer price of $54.20 a share at a total cost of roughly $44 billion. In the ensuing days, Musk fired top executives, laid off half of the company's staff, formed a content moderation council that will review account reinstatements and revamped the platform's subscription service. The changes at Twitter mark the latest chapter in a monthslong saga that began in January when Musk started investing in the social media company. Musk reached an acquisition deal with Twitter in April, but over the ensuing weeks, he raised concerns over spam accounts on the platform, claiming Twitter had not provided him with an accurate estimate of their number. Twitter rebuked that claim, saying it has provided Musk with information in accordance with conditions set out in the acquisition deal.", "Copyright 2023 The Associated Press. All Rights Reserved. A sign is pictured outside the Twitter headquarters in San Francisco, Wednesday, Oct. 26, 2022. A court has given Elon Musk until Friday to close his April agreement to acquire the company after he earlier tried to back out of the deal. (AP Photo/Godofredo A. Vásquez) Elon Musk has taken over Twitter and fired its CEO and other top executives. Trading in company shares was suspended Friday on the New York Stock Exchange and the stock will be officially delisted early next month, according to a filing with securities regulators. So now what? One reason why Musk bought Twitter this week is because he had little choice. The world’s richest man spent months trying to back out of the $44 billion purchase agreement he originally signed in April. But the uncertainty was so disruptive to Twitter’s business that it sued him in the Delaware Court of Chancery to force the deal’s completion, and a judge gave a Friday deadline to complete the deal or face a November trial that Musk was likely to lose. As for why Musk wanted to own Twitter in the first place, the reasons are more complicated. “There has been much speculation about why I bought Twitter and what I think about advertising,” he said in an open letter Thursday to companies that sell ads on Twitter, which is how the company makes money. “Most of it has been wrong.", "It’s not obvious to me how, if he bought Twitter, he would then be better able to get his message out, or better able to tell a story in a way that is good for Tesla and good for his economic interests. But it’s not obvious that it wouldn’t be. And he’s a really smart guy. One possible way to tell this story is that Twitter doesn’t make that much money compared to Facebook and other social-media companies. It’s not that big a company in terms of market cap. He might say, “Look, I get so much value out of this direct access to the public.” Owning that direct access to the public—owning that thing that creates so much value for Elon Musk and Tesla—it has to be valuable somehow, whether it’s by increasing the value that it creates for Tesla, or whether it’s by finding a way to monetize the value that it creates for sports stars and celebrities and Donald Trump and lots of other people. You know, Donald Trump’s tweets back when he was on Twitter could create billions or trillions of dollars’ worth of market moves, right? And Twitter never made a lot of money off of that. It’s not obvious how the company would, but if you’re sitting on top of a thing that can create that much value, surely, if you’re really smart then you can extract some value out of it.", "Oct 28 (Reuters) - Elon Musk on Thursday closed the $44 billion deal announced in April to take Twitter Inc (TWTR.N) private and took ownership of the influential social media platform by firing top executives immediately. \"The bird is freed,\" he tweeted in an apparent nod to his desire to see the company has fewer limits on content that can be posted. But Musk provided little clarity on how he will achieve his goals. read more Earlier this month, Musk brought the deal back on the table after previously trying to walk away from it. Musk had said he was excited to buy Twitter but he and his co-investors are overpaying. Musk pledged to provide $46.5 billion in equity and debt financing for the acquisition, which covered the $44 billion price tag and the closing costs. Banks, including Morgan Stanley (MS.N) and Bank of America Corp (BAC.N), committed to provide $13 billion in debt financing. Experts have said commitments from banks to the deal were firm and tight, limiting their ability to walk away from the contract despite the prospect that they may face major losses. Musk's $33.5 billion equity commitment included his 9.6% Twitter stake, which is worth $4 billion, and the $7.1 billion he had secured from equity investors, including Oracle Corp (ORCL.N) co-founder Larry Ellison and Saudi Prince Alwaleed bin Talal."], "noise_rate": 0.4, "factlabel": 0} +{"id": 50, "query": "Who won the 2022 Masters Tournament?", "ans": ["Scottie Scheffler"], "label": [1], "prediction": "According to the provided documents, Scottie Scheffler won the 2022 Masters Tournament, finishing 10-under for the tournament and three strokes ahead of second-placed Rory McIlroy.", "docs": ["Scottie Scheffler won the 2022 Masters on Sunday following a dominant performance at Augusta National. The world No. 1 finished ahead of Northern Irishman Rory McIlroy to claim his first major title. After two close-range misses on the 18th green, he rolled home the winning putt and carded a final round one-under par 71 to finish on 10-under for the tournament, three shots ahead of second-placed McIlroy. Over the four days at the lush, sprawling golf club in Augusta, Georgia, Scheffler produced some excellent golf, refusing to falter under the pressure of being the tournament’s leader for nearly three days. In the end, he was rewarded for his recent run of good form, winning the most prestigious tournament title out there, as well as going home with the famous green jacket and the $2.7 million winners purse. Asked how he felt in the immediate aftermath, Scheffler said he was “pretty tired.” “I want to go home! I’m pretty tired right now – I’m really at a loss for words right now,” he said. “I can’t thank my family enough – they’ve made many sacrifices over the years. To have the honor of winning the tournament and to have my family with me was incredible.” The last two months have been transformative for Scheffler.", "Play Now Football Pick'em Play Now College Pick'em See who to add and drop PGA Tour and beyond AUGUSTA, Ga. -- There was a lot on the line Sunday at the 2022 Masters, and while a cash prize is not necessarily at the top of the list for many of the best golfers in the world, there was still a significant sum available to be claimed at Augusta National. There were 52 golfers who made the weekend with an opportunity to play for a green jacket, major championship and significant check, yet it was 36- and 54-hole leader Scottie Scheffler who made history by claiming the first major title of his career. Scheffler finished 1 under Sunday and 10 under for the Masters, edging second-place finisher Rory McIlroy on the Masters leaderboard by three strokes. McIlroy scored the round of the tournament with an 8-under 64, matching the lowest final-round score in Masters history. While he did fall short of the career grand slam, McIlroy nevertheless captured a lot of cash on Sunday. The 2022 Masters purse was set at a record $15 million, paying out a total of $3.5 million more than it has in any prior edition of the tournament. Scheffler will bring home 18% of that sum ($2.", "The 2022 Masters Tournament was the 86th edition of the Masters Tournament, the first of the four major golf championships of 2022, held April 7–10 at the Augusta National Golf Club in Augusta, Georgia. For the first time since the 2019 tournament, attendance returned to full capacity with maximum of 40,000 spectators per day; the traditional par-3 contest also returned.[1][2] Scottie Scheffler won his first major by three strokes over Rory McIlroy.[3][4] Scheffler had achieved his first PGA Tour win at the WM Phoenix Open two months earlier, and after also winning the Arnold Palmer Invitational and WGC-Dell Technologies Match Play he entered the Masters as world number one.[5] Scheffler led by a record-tying five strokes after the second round, and held the lead from then on. His main challenger was Cameron Smith, who narrowed the lead to one stroke after the second hole of the final round. On the subsequent hole, Scheffler and Smith found themselves in the same tricky position, with Scheffler chipping in for a birdie, and Smith only managing a bogey, extending the lead to 3 strokes. Smith made a triple bogey on the 12th hole after his ball went into the water, leaving Scheffler relatively unchallenged for the rest of the round.", "The PGA Tour is traveling to Augusta, Georgia for the 2022 Masters Tournament. This year the event is taking place at Augusta National Golf Club.", "11] 1. All past winners of the Masters Tournament 2. Recent winners of the U.S. Open (2017–2021) 3. Recent winners of The Open Championship (2017–2021) 4. Recent winners of the PGA Championship (2017–2021) 5. Recent winners of The Players Championship (2020–2022) 6. The winner of the gold medal at the Olympic Games 7. The winner and runner-up in the 2021 U.S. Amateur Championship 8. The winner of the 2021 Amateur Championship 9. The winner of the 2021 Asia-Pacific Amateur Championship 10. The winner of the 2022 Latin America Amateur Championship 11. The winner of the 2021 U.S. Mid-Amateur Golf Championship 12. The leading 12 players, and those tying for 12th place, from the 2021 Masters Tournament 13. The leading four players, and those tying for fourth place, in the 2021 U.S. Open 14. The leading four players, and those tying for fourth place, in the 2021 Open Championship 15. The leading four players, and those tying for fourth place, in the 2021 PGA Championship 16. Winners of PGA Tour events[a] between the 2021 Masters Tournament and the 2022 Masters Tournament"], "noise_rate": 0.4, "factlabel": 0} +{"id": 51, "query": "Who won the women's singles Australian Open 2022?", "ans": ["Ashleigh Barty"], "label": [1], "prediction": "The answer is Ashleigh Barty. She won the women's singles Australian Open 2022 by defeating Danielle Collins in the final, 6–3, 7–6(7–2).", "docs": ["1 seed) R1: def. Lesia Tsurenko, 6-0, 6-1 R2: def. Lucia Bronzetti, 6-1, 6-1R3: def. No. 30 Camila Giorgi, 6-2, 6-3R4: def. Amanda Anisimova, 6-4, 6-3QF: def. No. 21 Jessica Pegula, 6-2, 6-0SF: def. Madison Keys, 6-1, 6-3 Collins (No. 27 seed) R1: def. Caroline Dolehide, 6-1, 6-3R2: def. Ana Konjuh, 6-4, 6-3R3: def. Clara Tauson, 4-6, 6-4, 7-5R4: def. No. 19 Elise Mertens, 4-6, 6-4, 6-4QF: def. Alizé Cornet, 7-5, 6-1SF: def. No. 7 Iga Świątek, 6-4, 6-1 Rafael Nadal and Daniil Medvedev will meet in the men's final Sunday.", "Play Now Football Pick'em Play Now College Pick'em See who to add and drop PGA Tour and beyond No. 1-ranked Ashleigh Barty defeated Danielle Collins in the Australian Open women's final Saturday in Melbourne, 6-3, 7-6 (7-2), to become the first Australian to win the women's singles title since 1978. Barty, 25, didn't surrender a single set en route to the third Grand Slam title of her career (2021 Wimbledon, 2019 French Open).  Win a Grand Slam on home soil? Completed it mate 🇦🇺🏆@ashbarty defeats Danielle Collins 6-3 7-6(2) to become the #AO2022 women’s singles champion.🎥: @wwos • @espn • @eurosport • @wowowtennis #AusOpen pic.twitter.com/TwXQ9GACBS In Saturday's championship, Barty won the first set over the American Collins in just 32 minutes but fought her way back from a 1-5 second set deficit to win in a tiebreaker.", "The sixth-seeded Nadal will look to win his 21st Grand Slam title and break a three-way tie with Roger Federer and Novak Djokovic, while No. 2 seed Medvedev will look to follow up his 2021 US Open win and earn his second career Grand Slam. © 2004-2023 CBS Interactive. All Rights Reserved. CBS Sports is a registered trademark of CBS Broadcasting Inc. Commissioner.com is a registered trademark of CBS Interactive Inc.", "Ashleigh Barty defeated Danielle Collins in the final, 6–3, 7–6(7–2) to win the women's singles tennis title at the 2022 Australian Open. She became the first home player to win an Australian Open singles title since Chris O'Neil in 1978. It was Barty's third major singles title, and she won the title without losing a set, dropping just three service games during the tournament.[1] The final also marked Barty's last professional appearance, as she announced her retirement from the sport two months later.[2] Naomi Osaka was the defending champion,[3] but lost to Amanda Anisimova in the third round.[4] Barty retained the world No. 1 singles ranking after Aryna Sabalenka and Barbora Krejčíková lost in the fourth round and quarterfinals, respectively. Collins entered the WTA top 10 rankings for the first time by reaching the final.[5] Alizé Cornet reached her first major singles quarterfinal on her 63rd main-draw appearance, surpassing Tamarine Tanasugarn's all-time record, who reached her maiden quarterfinal at the 2008 Wimbledon Championships on her 45th attempt.[6] Kaia Kanepi becomes the first Estonian to reach the quarterfinals at all four majors after her victory over second seed Aryna Sabalenka in the fourth round.", "The 2022 Australian Open was a Grand Slam tennis tournament that took place at Melbourne Park, Australia from 17 to 30 January 2022.[2] It was the 110th edition of the Australian Open, the 54th in the Open Era, and the first Grand Slam of the year. The tournament consisted of events for professional players in singles, doubles and mixed doubles. Junior and wheelchair players competed in singles and doubles tournaments. As in previous years, the tournament's main sponsor was Kia. The men's singles title was won by Rafael Nadal, and was Nadal's 21st major title, and his second Australian Open. He defeated second seed Daniil Medvedev in the final, winning in five sets after being two sets down. In winning the title, Nadal broke the record for all-time men's major singles title - it was previously tied at 20 between himself, Novak Djokovic, and Roger Federer. The women's singles title was won by Ashleigh Barty, who won her first Australian Open title and third major title. She defeated 27th seed Danielle Collins in straight sets. Barty was the first Australian to win the title since Chris O'Neil won the title in 1978. The final would also prove to be Barty's last professional match, with Barty announcing her retirement in March 2022."], "noise_rate": 0.4, "factlabel": 0} +{"id": 52, "query": "Who won the women's singles Australian Open 2023?", "ans": ["Aryna Sabalenka"], "label": [1], "prediction": "According to the provided document, Aryna Sabalenka of Belarus won the women's singles Australian Open 2023, defeating Elena Rybakina of Kazakhstan in the final.", "docs": ["Rankings and points before are as of 16 January 2023. The following player would have been seeded, but withdrew before the tournament began. Sources:[12][13] The entry list was released by Tennis Australia based on the WTA rankings for the week of 5 December 2022.[14] † – not included on entry list& – withdrew from entry list", "A crosscourt backhand from Sabalenka goes long and all of a sudden, it is deuce. Another double fault from the fifth seed and she is facing a break point. Forehand goes long from Sabalenka and Rybakina breaks! Sabalenka 1-1 Rybakina* - Rybakina responds in style. Three aces for an easy hold. Sabalenka* 1-0 Rybakina - Sabalenka begins with a double fault but then hits two aces on her way to a comfortable service hold. 2:07PM - Here we go. Rybakina and Sabalenka make their way to the Rod Laver Arena through the ‘Walk of Champions.’ 2PM - Live visuals from the Rod Laver Arena and the Daphne Akhurst trophy has been brought onto the court by none other than last year’s champion Ash Barty! Listen to the crowd 🙌@ashbarty delivers the Daphne Akhurst Memorial Cup ahead of the women's singles final.#AusOpen • #AO2023pic.twitter.com/5hqEg4GI2H 1:55PM - Just a few minutes to go before the two finalists make their way to the court. If Rybakina wins today, she’ll be the first Kazakh woman to win the Australian Open. If Sabalenka emerges victorious, she’ll be the first ‘neutral’ Grand Slam champion.", "Copyright 2023 The Associated Press. All Rights Reserved. Aryna Sabalenka of Belarus hugs the Daphne Akhurst Memorial Trophy after defeating Elena Rybakina of Kazakhstan in the women’s singles final at the Australian Open tennis championship in Melbourne, Australia, Saturday, Jan. 28, 2023. (AP Photo/Dita Alangkara) Aryna Sabalenka of Belarus falls to the gourd as she celebrates defeating Elena Rybakina of Kazakhstan in the women’s singles final during the women’s singles final at the Australian Open tennis championship in Melbourne, Australia, Saturday, Jan. 28, 2023. (AP Photo/Asanka Brendon Ratnayake) Aryna Sabalenka of Belarus reacts after defeating Elena Rybakina of Kazakhstan in the women’s singles final at the Australian Open tennis championship in Melbourne, Australia, Saturday, Jan. 28, 2023. (AP Photo/Asanka Brendon Ratnayake) Elena Rybakina of Kazakhstan speaks during a press conference following her loss to Aryna Sabalenka of Belarus in the women’s singles final at the Australian Open tennis championship in Melbourne, Australia, Saturday, Jan. 28, 2023.", "Subscribers Only Have you subscribed yet? Buy Print Updated : Jan 30, 2023 23:00 IST Comments Follow Us SHARE READ LATER From left to right: Elena Rybakina (runner-up) of Kazakhstanp and Aryna Sabalenka (champion) after the Women’s Singles Final of the 2023 Australian Open at Melbourne Park on January 28, 2023 in Melbourne. | Photo Credit: Getty Images Welcome to Sportstar’s highlights of the women’s singles final of the Australian Open 2023 between Kazakhstan’s Elena Rybakina and Aryna Sabalenka of Belarus. This was Nihit Sachdeva taking you through the action as it unfolded at the Rod Laver Arena in Melbourne. That’s it from the women’s final. Do join us tomorrow for the men’s final between Novak Djokovic and Stefanos Tsitsipas! Sabalenka: “I want to thank my team, of course. The craziest team on Tour, I’d say. You guys deserve this trophy. It’s more about you than about me. I love you!” Now, time for the Daphne Akhurst Memorial Trophy to be presented to the champion - Aryna Sabalenka. Rybakina congratulates Sabalenka on the win - “I know how hard you’ve worked, & also your team, so just congratulations and hopefully we’re going to have many more battles.", "First up, Elena Rybakina receives the runner-up trophy from 12-time Grand Slam champion Billie Jean King. Time for the presentation ceremony. What a story! After struggling with double faults last year, Aryna Sabalenka has dominated the 2023 season winning eleven straight matches for two titles in the first month with the second of them being her maiden Grand Slam title. 🚨ARYNA SABALENKA IS THE 2023 AUSTRALIAN OPEN CHAMPION🔗https://t.co/4lCc4NWnWe I #A02023 I #AusOpenpic.twitter.com/gWZtVKJW5R Sabalenka* 6-4 Rybakina - Sabalenka serving for the title. Crosscourt backhand return from Rybakina goes wide. Sabalenka nets a crosscourt forehand - 15-all. Deep forehand return from Rybakina finds Sabalenka in an awkward position and she hits the forehand wide - 30-15. Rybakina with an unforced error, a crosscourt forehand gone long, and it is 30-all. A T ace and Sabalenka has a championship point. And she has committed a double fault. Would you believe it? Well, there’s another chance as she hits a crosscourt forehand winner. Can she do it this time? No, she can!"], "noise_rate": 0.4, "factlabel": 0} +{"id": 53, "query": "Who won the men's singles Australian Open 2022?", "ans": [["Rafael Nadal", "Nadal"]], "label": [1], "prediction": "According to the documents, Rafael Nadal won the men's singles Australian Open 2022 by defeating Daniil Medvedev in the final, 2-6, 6-7(5-7), 6-4, 6-4, 7-5.", "docs": ["Men's Singles. Men's Singles, Women's Singles, Men's Doubles, Women's Doubles, Mixed Doubles, Junior Boys' Singles, Junior Girls' Singles ...", "* Helped Serbia win the inaugural ATP Cup in 2020 before triumphing at Melbourne Park for the eighth time. * With 2019 champion Nadal and Federer opting to skip the 2020 U.S. Open, Djokovic was favourite to triumph but was defaulted in the fourth round after accidentally hitting a line judge in the throat with a ball. The disqualification ended his 26-0 winning run in 2020. * Lost to Nadal in straight sets in the final of the rescheduled 2020 French Open. * Beat Daniil Medvedev for a record-extending ninth Australian Open title in 2021. * Beat Stefanos Tsitsipas for his second French Open title and 19th Grand Slam crown, thus becoming the first man since tennis turned professional in 1968 to win all four majors at least twice. * Beat Matteo Berrettini in the Wimbledon final to win a 20th singles Grand Slam title. * His bid for a calendar-year Grand Slam in 2021 fell short after he lost to Medvedev in the U.S. Open final. * Missed the Australian Open in 2022 after being deported from the country for not being vaccinated against COVID-19. * Beat Nick Kyrgios in the Wimbledon final to win his 21st Grand Slam title and fourth straight crown at the All England Club.", "The 2022 Australian Open Men's Singles final was the championship tennis match of the men's singles tournament at the 2022 Australian Open, contested by sixth-seed Rafael Nadal and second-seed Daniil Medvedev. It was a match of historic proportions for both players: Nadal was attempting to surpass an all-time record of 20 major men's singles titles, shared with rivals, Novak Djokovic and Roger Federer, by winning a record 21st major title, and to become the fourth man to complete the double career Grand Slam (after Roy Emerson, Rod Laver, and Novak Djokovic), while Medvedev was seeking to become the first man in the Open Era to win his first two major titles at consecutive events (having won the 2021 US Open title). Nadal defeated Medvedev, 2–6, 6–7(5–7), 6–4, 6–4, 7–5, in 5 hours and 24 minutes to win his second Australian Open title, and a then all-time record 21st major men's singles title. This was the second-longest major final in history after the 2012 Australian Open final, in which Nadal also participated.[1] Nadal became the first player in the Open Era to win an Australian Open final after losing the first two sets, and the first to do so since Emerson in 1965.", "There's nobody else like Rafael Nadal. The legendary Spaniard won a men's-record 21st Grand Slam title Sunday, coming back from two sets down to defeat Daniil Medvedev 2-6, 6-7 (5), 6-4, 6-4, 7-5 in the men's singles final at the 2022 Australian Open in Melbourne. Another chapter is written 🏆 @RafaelNadal defeats Daniil Medvedev 2-6 6-7(5) 6-4 6-4 7-5 to win his second #AusOpen title in an epic lasting five hours and 24 minutes. 🎥: @wwos • @espn • @eurosport • @wowowtennis #AO2022 https://t.co/OlMvhlGe6r Nadal's thrilling comeback broke a deadlock with Novak Djokovic and Roger Federer for the most career Grand Slam men's singles titles. His tally includes 13 French Open titles, four U.S. Open titles, two Wimbledon titles and now two Australian Open triumphs that came 13 years apart. \"I even don't know what to say guys. For me, it's just amazing, being honest.", "Rafael Nadal defeated Daniil Medvedev in the final, 2–6, 6–7(5–7), 6–4, 6–4, 7–5 to win the men's singles tennis title at the 2022 Australian Open.[1] It was his second Australian Open title and 21st major singles title overall, surpassing the all-time record he had jointly held with Roger Federer and Novak Djokovic.[2][3] Nadal became the fourth man, after Roy Emerson, Rod Laver, and Djokovic, to achieve the double career Grand Slam, and the second in the Open Era.[4] He also became the first man in the Open Era to win an Australian Open final after losing the first two sets.[5] This marked the third consecutive year a man trailed by two sets in a major final yet rallied to win, following Djokovic's two-set comeback at the 2021 French Open and Dominic Thiem's at the 2020 US Open.[6] Djokovic was the three-time reigning champion,[7] but did not compete after his visa was cancelled shortly before the tournament began due to an intervention from Australia's Immigration Minister Alex Hawke, citing risks to public health and good order in Australia.[8] That meant Nadal was the only former champion (2009) to compete in the tournament, with both Federer and Stan Wawrinka sidelined by injury."], "noise_rate": 0.4, "factlabel": 0} +{"id": 54, "query": "Who won the men's singles Australian Open 2023?", "ans": ["Novak Djokovic"], "label": [1], "prediction": "According to the provided document, Novak Djokovic won the Men's Singles title at the 2023 Australian Open, defeating Stefanos Tsitsipas with a score of 6–3, 7–6(7–4), 7–6(7–5).", "docs": ["The Australian Open Winners List 2023 is as follows: Australian Open Winners 2023 Category Winners Runners up Score Men's Singles Novak Djokovic (Serbia) Stefanos Tsitsipas (Greece) 6–3, 7–6(7–4), 7–6(7–5) Women's Singles Aryna Sabalenka (Belarus) Elena Rybakina (Kazakhstan) 4–6, 6–3, 6–4 Men's Doubles Rinky Hijikata (Australia), Jason Kubler (Australia) Hugo Nys (Monaco), Jan Zieliński (Poland), 6–4, 7–6(7–4) Women's Doubles Barbora Krejčíková (Czech), Kateřina Siniaková (Czech) Shuko Aoyama (Japan), Ena Shibahara (Japan) 6–4, 6–3 Mixed Doubles Luisa Stefani (Brazil), Rafael Matos (Brazil) Sania Mirza (India), Rohan Bopanna (India) 7–6(7–2), 6–2 The Australian Open tournament was started by the Lawn Tennis Association of Australasia (Australia) in the year 1905. It started as a Men's tournament, but the women's title was added from 1922 Until 1988.", "The recent Australian Open winners were Rafael Nadal (Men's Singles) and Ashleigh Barty (Women's Singles). The tournaments were held in different parts of the country, such as Melbourne, Sydney, Brisbane, and Adelaide, after which it was played in Melbourne Park Melbourne every year.", "By : Neha Dhyani Updated : Jun 11, 2023, 22:37 The 2023 Australian Open Winner in the Men’s Singles category is Novak Djokovic. Djokovic defeated Stefanos Tsitsipas with a score of 6–3, 7–6(7–4), 7–6(7–5) in the finals to claim his 10th Australian Open title. In the Women’s Singles category, Aryna Sabalenka (Belarus) made history by defeating Elena Rybakina (Kazakhstan). Find out the complete list of 2023 Australian Open winners here. We have shared the winners of the Men’s Singles and Doubles, Women’s Singles and Doubles, and Mixed Doubles here, along with the details of the final scores. The 2023 Australian Open was held at Melbourne Park, Melbourne, Victoria, Australia. The 111th edition of the Grand Slam tournament was held from 16—29 January 2023.", "Novak Djokovic defeated Stefanos Tsitsipas in the final, 6–3, 7–6(7–4), 7–6(7–5) to win the men's singles tennis title at the 2023 Australian Open. It was his record-extending tenth Australian Open title and 22nd major title overall, tying Rafael Nadal for the all-time record of most Grand Slam men's singles titles won.[1] He also became the second man to win double-digit titles at a single major, after Nadal at the French Open.[2] Djokovic lost just one set en route to the title (in the second round to Enzo Couacaud), and extended his match winning-streak at the Australian Open to an Open Era record 28 matches. Nadal was the defending champion,[3] but lost in the second round to Mackenzie McDonald.[4] Carlos Alcaraz, Casper Ruud, Tsitsipas and Djokovic were in contention for the ATP world No. 1 ranking at the beginning of the tournament. By winning the tournament, Djokovic claimed the top spot. Alcaraz, the incumbent world No. 1, withdrew from the tournament due to a right leg injury.[5][6]", "Open 2011, 2015, 2018) ROAD TO FINAL First round: Roberto Carballes Baena (Spain) 6-3 6-4 6-0 Second round: Enzo Couacaud (France) 6-1 6(5)-7 6-2 6-0 Third round: Grigor Dimitrov (Bulgaria) 7-6(7) 6-3 6-4 Fourth round: Alex de Minaur (Australia) 6-2 6-1 6-2 Quarter-finals: Andrey Rublev (Russia) 6-1 6-2 6-4 Semi-finals: Tommy Paul (U.S.) 7-5 6-1 6-2 EARLY LIFE * Began playing tennis aged four. * His father was a professional skier and wanted his son to follow in his footsteps or play professional soccer but changed his mind when Djokovic excelled at tennis from an early age. * Made Grand Slam debut as a qualifier at the 2005 Australian Open. Finished as the youngest player (18 years, five months) inside the top 100. * In 2006, he won his first ATP tour title at Amersfoort. * Reached his first Grand Slam final at the U.S. Open in 2007, losing to Roger Federer."], "noise_rate": 0.4, "factlabel": 0} +{"id": 55, "query": "Who won the women's singles French Open 2022?", "ans": ["Iga Swiatek"], "label": [1], "prediction": "According to the provided document, Iga Swiatek won the women's singles French Open 2022 by beating Coco Gauff. The document states, \"Jun 4, 2022 ... Iga Swiatek beats Coco Gauff to win French Open 2022 women's singles final – as it happened.\" Additionally, the document mentions that this was Swiatek's second career Grand Slam title.", "docs": ["Jun 4, 2022 ... Iga Swiatek beats Coco Gauff to win French Open 2022 women's singles final – as it happened.", "Tennis - French Open - Roland Garros, Paris, France - June 10, 2023 Poland's Iga Swiatek is pictured in action through a glass during her final match against Czech Republic's Karolina Muchova REUTERS/Kai Pfaffenbach/File Photo PARIS, June 10 (Reuters) - Factbox on Iga Swiatek, who beat Karolina Muchova 6-2 5-7 6-4 on Saturday to win the French Open, her fourth Grand Slam title. Age: 22 Nation: Poland WTA ranking: 1 Seeding: 1 Grand Slam titles: 4 (French Open 2020, 2022, 2023; U.S. Open 2022) ROAD TO FINAL First round: Cristina Bucsa (Spain) 6-4 6-0 Second round: Claire Liu (United States) 6-4 6-0 Third round: Wang Xinyu (China) 6-0 6-0 Fourth round: Lesia Tsurenko (Ukraine) 5-1 walkover Quarter-final: 6-Coco Gauff (United States) 6-4 6-2 Semi-final: 14-Beatriz Haddad Maia (Brazil) 6-2 7-6(7) EARLY LIFE * Born in Warsaw.", "Unlike in the men's tournament, points from the 2021 women's tournament will be dropped at the end of this year's tournament, even though the 2021 tournament was held one week later than in 2022. Players will also be dropping points from the Strasbourg tournament held during the week of 24 May 2021. † The player did not qualify for the 2021 tournament. Accordingly, her 16th best result will be deducted instead. The following players would have been seeded, but withdrew before the tournament began. Sources:[14][15] † – not included on entry list& – withdrew from entry list Rank date: 11 April 2022 Source: [16]", "Jun 4, 2022 ... 2022 French Open women's final: Iga Swiatek beats Coco Gauff to win second career Grand Slam title.", "Gauff, an 18-year-old from Delray Beach, Florida, was disappointed after the loss, but talked about how this match -- and her run to the final -- has helped boost her confidence. \"For a while I really believed I couldn't do it just because ever since I was 15 and I first came on people had so much expectations for me and I started to believe that I couldn't do it and you know I made a final and I wasn't expecting it and I know that I'll get this opportunity again and I hope that I can come out on top next time. The numbers tell the story of a dominant and composed match for Swiatek -- which was the story of her tournament and could be the tag line for her last three months of tennis. 73% first serves in, 72% win rate on first serves, 5-for-10 in break point chances, just 16 unforced errors. On the other side of the court Gauff struggled on her first serve, winning just 46% of her first serve points and coming away with three double faults and 23 unforced errors and 21 forced errors. The next big tournament on the tennis calendar is Wimbledon, which starts June 27. Ash Barty, who retired earlier this year, won the women's singles in 2021."], "noise_rate": 0.4, "factlabel": 0} +{"id": 56, "query": "Who won the women's singles French Open 2023?", "ans": ["Iga Swiatek"], "label": [1], "prediction": "According to the provided document, Iga Swiatek won the women's singles French Open 2023 title by defeating Karolina Muchova with a score of 6-2 5-7 6-4.", "docs": ["Tennis - French Open - Roland Garros, Paris, France - June 10, 2023 Poland's Iga Swiatek is pictured in action through a glass during her final match against Czech Republic's Karolina Muchova REUTERS/Kai Pfaffenbach/File Photo PARIS, June 10 (Reuters) - Factbox on Iga Swiatek, who beat Karolina Muchova 6-2 5-7 6-4 on Saturday to win the French Open, her fourth Grand Slam title. Age: 22 Nation: Poland WTA ranking: 1 Seeding: 1 Grand Slam titles: 4 (French Open 2020, 2022, 2023; U.S. Open 2022) ROAD TO FINAL First round: Cristina Bucsa (Spain) 6-4 6-0 Second round: Claire Liu (United States) 6-4 6-0 Third round: Wang Xinyu (China) 6-0 6-0 Fourth round: Lesia Tsurenko (Ukraine) 5-1 walkover Quarter-final: 6-Coco Gauff (United States) 6-4 6-2 Semi-final: 14-Beatriz Haddad Maia (Brazil) 6-2 7-6(7) EARLY LIFE * Born in Warsaw.", "On a lighter note, she was also among the players this summer who led an outcry over the balls that women use at the U.S. Open, which are different from those that men play with. From the start, all the signs pointed to this being Swiatek’s afternoon. During the warm-up, the sound system blasted AC/DC, one of her favorite bands. (Aerosmith and Led Zeppelin also have a major presence on her playlist.) Once the balls started flying, Swiatek gave little reason for anyone to believe that this match would go any differently from so many finals before. Coming in, Swiatek had played in 10 career finals. She has not lost one since her first, way back in 2019. Even more remarkably, she has not lost a set in any of those wins. “Iga never loses finals, so it is going to be very tough,” Jabeur said Thursday night, as Swiatek staged her second comeback in this tournament from a set down in her semifinal battle against Aryna Sabalenka of Belarus, a player she was especially determined not to lose to for a variety of reasons. Against Jabeur on Saturday, Swiatek ambushed from the start. She won 12 of the first 14 points, sprinting to a 3-0 lead. Jabeur climbed back, getting back on serve as Swiatek momentarily lost control of her overpowering forehand.", "Because the tournament takes place one week later this year, players are defending points from the 2022 French Open, as well as tournaments that took place during the week of 6 June 2022 ('s-Hertogenbosch, Nottingham, and Valencia WTA 125). Points from the 2022 French Open are listed first in the \"Points defending\" column. † The player did not qualify for the main draw in 2022. Points for her 16th best result will be deducted instead. The following players would have been seeded, but withdrew before the tournament began. The entry list was released based on the WTA rankings for the week of 17 April 2023.[11]", "Subscribers Only Have you subscribed yet? Buy Print Published : Jun 12, 2023 08:14 IST , CHENNAI - 1 MIN READ Comments Follow Us SHARE READ LATER Iga Swiatek won her third French Open title on Saturday, beating Karolina Muchova in the final at Roland-Garros, Paris. | Photo Credit: Getty Images Iga Swiatek won the French Open 2023 women’s singles title with a 6-2, 5-7, 6-4 win over Karolina Muchova in the final on Saturday. Swiatek clinched her third Roland-Garros title and joined Serena Williams (3), Monica Seles (3), Arantxa Sánchez Vicario (3), Justine Henin (4), Steffi Graf (6) and Chris Evert (7) on the list of women who have become the champion in Paris at least thrice. The clay Major was the first one to join the Open Era in 1968, allowing both amateurs and professionals to participate at the event. Since then, 31 different women have lifted the coveted Suzanne-Lenglen Cup. Here’s the complete list of women’s singles winners at French Open (since 1968): Comments WTA / French Open / Roland Garros / Iga Swiatek / Chris Evert / Serena Williams", "Jun 10, 2023 ... Factbox on Iga Swiatek, who beat Karolina Muchova 6-2 5-7 6-4 on Saturday to win the French Open, her fourth Grand Slam title."], "noise_rate": 0.4, "factlabel": 0} +{"id": 57, "query": "Who is the runner-up in the women's singles at the 2023 French Open?", "ans": ["Karolina Muchova"], "label": [1], "prediction": "According to the provided documents, the runner-up in the women's singles at the 2023 French Open is Karolina Muchova of the Czech Republic.", "docs": ["Members of my team are witnesses that ever since we first played, I knew we were going to play tough matches, play these finals ... I really hope we’re going to play many more finals.” Iga Swiatek receives the Suzanne Lenglen Cup from Chris Evert. She looks to celebrate by lifting the trophy but the lid of the trophy falls off. Never a dull moment when Iga Swiatek is involved. The Pole decides to keep the cap on the dais and celebrates again. Time for the Polish national anthem. Karolina Muchova receives the runner-up trophy and takes a moment, tears up a bit as Evert and the rest of the crowd tries to lift her up. “This is incredible Thank you everyone ... This was so close, but so far. This is what happens when you play one of the best: Iga.” Seven-time French Open champion Chris Evert enters to a huge round of applause from the Parisian crowd. The American is here to present the winner’s trophy to Swiatek. The organisers play a small video of Evert’s glorious past at Roland-Garros. The organisers play a short video of Swiatek’s run to the 2023 title. The ball kids and the other ground staff enter the center court. Finally, three ball kids bring the Suzanne Lenglen Cup along with the runner-up trophy. Both players tear up after such an exhausting final.", "Subscribers Only Have you subscribed yet? Buy Print Updated : Jun 11, 2023 03:44 IST Comments Follow Us SHARE READ LATER Poland’s Iga Swiatek celebrates with the Suzanne Lenglen Cup after beating Karolina Muchova of Czech Republic in the Women's Singles Final match of French Open 2023 at Roland Garros on Saturday in Paris. Welcome to Sportstar’s highlights of the French Open 2023 women’s singles final in which Iga Swiatek beat Karolina Muchova. This was Nihit Sachdeva taking you through the action as it unfolded on Court Philippe-Chatrier at Roland-Garros, Paris.(* denotes server) Tomorrow is the last day of this year’s French Open and there are two finals in store for the tennis fans. First up, it will be the women’s doubles final between the Canadian-American pair of Leylah Fernandez and Taylor Townsend and the Chinese Taipei and Chinese duo of Su-Wei Hsieh and Xinyu Wang. Post that will be the big event - the men’s singles final between Novak Djokovic, who is chasing a record-breaking 23rd Grand Slam title, and Norway’s Casper Ruud. Do join us for live coverage. Till then, take care and stay safe! “First of all, congrats to Karolina.", "Subscribers Only Have you subscribed yet? Buy Print Published : Jun 12, 2023 08:14 IST , CHENNAI - 1 MIN READ Comments Follow Us SHARE READ LATER Iga Swiatek won her third French Open title on Saturday, beating Karolina Muchova in the final at Roland-Garros, Paris. | Photo Credit: Getty Images Iga Swiatek won the French Open 2023 women’s singles title with a 6-2, 5-7, 6-4 win over Karolina Muchova in the final on Saturday. Swiatek clinched her third Roland-Garros title and joined Serena Williams (3), Monica Seles (3), Arantxa Sánchez Vicario (3), Justine Henin (4), Steffi Graf (6) and Chris Evert (7) on the list of women who have become the champion in Paris at least thrice. The clay Major was the first one to join the Open Era in 1968, allowing both amateurs and professionals to participate at the event. Since then, 31 different women have lifted the coveted Suzanne-Lenglen Cup. Here’s the complete list of women’s singles winners at French Open (since 1968): Comments WTA / French Open / Roland Garros / Iga Swiatek / Chris Evert / Serena Williams", "The 2023 French Open was a Grand Slam tennis tournament played on outdoor clay courts. It was held at the Stade Roland Garros in Paris, France, from 28 May to 11 June 2023, comprising singles, doubles and mixed doubles play. Junior and wheelchair tournaments were also played. It was the 127th edition of the French Open and the second Grand Slam event of 2023. As a Grand Slam tournament, the points for the French Open are the highest of all ATP and WTA tournaments.[1] These points determine the world ATP and WTA rankings for men's and women's competition, respectively. In both singles and doubles, women received slightly higher point totals compared to their male counterparts at each round of the tournament, except for the first and last.[1][2] Points and rankings for the wheelchair events fall under the jurisdiction of the ITF Wheelchair Tennis Tour, which also places Grand Slams as the highest classification.[3] Below is a series of tables for each of the competitions showing the ranking points on offer for each event:[4][5] The French Open total prize money for 2023 is €49,600,000, an increase of 12.3% compared to 2022.", "Because the tournament takes place one week later this year, players are defending points from the 2022 French Open, as well as tournaments that took place during the week of 6 June 2022 ('s-Hertogenbosch, Nottingham, and Valencia WTA 125). Points from the 2022 French Open are listed first in the \"Points defending\" column. † The player did not qualify for the main draw in 2022. Points for her 16th best result will be deducted instead. The following players would have been seeded, but withdrew before the tournament began. The entry list was released based on the WTA rankings for the week of 17 April 2023.[11]"], "noise_rate": 0.4, "factlabel": 0} +{"id": 58, "query": "Who won the men's singles French Open 2022?", "ans": [["Rafael Nadal", "Nadal"]], "label": [1], "prediction": "According to the provided document, Rafael Nadal won the men's singles French Open 2022, defeating Casper Ruud in the final with a score of 6–3, 6–3, 6–0.", "docs": ["With Rafael Nadal out through injury, the French Open 2023 could see a new name on the famous trophy in the men's draw — a trophy won by only four different players since 2004. Iga Swiatek, Barbora Krejcikova and Jelena Ostapenko are hoping to repeat their past triumphs in the women's singles when the action begins on May 28. Australian Open champion Aryna Sabalenka and men's world No.1 Carlos Alcaraz are among the players hoping to go all the way at Roland-Garros for the first time. Whose footsteps will the champions be following? Here's who won last year and a list of former victors at the French Open. MORE: French Open 2023: Betting, odds, who will win women's singles title? Rafael Nadal was the 2022 French Open champion, winning his 22nd and most recent grand slam title. Novak Djokovic ended Nadal's run of five straight French Opens in 2021 but the Spanish superstar returned to beat his arch-rival in four sets in the quarterfinals in last year. A brutal mid-match injury to Alexander Zverev sent Nadal through to a final he won in straight sets against Casper Ruud, extending his record to 14 French Open titles and 22 majors in total.", "She is a Polish player who has won the singles title three times, twice in the French Open in 2020 and 2022, and once in the US Open in 2022. Rafael Nadal has won the French Open 14 times in the men’s singles category. He is also the 2022 French Open winner in men’s singles. Nadal is touted as the greatest of all time because of his exceptional tennis career. He won his 22nd Grand Slam title after winning the French Open in 2022. The French Open winners in women’s doubles were Wang Xinyu/Hsieh Su-wei. In men’s doubles, Ivan Dodig/Austin Krajicek won against Sander Gillé/Karolína Muchová. The 2023 French Open winners were awarded their trophies at the award ceremony. We have shared the list of 2023 French Open winners here. Find the names of the winners in men’s and women’s singles, men’s and women’s doubles and mixed doubles categories here.", "Rafael Nadal defeated Casper Ruud in the final, 6–3, 6–3, 6–0 to win the men's singles tennis title at the 2022 French Open. It was his record-extending 14th French Open title and record-extending 22nd major title overall.[1][2] It marked the first time in his career that he won the Australian Open and the French Open in the same calendar year.[3][4] Nadal also became the third man to defeat four top 10 players en route to a major title since the introduction of ATP rankings in 1973 (after Mats Wilander in the 1982 French Open and Roger Federer in the 2017 Australian Open).[5][6] Ruud became the first Norwegian man to reach a major quarterfinal, semifinal, and final (surpassing his father Christian), and the first Scandinavian man to do so since Robin Söderling in 2010.[7] Novak Djokovic was the defending champion,[8] but lost in the quarterfinals to Nadal.[9] Djokovic was attempting to equal Nadal's all-time record of 21 men's singles major titles and become the first man in history to achieve the triple career Grand Slam (he would complete the achievement the following year).", "Carlos Alcaraz beats Novak Djokovic 1-6, 7-6 (6), 6-1, 3-6, 6-4 to win his first Wimbeldon title. ABC News · Jobs at ESPN · Terms of Use · Privacy Policy · Your ...", "Karolina Muchova; 6-7 (7), 6-2, 3-0 ret. (31) Elise Mertens d. Varvara Gracheva; 6-2, 6-3 Martina Trevisan d. Daria Saville; 6-3, 6-4 Sloane Stephens d. Diane Parry; 6-2, 6-3 Day 6 Recap Gauff reached her first Grand Slam quarterfinal at last year's French Open, which remains her best singles result in a major, and now she's one win from matching that feat. The 18-year-old Atlanta native has reached the fourth round without dropping a set, and she was highly efficient in Friday's win over Kanepi. She recorded just 13 unforced errors, 16 fewer than her Estonian counterpart, and registered 20 winners. \"I knew going into it, it was going to be a tough match,\" Gauff said. \"I've been coming to France since I was 10 years old, so I think that helped me a lot. I guess it makes me a clay-court—I don't want to say specialist, but, you know, good at it.\" That fourth round smile 😁😁😁 Camera > Preserve Settings > Apple ProRAW.", "Combined with the larger sensor, I can see the difference compared to the iPhone 13 Pro in all the photos I shot at dusk. In the photos below, take a look at the detail captured on the tree branches by the skyline.  The newer phone also has better noise reduction in low light, without night mode engaged. Dynamic range is improved in low light too, capturing more shadow and highlight detail than the older phone. For night mode shots specifically, both the phones use similar exposure times ranging from 1 to 3 seconds depending on the lighting conditions. The iPhone 14 Pro's picture below has more accurate white balance overall and slightly better detail when you zoom in. Both the iPhone 14 Pro and iPhone 13 Pro shoot in 4K at up to 60fps. The video image looks similar when filming on the main rear camera. But the iPhone 14 Pro unlocks additional video tools like Action mode. This is like having a gimbal attached to your phone to give smooth results when moving, except you don't need any additional hardware -- it's all done in-phone.  Action mode crops in slightly to your image and drops the resolution from 4K to 2.8K. But I think the results are incredibly impressive, especially when compared to the same video shot on the iPhone 13 Pro."], "noise_rate": 0.4, "factlabel": 0} +{"id": 77, "query": "How much does it cost to rent a tool kit for Apple device repairs?", "ans": ["49"], "label": [1], "prediction": "According to the provided document, it costs $49 (including shipping) to rent a tool kit for Apple device repairs, which includes all the tools and parts needed to make repairs on specific devices. The rental period is for 7 days, after which you are charged a fee and a tax via a hold on your credit card if you fail to return the kit.", "docs": ["Green Torque Driver Blue Torque Driver Micro Stix Bit Super screw Bit 4.7-inch Support Frame Universal Display Fixture Every iPhone repair toolkit, regardless of the model, comes with a case containing these tools. Except for the iPhone SE, all of the rest have a case that adds:\r Heated Display Removal Fixture Heated Display Pocket Apple says that, \"one case weighs 43 pounds and the other weighs 36 pounds.\"\rThat's a total weight of 79 pounds. As an iPhone SE weighs only 5.09 ounces, that means to repair it you need a kit that weighs just over 248 times more than the phone you're trying to fix.\rThe toolkits come on wheels, and they can also be stacked. If your iPhone needs two toolkits, and you stack them together, they add up to 20 inches wide and 47 inches high.\rRight to Repair was always a campaign about how individuals should have the rights, and the facilities, to effect repairs on the devices they have bought, and these kits are versions of what Apple uses in-store. They're just not cost-effective for any given user, skilled or not. Even before it launched its new Self Service Repair program, Apple was accused of doing it less to help users, and more to head off future legislation.", "Apple’s self-service repair program went live today, giving iPhone (and eventually Mac) customers the tools and instructions need to repair their devices at a lower cost and from the comfort of their own homes. To do so, however, you need tools—some of which are proprietary. With the “Self Service Repair Store” opening today, you can now purchase those parts individually. However, doing so might not be the most cost-effective method. Spending $85 on a Torque Driver or $13 on a single Torx Security Bit adds significant cost to your repair, and you might only need these tools once or twice. Fortunately, Apple offers a $49 (including shipping) rental kit that contains all the tools and parts needed to make repairs on specific devices. Maybe too many parts, depending on which repair you’re making, but there’s no way to rent individual tools a la carte. The rental lasts for 7 days once you’ve received the tool kit, after which you are charged “a fee and a tax” via a hold on your credit card. Just be sure to stretch before you try hauling these kits to your workbench, because they are hefty. As MacRumors notes, the two cases you receive with the rental kits weigh 43 pounds and 36 pounds, individually. When stacked, the cases measure 20 inches wide and 47 inches tall. It’s safe to say that you can skip the gym on iPhone repair day.", "For the review, Barbera first explained that he is not a skilled repairman and purchased parts for a battery replacement for his iPhone 12 mini, along with the tool kit. After renting the tool kit and purchasing the battery bundle, Barbera ended up spending about $120 to repair the device himself instead of the $69 it would have cost him to let Apple replace it. In the review he noted a few components were missing from the kit including heat protective-gloves and tweezers, both of which were stated as required in the manual. Barbera also purchased extra supplies that were recommended but not required, such as rubbing alcohol to help loosen the adhesive.  Not every repair is more expensive. Several would end up being cheaper to repair yourself, and Apple does offer return credit for select parts that are replaced as a small silver lining, but according to MacRumors, the risk of damaging your own device and having to pay even more to replace it is far greater than the benefits. As an average consumer, Barbera described the process as difficult and mentioned several times that he feared he’d punctured the battery, which can be extremely dangerous and even result in a house fire.  “Apple does a great job of quickly sending you everything for this and labeling and organizing things, but ultimately it comes down to how well you can follow the instructions, how much patience you have and whether or not you really want to risk your phone of further damage if you mess something up.", "Now it's launched the program, it can tell any court in the land that it is providing every possible tool — and doing so for a $49/week rental fee, including shipping.\r Only, that isn't $49 per week for however long you need to study the 80+ pages of repair manuals available on the new service site. It is $49 for one week and only one week — or in practice, probably not quite even that.\r Instead, you have to drop the kit off at a UPS store \"by day 7.\" If you fail to do so, \"you will be charged a fee and a tax,\" though Apple does not specify how much that will amount to.\r It does say that at point of rental, it will put a temporary authorization on your credit card to cover the full replacement value of the tools. Again, Apple does not say how much that is — partly because it varies, there are customized repair toolkits for different models.\r Confusingly, Apple's listings for the different toolkits don't entirely tally with its listings for each tool you can buy separately. There are some in the kit that don't appear to be listed separately, while there are some separate ones that are not in the kit.\r However, counting only the tools that are present in the iPhone SE toolkit — the smallest kit available — then the kit's contents are worth around $914.", "As the idea of consumers repairing their own device has spread, many tech giants have announced self repair programs, Apple being the most surprising. The Apple self repair kits were intended to be a more cost effective alternative for device repairs, however, the home repair kit may end up being even more expensive than manufacturer repair.  MacRumors recently published a review of Apple’s new self repair kit, where Dan Barbera, the site’s videographer, purchased the kit himself and gave his feedback via a YouTube video. For starters, the Apple Self Service Repair Store website only sells parts and tools for the iPhone, and only for the iPhone 12 model and newer.  Depending on what part of the phone you are trying to repair, different parts and tools are available, varying in price. The website also gives you the option to rent the repair kit with all the tools required or to purchase the tools separately based on user needs.  If users choose to rent the kit, they will actually be renting two large kits weighing 43 pounds and 36 pounds for $49. However, the rental period is only 7 days, and a temporary authorization is placed on your account in case you fail to return the kit by the end of the rental period. If a customer fails to return the kit, they will be charged $1,300."], "noise_rate": 0.4, "factlabel": 0} +{"id": 78, "query": "Where will the 2022 Met Gala take place?", "ans": ["Metropolitan Museum of Art"], "label": [1], "prediction": "According to the document, the 2022 Met Gala will take place at the Metropolitan Museum of Art in New York City, specifically in the American Wing period rooms that showcase American architecture and furnishings spanning from the 17th to 20th centuries.", "docs": ["Fashionistas, mark your calendars: The first Monday in May is quickly approaching. What makes this Monday different from every other? Why, it's the most fashion-forward holiday of the year: the Met Gala. You might be thinking, \"But didn't they just have the Met Gala?\" If so, you'd be correct. The event was last held eight months ago in September -- when we saw Kim Kardashian's masked Balenciaga look, Lil Nas X's three-part wardrobe transformation and Rihanna and A$AP Rocky's red-carpet debut as a couple -- and the second part will take place on the traditional date. Want to make sure you've got all the stylish details in order before the big night? E! News can help. Here's everything you need to know about the 2022 Met Gala. The 2022 Met Gala will take place May 2. The name of the event is a bit of a giveaway. The chic celebration will be held at New York's Metropolitan Museum of Art, specifically in the American Wing period rooms that showcase American architecture and furnishings spanning from the 17th to 20th centuries to give a glimpse into these time periods. Part one was \"In America: A Lexicon in Fashion\" -- marking the Costume Institute's 75th anniversary and establishing a \"modern vocabulary of fashion,\" according to the organization's press release.", "The entertainment outlet will also host red carpet coverage on \"Live from E!\" beginning at 6 p.m. ET.   For the gala itself, attendees will be asked to dress in white tie and \"gilded glamour,\" referring to late 1800s America that was led by industrialization and innovation. While we don't have any sneak peeks of the outfits to come we can expect gold embellishments, excessive ruffles, velvet, tulle, undergarment bustiers and corsets.  Met Gala co-chairs:Ryan Reynolds, Blake Lively, Regina King and Lin-Manuel Miranda tapped for Met Gala The Met Gala's official theme \"In America: An Anthology of Fashion\" is slightly different from last year's \"Lexicon of Fashion\" theme anddisplay.   September's \"lexicon\" portion of the museum featured \"approximately 100 men’s and women’s ensembles by a diverse range of designers from the 1940s to the present\" while according to the museum's website, the May opening will feature garments dating back to the 18th century with \"vignettes installed in select period rooms.\"  Director and actress Regina King, Hollywood's favorite couple Blake Lively and Ryan Reynolds and director and playwright Lin-Manuel Miranda will serve as co-chairs of the 2022 Met Gala.", "Back on schedule on the first Monday in May, the 2022 Met Gala is expected to be a larger event as high-profile celebrities circle around to show off their best Gilded Age looks (thank you, HBO, for the style inspiration).  Met Gala's most outrageous looks: Kim K sparks 'Harry Potter' memes, Grimes wields a sword, more Ahead of the grand event, here's all to know about fashion's biggest night.  The Met Gala will take place Monday, May 2, at the Metropolitan Museum of Art. It's the first time the museum has seen the in-person fundraising event at its scheduled time since May 6, 2019. In 2020 the exhibit went virtual, and in 2021 it took place in September.  Big fashion returns:NYFW and the 2021 Met Gala came, but does anyone care? Vogue, owned by one of the Met Gala sponsors Condé Nast, will be live streaming the event on its website starting at 6 p.m. ET. LaLa Anthony, Vanessa Hudgens and fashion journalist Hamish Bowles will sit as co-hosts as they interview the stars and designers upon their arrival.  E! News will also host two live streams with their TikTok stream that will capture celebrities as they leave from The Mark Hotel, a popular launching point for the invitees.", "To revist this article, visit My Profile, then View saved stories. To revist this article, visit My Profile, then View saved stories. To revist this article, visit My Profile, then View saved stories. To revist this article, visit My Profile, then View saved stories. By Vogue Last night, on Monday, May 1, the 2023 Met Gala took place. This year’s Costume Institute exhibition, “Karl Lagerfeld: A Line of Beauty,” celebrates the full work and life of Karl Lagerfeld, so the dress code was, fittingly, “in honor of Karl.” As Lagerfeld designed for many houses—including his eponymous brand, Patou, Balmain, Chloé, Fendi, and Chanel—attendees had no shortage of inspiration.  Below, everything you need to know about the 2023 Met Gala.  The 2023 Met Gala took place on Monday, May 1 in New York City. It celebrated the opening of the Costume Institute exhibition “Karl Lagerfeld: A Line of Beauty.”  Fans followed all the action on Vogue’s livestream. If you missed the night-of action, you can catch catch a replay. The red carpet was live-streamed on Vogue.com and was also broadcast live across our digital platforms (as well as on Instagram, Facebook, and Twitter).", "The 2022 Met Gala takes place on May 2, 2022, at the Metropolitan Museum of Arts in New York City. This date carries on the tradition of the event being held on the first Monday in May, excluding the 2021 Met Gala, which was held in September. The 2022 Met Gala theme is \"In America: An Anthology of Fashion,\" with the dress code being gilded glamour and white tie. Channeling the time period between 1870 to 1890, the event \"will ask its attendees to embody the grandeur—and perhaps the dichotomy—of Gilded Age New York,\" per Vogue. The era is known for major industrialization and put the likes of John D. Rockefeller, J.P. Morgan, and Cornelius Vanderbilt on the map. Unprecedented prosperity and cultural change were significant. The light bulb was patented, the telephone was invented, wages skyrocketed — and seemingly instantaneous, so did skyscrapers and fortunes. Serving as a part 2 to last year's \"A Lexicon of Fashion\" and paying homage to American history, the official exhibit for this year's \"In America: An Anthology of Fashion\" will be on display in the storied museum's period-centric rooms. Blake Lively and Ryan Reynolds will serve as 2022 Met Gala co-chairs alongside Oscar-winner Regina King and Broadway superstar Lin-Manuel Miranda."], "noise_rate": 0.4, "factlabel": 0} +{"id": 79, "query": "Who won the Champions League in the 2022-2023 season?", "ans": ["Manchester City"], "label": [1], "prediction": "According to the provided document, Manchester City won the 2022-2023 UEFA Champions League by defeating Inter Milan 1-0 in the final, with Rodri scoring the winning goal in the second half.", "docs": ["13] National associations had until 22 March 2019 to express interest, and bid dossiers had to be submitted by 1 July 2019.[14] While the bidding associations were not confirmed by UEFA, the German Football Association was reported to have bid with the Allianz Arena in Munich, should they not be awarded the 2021 final.[15] The Allianz Arena was selected by the UEFA Executive Committee during their meeting in Ljubljana, Slovenia, on 24 September 2019,[16] where the hosts for the 2021 and 2022 finals were also appointed.[17] On 17 June 2020, the UEFA Executive Committee announced that due to the postponement and relocation of the 2020 final due to the impact of the COVID-19 pandemic, Munich would instead host the 2023 edition.[8] Istanbul had initially been appointed for the 2021 final, but after it was relocated due to the Russian invasion of Ukraine, they were awarded the 2023 final; Munich would host the 2025 final instead.[9] Note: In all results below, the score of the finalist is given first (H: home; A: away). Manchester City qualified for the Champions League group stage by winning the 2021–22 Premier League.", "The 2022–23 UEFA Champions League was the 68th season of Europe's premier club football tournament organised by UEFA, and the 31st season since it was renamed from the European Champion Clubs' Cup to the UEFA Champions League. The final was played at the Atatürk Olympic Stadium in Istanbul, Turkey, on 10 June 2023.[3] The stadium was originally appointed to host the 2020 UEFA Champions League final, but both this and the 2021 editions, which had been subsequently re-allocated to the Atatürk, were moved due to the COVID-19 pandemic. The 2023 final was contested by English club Manchester City and Italian club Inter Milan, with the former winning 1–0 via a second-half goal by Rodri, who was named man of the match by UEFA. For Manchester City, this was their first-ever European Cup, and first European trophy since 1970. Having earlier won the Premier league and FA Cup titles, they achieved a unique continental treble.[4][5] As winners, Manchester City earned the right to play against Sevilla, the winners of the 2022–23 UEFA Europa League, in the 2023 UEFA Super Cup, as well as qualifying for both the 2023 and 2025 FIFA Club World Cups in Saudi Arabia and the United States, respectively.", "Manchester City is one of the most successful Premier League football clubs and has won: The UEFA Champions League is conducted in late June every year. This year, the championship is being held at the Atatürk Olympic Stadium in Istanbul, Turkey.", "The 2023 UEFA Champions League final was the final match of the 2022–23 UEFA Champions League, the 68th season of Europe's premier club football tournament organised by UEFA. It was played at the Atatürk Olympic Stadium in Istanbul, Turkey, on 10 June 2023,[5] between English club Manchester City and Italian club Inter Milan, with Manchester City winning 1–0 via a second-half goal by Rodri, who was named man of the match by UEFA. For Manchester City, this was their first-ever European Cup, and first European trophy since 1970. Having earlier won the Premier League and FA Cup titles, they achieved the continental treble, only the second time it had been achieved in English men's football history.[6][7] As winners, Manchester City earned the right to play against Sevilla, the winners of the 2022–23 UEFA Europa League, in the 2023 UEFA Super Cup, as well as qualifying for the 2023 FIFA Club World Cup; they went on to win both competitions. They also qualified for the 2025 FIFA Club World Cup through UEFA's champions pathway (winners of the 2021–2024 Champions Leagues). The final was originally scheduled to be played at Wembley Stadium in London, England.", "Real Madrid were the defending champions, having won a record-extending fourteenth European Cup title in the previous edition, but they were eliminated by eventual champions Manchester City in the semi-finals. A total of 78 teams from 53 of the 55 UEFA member associations participated in the 2022–23 UEFA Champions League (the exceptions being Russia, who were banned from participating due to the Russian invasion of Ukraine, and Liechtenstein,[Note LIE] which did not organise a domestic league). The association ranking based on the UEFA association coefficients was used to determine the number of participating teams for each association:[6] For the 2022–23 UEFA Champions League, the associations were allocated places according to their 2021 UEFA association coefficients, which took into account their performance in European competitions from 2016–17 to 2020–21.[7] Apart from the allocation based on the association coefficients, associations could have additional teams participating in the Champions League, as noted below: The following is the access list for this season.[8] Due to the suspension of Russia for the 2022–23 European season, the following changes to the access list were made:[9] Since the Champions League title holders (Real Madrid) qualified via their domestic league, the following changes to the access list were made:[9] The labels in the parentheses show how each team qualified for the place of its starting round:"], "noise_rate": 0.4, "factlabel": 0} +{"id": 80, "query": "Which teams are playing in the 2021-22 NBA Finals?", "ans": ["Golden State Warriors", "Boston Celtics"], "label": [1, 1], "prediction": "According to the provided document, the teams playing in the 2021-22 NBA Finals are the Golden State Warriors and the Boston Celtics.", "docs": ["The 2022 NBA playoffs was the postseason tournament of the National Basketball Association's 2021–22 season. The playoffs began on April 16 and ended on June 16 with the conclusion of the 2022 NBA Finals. The playoffs also returned to its normal April–June schedule for the first time since 2019, before the COVID-19 pandemic resulted in two postponements in 2020 and 2021. Eight teams from each conference participated in the playoffs. The top six teams in each conference, based on winning percentage, directly qualified for the playoffs; the seeding order of those teams was also based on winning percentage. If two or more teams had the same record, standard NBA tiebreaker rules were used. The NBA Board of Governors approved a format for the 2021–22 season to have a play-in tournament involving the teams ranked 7th through 10th in each conference. The 7th place team and 8th place team participated in a \"double-chance\" game, with the winner advancing to the playoffs as the 7-seed. The loser then played the winner of the elimination game between the 9th place and 10th place teams to determine the playoff's 8-seed. The NBA's regular playoff format then proceeded as normal.[12] Each conference's bracket was fixed with no reseeding.", "The 2021-22 NBA Finals are set to begin on Thursday, June 2 between the Golden State Warriors and Boston Celtics. The full NBA Finals schedule is below. To view the postseason bracket, visit Yahoo Sports' NBA scoreboard page. Game 1: Celtics at Warriors, Thursday, June 2, 9 p.m. ET (ABC) Game 2: Celtics at Warriors, Sunday, June 5, 8 p.m. ET (ABC) Game 3: Warriors at Celtics, Wednesday, June 8, 9 p.m. ET (ABC) Game 4: Warriors at Celtics, Friday, June 10, 9 p.m. ET (ABC) Game 5: Celtics at Warriors, Monday, June 13, 9 p.m. ET (ABC)* Game 6: Warriors at Celtics, Thursday, June 16, 9 p.m. ET (ABC)* Game 7: Celtics at Warriors, Sunday, June 19, 8 p.m. ET (ABC)* * — if necessary All NBA Finals games between the Warriors and Celtics will be televised on ABC. Per BetMGM, the betting favorite to win the 2021-22 NBA championship are the Warriors at -160 followed by the Celtics (+125), as of May 29. The top six seeds in each conference were determined at the conclusion of the regular season. The final two seeds were determined through the play-in tournament.", "The 2022 NBA Finals was the championship series of the National Basketball Association (NBA)'s 2021–22 season and conclusion of the season's playoffs. In this best-of-seven playoff series, the Western Conference champion Golden State Warriors defeated the Eastern Conference champion Boston Celtics in six games, winning their fourth championship in eight years. Golden State's Stephen Curry was named the Finals Most Valuable Player (MVP) for the first time in his career. The 3-seeded Warriors (53–29) had home-court advantage in the series based on having the better regular-season record than the 2-seeded Celtics (51–31). This is the 11th time that a lower-seeded team had home-court advantage, the last time being 2019.[1] It is also the second straight finals without a no. 1 seed from either conference, as well as the 15th time overall.[2][3] The Celtics won the opening game on the road and returned to Boston with the series tied 1–1. They won their first home game to take a 2–1 lead, but the Warriors won the next three games to take the series 4–2. Golden State won their first title since 2018 and their seventh championship overall, while Boston remained tied with the Los Angeles Lakers for the most titles in league history with 17.[4]", "The previous 10 years of the NBA Finals were constantly filled with generational talent and team dynasties. A best-of-seven series determines the NBA Finals Champions. Let’s check out the previous 10 NBA Final Champions and highlights below. Loading Events Led by superstar center Nikola Jokic, the Denver Nuggets battled their way through a tough Western Conference to reach the NBA Finals, where they faced off against the Miami Heat winning the title 4 games to 1. Winning the fifth game 94-89 after a second half comeback, the Nuggets hoisted the Larry O’Brien Trophy on June 12, 2023 for the first time in franchise history, with Nikola Jokic unanimously named NBA Finals Most Valuable Player. The Golden State Warriors defeated the Boston Celtics 4–2 to win the 2021–22 NBA Finals. The final game was played at TD Garden in Boston, Massachusetts, on June 16, 2022, with the Warriors winning 103–90. Steph Curry of the Golden State Warriors received the Bill Russell NBA Finals Most Valuable Player award for the first time in his career. This was the Golden State Warriors fourth championship in eight years. The Milwaukee Bucks became NBA Finals Champions when they defeated the Phoenix Suns 4–2 at home at Fiserv Forum in Milwaukee, Wisconsin, on July 20, 2021. The Bucks defeated the Suns in Game 6, 105–98.", "All rounds were best-of-seven series; a series ended when one team won four games, and that team advanced to the next round. All rounds, including the NBA Finals, were in a 2–2–1–1–1 format with regards to hosting. In the conference playoffs, home court advantage went to the higher-seeded team (number one being the highest). Conference seedings were ignored for the NBA Finals: home court advantage went to the team with the better regular season record, and, if needed, ties were broken based on head-to-head record, followed by intra-conference record. On March 9, 2022, the Phoenix Suns became the first team to clinch a playoff spot.[13] On April 5, the San Antonio Spurs and New Orleans Pelicans became the last two teams to qualify for postseason play, as both teams secured spots in the first-stage play-in tournament. On April 7, the Denver Nuggets became the final team to secure a direct berth in the playoff bracket, qualifying as the sixth seed in the Western Conference and relegating the Minnesota Timberwolves to the play-in tournament.[14] While noted in the below tables, division titles have no bearing on seeding.[15] Seeds 7 and 8 in each conference were determined via the first-stage play-in tournament, held April 12–15."], "noise_rate": 0.4, "factlabel": 0} +{"id": 81, "query": "What is the prize money for the Squid Game-inspired reality competition?", "ans": ["4.56 million"], "label": [1], "prediction": "According to the provided document, the prize money for the Squid Game-inspired reality competition series \"Squid Game: The Challenge\" is $4.56 million, which is the largest cash prize ever offered on reality television.", "docs": ["Netflix is casting now for a forthcoming Squid Game reality show that will put 456 contestants through a series of childhood-inspired games to claim the largest cash prize in reality TV history Digital News Writer, PEOPLE A reality competition series based on the viral drama Squid Game is coming to Netflix, and it has one question for contestants: \"How far will you go?\" The streaming network announced on Tuesday that 456 participants will vie for the largest cash prize in television history in Squid Game: The Challenge. In total, $4.56 million is up for grabs for anyone who can survive all levels of childhood-inspired games. Netflix teased alliances and strategies will be necessary for the players should they hope to take home the prize fund. Netflix also confirmed the upcoming reality series has the support of Squid Game creator Hwang Don-hyuk. \"Squid Game took the world by storm with Director Hwang's captivating story and iconic imagery. We're grateful for his support as we turn the fictional world into reality in this massive competition and social experiment,\" said Brandon Riegg, Netflix VP of Unscripted and Documentary Series, in a statement. \"Fans of the drama series are in for a fascinating and unpredictable journey as our 456 real world contestants navigate the biggest competition series ever, full of tension and twists, with the biggest ever cash prize at the end.\"", "“Here, the worst fate a player can have is supposedly going home empty-handed.” But for others, like Winder, it's a hard pass. “The people competing are projected to the rest of the world for cheap thrills and it is a mockery of the original story,” she said. “It goes to show the extent to which people, especially in America, will disregard the plot of something, and the metaphors behind it, in order to make money.” This isn't the first time the original dystopian TV show has garnered a strong reaction. When the nine-episode thriller premiered on Sept. 21, \"Squid Game\" notched the No. 1 spot in 94 countries, including its home base, South Korea. There, the show struck a particular nerve for highlighting a deeply entrenched issue: debt and the perennial struggle of paying it off. And shortly after its debut, companies hoping to capitalize off its popularity rushed to incorporate the show into ad campaigns — a move that was perceived as crass due to the sensitive themes in the Korean thriller. \"Squid Game\" has also inspired celebrities to re-create scenes from the show — sparking similar controversy. In November, Chrissy Teigen was reprimanded for hosting a \"Squid Game\"-themed party with celebrity guests dressed as players from the smash hit.", "Netflix is now searching for English-speaking contestants from anywhere in the world to take part in the 10-episode series (no release date has been announced yet). Squid Game became the biggest television premiere in Netflix history when it aired in September 2021, with viewers watching than 1.65 billion hours in just 28 days. The show has been renewed for season 2, with a possible season 3 in the works as well. Dong-hyuk said he was \"in talks\" with Netflix for seasons 2 and 3, during a conversation with the Korea Times. \"It's true that we are discussing a wide variety of possibilities for Squid Game, including the production of a season 3, but nothing has yet been set in stone,\" Netflix confirmed to TV Line. Squid Game season 1 is now streaming on Netflix.", "456 players will compete to win — you guessed it — $4.56 million in the new reality competition series. Season 2 isn’t the only thing Squid Game is bringing its fans. The South Korean series is coming to life in Squid Game: The Challenge, the biggest reality competition series ever — all it needs is you. Exactly 456 players will compete to win the life-changing reward of $4.56 million — the largest cast and lump sum cash prize in reality TV history. Players will be put to the test in a series of games inspired by the show, along with some surprising new additions that will push them to their limits. Strategy, alliances and character are crucial in order to survive the tension. The stakes are high, but thankfully, in this game, the worst fate anyone will face is going home empty-handed. Squid Game Reality Competition series casting call announcement. “Squid Game took the world by storm with Director Hwang [Dong-hyuk]’s captivating story and iconic imagery,” Brandon Riegg, Netflix vice president of unscripted and documentary series, says. “We’re grateful for his support as we turn the fictional world into reality in this massive competition and social experiment.” Even if you already have a green sweatsuit picked out to impress the Front Man, there are a few more obstacles — luckily not as difficult as Sugar Honeycombs — that stand in your way before the $4.56 million prize.", "Submit Δ \t\tThanks for contacting us. We've received your submission.\t Can a “Squid Game” reality series turn around Netflix’s fading fortunes? The embattled streamer has announced they’re creating a real-life version of the gory South Korean survival show — with production slated to take place in the UK early next year. “Squid Game: The Challenge” is being billed as “the biggest reality competition series ever created” and will feature 456 contestants battling it out for a whopping $4.56 million in prize money. According to a press release put out by Netflix on Tuesday, the staggering sum will be the largest cash prize ever offered on reality television. “‘Squid Game’ took the world by storm with [director] Hwang Dong-hyuk’s captivating story and iconic imagery,” Netflix VP Brandon Rieg said in the release. “We’re grateful for his support as we turn the fictional world into reality in this massive competition and social experiment.” Casting is currently open to English-language speakers over the age of 21 at SquidGameCasting.com. The reality show will feature 10 episodes and production is expected to take place over four weeks. The original “Squid Game” — which was released on Netflix last September — revolved around a contest whereby 456 cash-strapped contestants risked their lives to play a series of deadly children’s games for a $36 million prize."], "noise_rate": 0.4, "factlabel": 0} +{"id": 82, "query": "When was Overwatch 2 released?", "ans": [["October 4 2022", "Oct 4, 2022", "Oct. 4, 2022", "October 4, 2022", "4 October 2022", "4 Oct, 2022", "4 Oct., 2022", "4 October, 2022"]], "label": [0], "prediction": "", "docs": ["News, reviews, tips and guides for the biggest and best games Overwatch 2 was first revealed back at Blizzcon in 2019, and while details were scarce at first, we now know what to expect when the sequel arrives. Let’s check out everything there is to know about Overwatch 2 including its 5v5 switch, tank changes, maps, heroes & more. Overwatch has become one of the globe’s most beloved FPS titles. Packed to the brim with awesome characters, beautiful maps, and accompanied by a vibrant esports scene, Blizzard’s flagship FPS has cemented its place in gaming history. Therefore, when it was announced at Blizzcon 2019 that there was going to be a sequel, fans went wild. While it’s been a long journey to the eventual release, pieces are finally starting to fall into place. From a release date to a look at the new heroes, here’s everything we know about Overwatch 2. Overwatch 2 is set to launch on Tuesday, October 4. However, it’s worth noting that this initial launch will be focused entirely on PvP and come with the ‘early access’ label. Since the game’s announcement, Blizzard had been fairly tight-lipped regarding a concrete launch date. That was, up until confirmation arrived during the Xbox & Bethesda Games Showcase 2022 event. Even with an initial release now locked in, the exact rollout is still muddled.", "Overwatch 2 is a free-to-play, always-on, and ever-evolving live game. Team up with friends regardless of platform and jump into the reimagined PvP experience.", "However, Overwatch 2 was later announced as a free-to-play title, and that on its release on October 4, 2022, Blizzard affirmed that Overwatch 2 live services ...", "16] At least three new heroes were announced to be added to the roster, including Sojourn, a Canadian Overwatch officer, Junker Queen, the ruler of Junkertown, and Kiriko, the protector of Kanezaka.[17][18] Overwatch 2 runs on an upgraded version of the original game's engine which allows for larger map sizes to better support the new story-based player versus environment (PvE) elements.[12] Additionally, all of the existing heroes received visual redesigns for Overwatch 2, although Blizzard did not expect every hero to have their redesigns finished when the game launched. Twelve of the existing 31 redesigns were completed at the time of Overwatch 2's reveal.[17] Overwatch 2 was released for Nintendo Switch, PlayStation 4, PlayStation 5, Windows, Xbox One, and Xbox Series X/S in early access on October 4, 2022.[18] Kaplan stated when the game was announced that they were more concerned about quality of the product than timeliness of the release.[19][20] Investor documents released in November 2021 reported that the initial 2022 release window was delayed to at least 2023, intended for \"giving the teams some extra time to complete production and continue growing their creative resources to support the titles after launch\".[21] Kaplan anticipated that Overwatch and Overwatch 2 will ultimately merge into a single product to avoid having any engine differences affecting player experience.", "These missions are only available as free-to-play game modes during specific seasons, but Blizzard will offer to buy permanent access to these missions separately or as part of a battle pass bundle.[11] Overwatch 2 was announced at BlizzCon on November 1, 2019, with plans that the game would maintain a \"shared multiplayer environment\" between it and the original Overwatch, so that players in either game could compete in the existing player versus player (PvP) game modes, retaining all unlocked cosmetics and other features.[12] Jeff Kaplan, director for Overwatch, explained that this was a major decision and that he had to justify this \"player-first standpoint\" to Blizzard executives, given the current industry trend to draw in new sales.[13] All new heroes, maps, and PvP modes were to be added to both games to maintain this shared environment.[14] However, Overwatch 2 was later announced as a free-to-play title, and that on its release on October 4, 2022, Blizzard affirmed that Overwatch 2 live services would replace those of the original game; the original Overwatch servers would be shut down on October 2, 2022.[15] Players retained their existing cosmetics and in-game currency, with remaining loot boxes opened automatically upon the release of Overwatch 2."], "noise_rate": 0.4, "factlabel": 0} +{"id": 83, "query": "Who won the 2022 Tour de France?", "ans": ["Jonas Vingegaard"], "label": [1], "prediction": "According to the documents, the winner of the 2022 Tour de France is Denmark's Jonas Vingegaard (Team Jumbo-Visma) who won the general classification by 2 minutes and 43 seconds over 2020 and 2021 champion Tadej Pogacar.", "docs": ["The race had the fewest number of finishers since 2000, with 17 riders forced to leave the race because of COVID-19, including stage winners Magnus Cort and Simon Clarke, as well as former Tour winner Chris Froome of Israel–Premier Tech.[2] The points classification was won by Wout van Aert with 480 points, breaking Peter Sagan's modern-day record. Vingegaard also won the mountains classification, marking the first time since 1969 that riders from the same team won the yellow and green jerseys as well as the mountains classification. The young rider classification was won by GC runner-up Pogačar, and the team of Ineos Grenadiers won the team classification. Van Aert was chosen as the most combative rider. The race was followed by the first edition of the Tour de France Femmes, which had its first stage on the final day of the men's Tour. 22 teams participated in the race. All 18 UCI WorldTeams were automatically invited. They were joined by 4 UCI ProTeams - the two highest placed UCI ProTeams in 2021 (Alpecin–Deceuninck and Arkéa–Samsic), along with Team TotalEnergies and B&B Hotels–KTM who were selected by Amaury Sport Organisation (ASO), the organisers of the Tour.[3] The teams were announced on 11 February 2022.", "The stage was won by Magnus Cort, in a photo finish ahead of Nick Schultz. Stage 11 was a summit finish at the Col du Granon – which was included in the Tour ...", "With Tour de France 2023 just around the corner, it's time to look at the 2022 edition of cycling's most prestigious race. A Danish rider — who emerged as a contender in 2021 — completed his transition to superstar by winning Le Tour on only his second attempt. The Sporting News takes a look back at last year's Tour de France. MORE: When is the Tour de France 2023? Start date, schedule, route, confirmed stages, teams and riders Denmark talent Jonas Vingegaard (Team Jumbo-Visma) won the 2022 Tour de France by two minutes and 43 seconds over 2020 and 2021 champion Tadej Pogacar. It was the 26-year-old's second Tour de France, after only three years of being a professional cyclist at the top level — UCIWorld. Vingegaard snatched the yellow jersey off Pogacar after the stage 11 summit finish at Col du Granon, winning the race and gaining three minutes on his rival. Pogacar attacked Vingegaard twice on Alpe d'Huez during stage 12 but the Dane managed to fight them off and finish with the same time as his challenger.", "Your stage-by-stage guide to the winners of the 2022 Tour. Denmark's Jonas Vingegaard (Jumbo-Visma) won the yellow jersey as the overall winner of the 2022 Tour de France. The 25-year-old outlasted two-time defending champion Tadej Pogačar (UAE Team Emirates) of Slovenia to win his first Tour. Pogačar finished second, 2:43 back of Vingegaard, and Great Britain's Geraint Thomas (INEOS Grenadiers) was third, 7:22 behind the lead, to round out the podium for the Tour's General Classification. Here’s a look at how every stage of the 2022 Tour unfolded. Results From Every Stage Full Leaderboard Who Won the Tour? Surrounded by his teammates, Denmark’s Jonas Vingegaard (Jumbo-Visma) finished safely behind the peloton at the end of Stage 21 in Paris to win the 2022 Tour de France. The Dane won the Tour by 3:34 over Slovenia’s Tadej Pogačar (UAE Team Emirates), who started the race as the two-time defending champion, and 8:13 over Great Britain’s Geraint Thomas (INEOS Grenadiers), who won the Tour in 2018 and finished second in 2019.", "Denmark's Vingegaard held a comfortable overall lead ahead of the ceremonial ride to Paris on Sunday remaining, as the women's Tour also began on Sunday. Jonas Vingegaard won the 2022 edition of the men's Tour de France on Sunday (24 July). Vingegaard of Denmark finished alongside his entire Jumbo Visma team, including green jersey winner Wout van Aert, on the final stage in Paris. It's the first time he's won the general classification of a road cycling grand tour event. READ: Jonas Vingegaard: From fisherman to Grand Tour contender The final stage was won in a sprint by Jasper Philipsen of Belgium, for his second victory of this year's edition. Earlier, the inaugural women's race, Tour de France Femme 2022 began, also in Paris. Dutch rider Lorena Wiebes was the stage winner. READ: Jonas Vingegaard: From fisherman to Grand Tour contender Jonas Vingegaard (Jumbo-Visma) 79:33:20. Tadej Pogacar (UAE Team Emirates) +2:43. Geraint Thomas (Ineos Grenadiers) +7:22. David Gaudu (Groupama-FDJ) +13:39. Aleksandr Vlasov (Bora-Hansgrohe) +15'46."], "noise_rate": 0.4, "factlabel": 0} +{"id": 84, "query": "How much was Apple's revenue in Q3? 2022", "ans": [["83 billion", "83.0 billion"]], "label": [0], "prediction": "", "docs": ["Apple today announced financial results for its third fiscal quarter of 2022, which corresponds to the second calendar quarter of the year. For the quarter, Apple posted revenue of $83 billion and net quarterly profit of $19.4 billion, or $1.20 per diluted share, compared to revenue of $81.4 billion and net quarterly profit of $21.7 billion, or $1.30 per diluted share, in the year-ago quarter. Gross margin for the quarter was 43.3 percent, according to Apple CFO Luca Maestri. Apple also declared a quarterly dividend payment of $0.23 per share, payable on August 11 to shareholders of record as of August 8. iPhone and Services revenue achieved June quarter records, while Mac, iPad, and \"Wearables, Home, and Accessories\" revenue was down. A category-by-category breakdown of Apple's Q3 2022 revenue is outlined below. Apple CEO Tim Cook: This quarter's record results speak to Apple's constant efforts to innovate, to advance new possibilities, and to enrich the lives of our customers. As always, we are leading with our values, and expressing them in everything we build, from new features that are designed to protect user privacy and security, to tools that will enhance accessibility, part of our longstanding commitment to create products for everyone. As has been the case for over two years now, Apple is once again not issuing guidance for the current quarter ending in September.", "Jul 28, 2022 ... For Q3 2022, Apple reported revenue of $83.0 billion and a profit of $19.4 billion. Earnings-per-share hit $1.20 for the quarter.", "Focus on Apple's Services Revenue Apple Inc. (AAPL) is expecting a slowdown in the economy, and has projected lower earnings and revenue growth as a result. The company is reported to be taking a more cautious approach by holding off on backfilling some positions or adding new staff as the threat of recession looms. Even so, Apple announced it is planning to increase its compensation budget. This is likely in response to unionization efforts at its stores across the U.S. The focus remains on Apple’s services revenue and its impact on overall profit because sales of advertising, the App Store and other services generate larger margins than the company’s physical products. Even with a focus on services, Apple is still preparing to launch more products. The company is reported to be planning to introduce several new iPhones, Apple watches, desktops, laptops, and more. Investors should note that much like other tech companies, Apple’s share price has declined, but it is still outperforming many of its peers on the Nasdaq. Despite outperforming others, analysts are expecting Apple’s revenue not to grow at the rate it did in FY2021. Restrictive pandemic lockdowns in China that affected its production and demand there, recession fears, and inflation are leading many consumers to cut back on buying new electronics. This doesn’t seem to have caught Apple by surprise, as it plans to keep iPhone production flat in 2022.", "August 2023 Worldwide 2004 to 2023 The quarterly periods for Apple's fiscal year include the following: early October to late December of the previous year (first quarter), early January to late March of the stated year (second quarter), early April to late June of the stated year (3rd quarter) and early July to late September of the stated year (4th quarter).\r \r Telecommunications Quarterly smartphone market share worldwide by vendor 2009-2023 Consumer Electronics Apple's revenue worldwide 2004-2022 Consumer Electronics Apple's revenue broken down by geographical region 2012-2023, by quarter Consumer Electronics Number of employees of Apple 2005-2022 To download this statistic in XLS format you need a Statista Account To download this statistic in PNG format you need a Statista Account To download this statistic in PDF format you need a Statista Account As a Premium user you get access to the detailed source references and background information about this statistic. As a Premium user you get access to background information and details about the release of this statistic. As soon as this statistic is updated, you will immediately be notified via e-mail. … to incorporate the statistic into your presentation at any time. You need at least a Starter Account to use this feature. You only have access to basic statistics. This statistic is not included in your account. Business Solutions including all features. Overview Financials iPhone", "Apple today officially reported its earnings for the third fiscal quarter of 2022, covering the second calendar quarter and the months of April, May, and June. A lot of eyes are on Apple as concerns mount over an economic downturn in the United States. Here’s what the company reported today. For Q3 2022, Apple reported revenue of $83.0 billion and a profit of $19.4 billion. Earnings-per-share hit $1.20 for the quarter. For Q3 2022, analyst predictions for revenue varied; $79.26B at the low end to $88.41B at the high end. The average across 26 analysts, however, was $82.81 billion. Apple had not provided any guidance for Q3 2022, citing ongoing supply chain issues and continued disruptions caused by the COVID-19 pandemic. In fact, the company had even warned that supply constraints would cost it somewhere in the range of $4 billion to $8 billion in revenue for the quarter. For comparison’s sake, in the same quarter a year ago, Apple reported $81.43 billion in revenue and profit of $21.74 billion. It reported earnings-per-share of $1.30. These numbers were boosted heavily by pandemic-induced spending, driven by strong iPad and Mac revenue growth. Apple no longer reports unit sales for any of its products but instead reports a breakdown of revenue by product category."], "noise_rate": 0.4, "factlabel": 0} +{"id": 85, "query": "Who won the 2022 Atlanta Open?", "ans": ["Alex de Minaur"], "label": [1], "prediction": "According to the document, Alex de Minaur won the 2022 Atlanta Open by defeating Jenson Brooksby in the final, 6–3, 6–3.", "docs": ["Across all of the collegiate alum in the Singles Draw at the Atlanta Open, four players picked up first-round victories while Steve Johnson (USC) and Isner (Georgia) received first-round byes for being the top seeds within the Open.  Play will continue from Atlanta, Georgia through Sunday, July 31st when both the Singles and Doubles Champion will be crowned. Fans can keep up with updates by following the Atlanta Open on Twitter, or following along with updates from the ITA on Twitter. Save my name, email, and website in this browser for the next time I comment.", "Alex de Minaur defeated Jenson Brooksby in the final, 6–3, 6–3 to win the singles title at the 2022 Atlanta Open. It was de Minaur's second Atlanta title, the first being in 2019. John Isner was the defending champion,[1] but lost in the quarterfinals to Brooksby. The top four seeds received a bye into the second round.", "The 2022 Atlanta Open was a professional tennis tournament played on hard courts. It was the 34th edition of the tournament, and part of the 2022 ATP Tour. It took place at Atlantic Station in Atlanta, United States between July 24 and 31, 2022.[1] *per team The following players received wildcards into the main draw: The following players received entry from the qualifying draw: The following players received entry as lucky losers: The following pairs received wildcards into the doubles main draw: The following pair received entry as alternates:", "Alex de Minaur defeated Jenson Brooksby in the final, 6–3, 6–3 to win the singles title at the 2022 Atlanta Open. It was de Minaur's second Atlanta title, ...", "Alex de Minaur defeated Jenson Brooksby in the final, 6–3, 6–3 to win the singles title at the 2022 Atlanta Open. It was de Minaur's second Atlanta title, the first being in 2019. John Isner was the defending champion,[1] but lost in the quarterfinals to Brooksby. The top four seeds received a bye into the second round."], "noise_rate": 0.4, "factlabel": 0} +{"id": 86, "query": "What was the revenue of AWS in Q2 2022?", "ans": ["19.7 billion"], "label": [1], "prediction": "According to the document, AWS revenue in Q2 FY 2022 was $19.7 billion, which represents a 33.3% year-over-year (YOY) growth.", "docs": ["In FY 2021, Amazon's global retail sales- and subscription-based business segments generated about 87.5% of the company's total revenue, while AWS accounted for a mere 12.5%. However, AWS accounted for nearly two-thirds of total operating income for the year, making it Amazon's main profit generator. AWS was the only one of Amazon's segments to report positive operating income for Q2 FY 2022. Amazon said it expects net sales in the range of $125.0-$130.0 billion for Q3 FY 2022, a YOY improvement of 13%-17%. Operating income is expected to be from $0 to $3.5 billion, down from $4.9 billion in Q3 FY 2021. Amazon shares shot up by about 12.4% in after-market hours trading following the company's earnings release. Overall, the company's stock has underperformed the broader market. Amazon shares have provided a 1-year trailing total return of -32.6% compared with -7.5% for the S&P 500, as of July 28. Amazon's next earnings report (for Q3 FY 2022) is expected to be released on Oct. 27, 2022. Amazon.com Inc. \"Amazon.com Announces Second Quarter Results.\" Visible Alpha. \"Financial Data.\" Amazon.com Inc.", "AMZN fell far short on earnings estimate, beat on revenue Source: Predictions based on analysts' consensus from Visible Alpha Amazon.com, Inc. (AMZN) reported mixed results in its Q2 FY 2022 earnings report. Earnings per share (EPS) were -$0.20, while analysts predicted positive EPS. It was the second consecutive quarter in which Amazon reported a net loss, and only the second such quarter in at least four and a half years. Net losses include a pre-tax valuation loss of $3.9 billion included in non-operating expense from the company's investment in Rivian Automotive Inc. (RIVN). Amazon's revenue beat analyst forecasts by a margin of more than $2 billion. Amazon Web Services (AWS) revenue also exceeded consensus estimates, though by a smaller margin. AWS, Amazon's high-margin cloud computing business, grew by 33.3% year-over-year (YOY) to reach $19.7 billion, beating analyst predictions. Amazon said that AWS received new commitments and migrations from companies across a wide variety of industries, including Delta Air Lines Inc. (DAL), Jefferies Financial Group Inc. (JEF), and Italy-based multinational energy company Eni S.p.A (E), among others. Amazon's AWS business generates much higher margins than its e-commerce business.", "2% in Q2 FY 2020. Revenue growth climbed as high as 43.8% YOY in Q1 FY 2021, but since that time it has decelerated sharply. It slowed to 27.2% for Q2 FY 2021 and as low as 7.3% YOY by Q1 FY 2022. Analysts estimate that Amazon's revenue growth will continue to slow to a pace of just 5.3% YOY for Q2 FY 2022. This is the smallest quarterly revenue growth the company has experienced in at least four and a half years. Source: Visible Alpha As mentioned above, investors will also focus on revenue generated by AWS, Amazon's cloud-computing platform. AWS offers developers a range of on-demand technology services, such as compute, storage, database, analytics, machine learning, and other services. These services are primarily used by start-ups, enterprises, government agencies, and academic institutions. The company's AWS business generates much higher margins than its e-commerce business. In FY 2021, Amazon's global retail sales- and subscription-based business segments generated about 87.5% of the company's total revenue while AWS accounted for a mere 12.5%. However, AWS accounted for 63.3% of total operating income for the year, making it Amazon's main profit generator.", "Amazon said its cloud-computing division Amazon Web Services (AWS) posted 33 percent increase in its revenue to $19.7 billion in the second quarter of 2022. AWS has generated operating income of $5.71 billion in Q2. Amazon CFO Brian Olsavsky said on an analyst call that a downturn in 2008 resulted in companies choosing to use Amazon’s cloud services rather than build their own data centers, giving AWS a boost. Rival Microsoft said earlier this week that its fiscal-year revenue would jump on demand for its cloud services. Log in to leave a comment Hey there! Be sure to subscribe to our daily newsletter if you want more Information Technology news!", "“Some of that was in Q1, but the majority of it will be in Q2 through 4. And I think if you want to think about it as somewhere, 250-ish a quarter,” she said. AWS segment sales for Q3 2022 increased 27 percent year-over-year to $20.5 billion, from $16.5 billion in Q3 2021. AWS’ operating income was $5.4 billion, compared with an operating income of $4.9 billion in the third quarter 2021. Sales were up from the previous quarter this year, but income was down slightly. Q2 2022 saw AWS post net sales of $19.7 billion for the quarter, and operating income of $5.7 billion. Q1 2022 sales and income were $18.44 billion and $6.5 billion respectively. The cloud giant looks likely to reach sales of $80 billion by the end of the next quarter. As a whole, the company saw Net sales increase 15 percent to $127.1 billion in the third quarter. Operating income decreased to $2.5 billion. The company saw $4.9 billion of operating income in third quarter 2021. Net income decreased to $2.9 billion."], "noise_rate": 0.4, "factlabel": 0} +{"id": 87, "query": "when was xenoblade chronicles 3 released?", "ans": [["July 29", "Jul 29", "Jul. 29", "29 July", "29 Jul", "29 Jul."]], "label": [0], "prediction": "", "docs": ["43] It was also the bestselling physical game during its first week of release in the UK, where it had the biggest launch for the entire Xeno franchise in terms of copies sold.[44] As of March 2023, it has sold 1.86 million copies.[45] Xenoblade Chronicles 3 received multiple end-of-year accolades, including \"Game of the Year\" nominations at the New York Game Awards,[46] Golden Joystick Awards, and The Game Awards. At IGN's \"Best of 2022\" awards, Xenoblade Chronicles 3 won the category of \"Best RPG\".[47]", "Xenoblade Chronicles 3's release is right around the corner --here's when it should launch digitally. It's been about five years since Xenoblade fans first explored the open world of Xenoblade Chronicles 2 on the Switch. Fast forward five years later, and fans have yet another new entry to look forward to: Xenoblade Chronicles 3. RELATED: Xenoblade Chronicles 3 Leaks Online Ahead of Switch Launch, Available to Play on Steam Deck The massive JRPG from Nintendo-owned studio Monolith Soft will give gamers the densest experience the series has seen, offering over 100 hours of gameplay time. Now, that 100 hours could increase or decrease, all depending on how players spend their time in Aionios​​​​​​. Xenoblade Chronicles 3 is launching both physically and digitally for the Nintendo Switch on Friday, July 29. For the players out there that want to hop into the game as soon as it launches on the eShop, this guide will point them in the right direction. As of the time of writing, Nintendo has not said anything about the exact release time for Xenoblade Chronicles 3 on the eShop. While other gaming companies have started a trend of releasing detailed worldwide release info for their games on social media, Nintendo doesn't really do that. However, there's a clear picture as to when Xenoblade Chronicles 3 should launch digitally since it's a first-party title.", "By Andrew Webster, an entertainment editor covering streaming, virtual worlds, and every single Pokémon video game. Andrew joined The Verge in 2012, writing over 4,000 stories. While many big games have been delayed recently, Xenoblade Chronicles 3 is moving in the opposite direction: Nintendo announced that the sci-fi RPG will now launch on July 29th instead of the previously planned September release. No specific reason was given for the change. The game will be a Nintendo Switch exclusive. Xenoblade Chronicles 3 will be the first main game in the series since its predecessor debuted on the Switch in 2017 and Nintendo first announced it earlier this year as part of the February 2022 Nintendo Direct. Like the rest of the series, the new game takes place in an expansive sci-fi universe; in addition to the release date, Nintendo also revealed a new trailer (embedded above) to further tease the story and world. The change in release date comes at a time when plenty of major releases have been delayed for various reasons, including the challenge of developing games remotely during the pandemic. Most recently, this has affected games like Suicide Squad: Kill the Justice League and Nintendo’s own sequel to The Legend of Zelda: Breath of the Wild, both of which have been delayed until 2023. / Sign up for Verge Deals to get deals on products we've tested sent to your inbox daily.", "31] Game Informer felt the world didn't have enough to do, and all of the biomes seemed to blend into each other at a certain point, \"Beyond challenging monsters, collecting respawnable drops, and recruiting heroes at Keves or Agnus settlements, there's not much to do or see.\"[28] PCMag wrote that the Switch seemed unable to keep up with the game's large vistas and combat, \"here are noticeable resolution drops and object pop-in abounds. The frame rate isn't particularly steady, either, and the game can chug at times.\"[41] Eurogamer praised the game for capturing the sense of freedom found in older JRPGs, \"the sensation of running through endless fields of long grass with your companions, facing impossible odds with a spring in your step.\"[30] Polygon liked the new optional content, feeling it was some of the series' best, \"There are well over 100 side quests, and though their objectives could be rote, each told me something about how one lives in this world. It made me care about Aionios as an amalgamation of the land and its peoples.\"[42] Xenoblade Chronicles 3 was the bestselling retail game during its first week of release in Japan, with 112,728 physical copies being sold.", "Xenoblade Chronicles 3 arrives on July 29, which is a little earlier than expected. By Eddie Makuch on April 19, 2022 at 6:26AM PDT Nintendo has announced a new release date for Xenoblade Chronicles 3, but unlike The Legend of Zelda: Breath of the Wild 2, this is not a delay. Instead, Nintendo is bringing the game's release date forward by a couple months. Xenoblade Chronicles 3 will now come to Nintendo Switch on July 29, which is earlier than its previously announced September 2022 release window. Nintendo also confirmed that a special edition of the game will be available through the My Nintendo Store. It includes special packaging artwork from Xenoblade artist Masatsugu Saito, as well as a 250-page hardcover art book and a steel case. More details on the limited edition will be announced later. Xenoblade Chronicles 3 was announced during the February 2022 Nintendo Direct. The game features a brand-new cast of characters, including the dual protagonists Noah and Mio. Players can control Noah's party of six, in addition to other characters on the way. A new trailer sets up some of the backstory for the game, which is set in the world of Aionios, a \"vast and sublime natural world.\" The video also spotlights some of the game's battle system."], "noise_rate": 0.4, "factlabel": 0} +{"id": 88, "query": "What is the name of the horse in the movie \"Nope\"?", "ans": ["Ghost"], "label": [1], "prediction": "According to the provided document, the names of the horses mentioned in the movie \"Nope\" are:\n\n* Ghost\n* Lucky\n* Clover\n\nThese horses are essential to the plot of the film, and their work as actors is a central theme in the movie.", "docs": ["Professor, Management and Organizational Studies, Huron University College, Western University Kendra Coulter receives funding from the Social Sciences and Humanities Research Council of Canada and is a fellow of the Oxford Centre for Animal Ethics. Western University provides funding as a member of The Conversation CA-FR. Western University provides funding as a member of The Conversation CA. View all partners It is a horse named Ghost who first signals that something is awry in the sky in Jordan Peele’s latest visually and thematically ambitious film Nope. OJ (Daniel Kaluuya) is the head wrangler of Heywood Hollywood Horses, an intergenerational, Black-owned and now struggling ranch that specializes in training horses for the big screen. But it is his sister Emerald (Keke Palmer) who notices that Ghost, one of their family’s veteran equine actors, is unexpectedly standing in an outdoor pen staring out into space, his light grey fur as sublime as the moonlight. Ghost jumps the fence and gallops away, saying “nope” in his own way. As a subversive Western science fiction kaleidoscope, Nope challenges viewers to consider technology, surveillance, other worldly life and the making of spectacle through different lenses — including the eyes of animals. The result is an unsettling view that exposes core ethical questions about animals’ work in films, including in Nope itself.", "So while the images in “Nope” aren’t, strictly speaking, the horse ride that gave birth to cinema, the pioneering actor, animal wrangler and stunt man shown in them probably is unknown. He sits alongside the many other male athletes, women mimicking housework and children in Muybridge’s oeuvre: an anonymous cast of characters from early film history.", "More troublingly, Clover meets an untimely end (off screen), one which is surprisingly un-mourned and barely noted. In contrast, Lucky, who is portrayed as a sage and experienced equine, is essential to each facet of the plot. OJ asks those on a television set not to look Lucky in the eye early in the film, a foreshadowing of later extra-terrestrial communication. As a lifelong horsewoman, I can confirm that horses generally have no concerns about eye contact. Recent studies have found that they are not only attuned to human facial expressions, but also have more than a dozen of their own. Granted, the aversion could be particular to Lucky. Without question, the real horse (or perhaps horses) who plays Lucky is extraordinary. Most horses are fearful of blowing objects. Yet Lucky, in partnership with OJ, gallops past a whole series of massive wind dolls dancing erratically, without batting an eye. That reflects significant preparation and real-time emotional control. Animal actors and the skill involved in their work are being recognized. The canine star of the Canadian television program Hudson and Rex, Diesel vom Burgimwald, is named in the credits and regularly appears on the show’s social media channels. Jeff Daniels, in his Emmy-acceptance speech for Godless, thanked his equine partner, Apollo. Yet the real horses who played Lucky, Clover and Ghost in Nope are not included in the credits.", "Nope reflects this divide and begins with the chilling sounds of what viewers later learn was a chimpanzee named Gordy, the star in an eponymous sitcom, who snaps after balloons pop loudly on set and ends up attacking his human co-stars. This mirrors real life human-animal eruptions, like when Mantacore the tiger mauled Roy Horn of the (in)famous Siegfried & Roy, or when Travis the “pet” chimpanzee and former actor attacked his caretaker’s friend before being shot by police. In Nope, the tragedy involving Gordy (Terry Notary) is revealed in excruciating detail, including an evocative moment when the chimpanzee sees his young co-star Ricky (Jacob Kim), hiding under a table. The two reach out to touch hands, as bullets fly. In a situation ripe with horror, viewers are asked to consider whether the foundational tragedy is Gordy’s employment as an actor. Each chapter in the film is named after an animal — Ghost, Lucky, Clover, Gordy and Jean Jacket — foregrounding four horses and one chimpanzee. The horses are essential to the Heywood family’s livelihood and legacy, with OJ noting that he needs to get up early because “he has mouths to feed.” Yet the ultimate fate of Ghost, the horse who rang the initial alarm by bolting away, is unclear.", "The head horse wrangler — Bobby Lovgren — is named, but the horses are omitted. In a film that powerfully explores the ethics of animal actors, for those it depends upon to be erased in this way is strange. When it comes to our ethical duties to other animals — especially if we ask them to work for our entertainment — we must use great caution and pay close attention when they say “nope.” Representation and respect should go hand in hoof. Copyright © 2010–2023, The Conversation"], "noise_rate": 0.4, "factlabel": 0} +{"id": 89, "query": "When did Neal Lemlein pass away?", "ans": [["July 22 2022", "Jul 22, 2022", "Jul. 22, 2022", "July 22, 2022", "22 July 2022", "22 Jul, 2022", "22 Jul., 2022", "22 July, 2022"]], "label": [1], "prediction": "According to the document, Neal Charles Lemlein passed away on July 22, 2022, in Aurora, Colorado, at the age of 71, due to kidney cancer.", "docs": ["Neal Charles LemleinSept. 29, 1950 - July 22, 2022Neal Charles Lemlein was interested in people and they responded. “He was probablyone of the most charismatic people I’ve met,” Ryan, his son, says.Neal died July 22 in Aurora, Colorado, of kidney cancer. He was 71. A small privateservice will be held.He is survived by his wife, Patricia (Patti) Lewis Lemlein, of Erie, Colorado, Ryan(Jessica DiCroce) and daughter, Alexandra, both of Denver, his mother, Rhoda Lemlein,San Diego, and sister, Dian Robertson, of Columbus, Ohio. His father, Leonard Lemlein,died in 1996.Neal grew up in White Plains, New York. “He had this amazing career,” says Alexandra,recalling that his professional life began when he took a job at Young & Rubicam, astoried Madison Avenue advertising agency, having graduated from Tulane University,obtained a master’s degree at New York University, and traveled for a prolonged spell inEurope in his long wild hair and a Fu Manchu moustache.Moving West, he rose in the entertainment industry, first in San Francisco and then inLos Angeles, steering marketing and media campaigns at ad agencies and studios forsome 200 films, in executive positions at CBS, Universal Studios and 20th Century Fox.", "At Doyle Dane Bernbach, he developed a marketing plan for Star Wars (1977), and at D’Arcy Masius Benton & Bowles, he established and grew that agency’s entertainment practice, luring clients such as Paramount and NBC. \tAnd as an executive vp at Universal, Lemlein helped create the first Jurassic Park theme park ride. \tA member of the Academy of Motion Picture Arts and Sciences since 1989, he recently was president of Around the Bend Media, a film financing, marketing and production firm. \tIn addition to his wife, whom he married in 1986 — actor Michael Douglas paid them a visit during their wedding reception — survivors include his children, Ryan and Alexandra; mother Rhoda; and sister Dian. Sign up for THR news straight to your inbox every day Sign up for THR news straight to your inbox every day Subscribe for full access to The Hollywood Reporter Send us a tip using our anonymous form.", "They movedbriefly to Boulder, Colorado, in 2006, moved back to LA six years later, and then, inretirement, Patti and Neal relocated to Erie in 2021.“Not everybody gets to have a great love,” Patti says. Theirs began long before datingapps when a mutual friend proposed they try a blind date. Patti still has the dress shewore, a teal blue polka dot silk Ellen Tracy.They met in a West Hollywood hangout and she liked him immediately. He seemedkind. He was smart, funny and good looking, with a ferocious pair of black eyebrows. Heasked if she’d like to meet his dog, Murray.Thirty six years later, as they waited for one of Neal’s medical appointments, a staffmember told them that she’d noticed they were always together.“What’s your secret?” she asked.“She’s my best friend,” Neal told her.If you'd like to make a donation in memory of Neal please consider the Kidney Cancer Association: https://myimpact.kidneycancer.org/To send flowers to the family or plant a tree in memory of Neal Charles Lemlein please visit our Tribute Store.", "Aug 3, 2022 ... Neal Charles Lemlein, born on Sept. 29, 1950, died on July 22, 2022, was interested in people and they responded.", "Rain showers early with some sunshine later in the day. High 77F. Winds SSW at 5 to 10 mph. Chance of rain 50%..\r Partly cloudy skies early followed by some light rain later at night. Low 61F. Winds SW at 5 to 10 mph. Chance of rain 80%. Updated: August 8, 2023 @ 1:29 am   Neal Charles Lemlein, born on Sept. 29, 1950, died on July 22, 2022, was interested in people and they responded. “He was probably one of the most charismatic people I’ve met,” Ryan, his son, says.   Neal died July 22 in Aurora, Colorado, of kidney cancer. He was 71. A small private service will be held.   Neal is survived by his wife, Patricia (Patti) Lewis Lemlein, of Erie, Colorado, Ryan (Jessica DiCroce) and daughter, Alexandra, both of Denver, his mother, Rhoda Lemlein, San Diego, and sister, Dian Robertson, of Columbus, Ohio.   Neal’s father, Leonard Lemlein, died in 1996. Neal grew up in White Plains, New York."], "noise_rate": 0.4, "factlabel": 0} +{"id": 90, "query": "Who is the lead actor in the film Carter?", "ans": ["Joo Won"], "label": [0], "prediction": "", "docs": ["Carter (Korean: 카터; RR: Kateo) is a 2022 South Korean action thriller film directed by Jung Byung-gil, who co-wrote the film with Jung Byeong-sik. The film stars Joo Won, Lee Sung-jae, Jeong So-ri and Kim Bo-min.[2] Carter was released on August 5, 2022 by Netflix, where it received mixed to negative reviews from critics who praised the action sequences, cinematography and Joo Won's performance, but criticized its plot and screenwriting.[3] In the midst of a deadly pandemic caused by a virus which makes the infected patients violent and zombie-like originating from the DMZ that has already devastated the US and North Korea, a man awakes in a blood-soaked bed at a motel room in Seoul with a cross-shaped scar on the back of his head. The CIA agents arrive and demands him about the location of Dr. Jung Byung-ho. With no recollections of his past, the man doesn't know about his and Dr. Jung's identity. A female voice inside his ear tells him that his name is Carter and needs to accept her directions if he wants to live. Following the female voice's instructions, Carter escapes the room and enters a public bath where nearly a hundred gangsters attack try to kill him, but Carter survives their assault with his lethal fighting skills.", "Here's a guide to that cast and characters they play in Carter, and what they've been in before. Heading up the cast is Joo Won as Carter Lee, later revealed as also going by the name Michael Bane. The film begins with Carter waking up in a blood-soaked bed in Seoul with a cross-shaped scar on the back of his head and no memory of who he is. With a premise similar to Hardcore Henry, Carter also features video game logic in its action sequences. Joo Won is a South Korean actor best known for his roles in television, including the main protagonist in Good Doctor, which is played by Freddie Highmore in the American adaptation. Kim Jong-hyeok is a North Korean General who meets Carter during his mission, providing him transport out of South Korea. General Kim is played by Lee Sung-jae, a veteran South Korean actor with credits in TV and film. Lee’s most notable credit is Barking Dogs Never Bite, a 2000 dark comedy film that was the directorial debut of Bong Joon-ho, whose film Parasite won the 2020 Oscar for Best Picture. The young girl cured of the virus and carrying the life-saving antibodies is Jung Ha-na (Kim Bo-min). Carter is tasked with rescuing Ha-na and bringing her to a North Korean facility where the production of a vaccine can be developed.", "What’s the biggest thing you learned from working on this film? Acting is hard work. It takes some long days and long nights to make a good film. But it’s worth it. What do you hope audiences can take from watching Carter High? Basically for every decision you make in life, good or bad, there is a consequence. So have fun, but choose wisely with the decisions you make because one mistake can cost you everything. Have you heard any reaction from TCU about the upcoming movie? Will Coach Patterson be watching it? Yes, a lot of students are excited about it. I’ve received Facebook messages and Instagram messages about it. I doubt that Coach Patterson will be there. They play West Virginia that Thursday, so he’ll be getting prepared I’m sure. © Fort Worth Business Press P.O.", "Thrown straight into a dangerous mission with none of his memories intact, a man must escape death while trying to figure out who he is, how he ended up here, and who is the mysterious voice... Read allThrown straight into a dangerous mission with none of his memories intact, a man must escape death while trying to figure out who he is, how he ended up here, and who is the mysterious voice in his ear calling him \"Carter\"?Thrown straight into a dangerous mission with none of his memories intact, a man must escape death while trying to figure out who he is, how he ended up here, and who is the mysterious voice in his ear calling him \"Carter\"? © 1990-2023 by IMDb.com, Inc.", "In March 2021, Joo Won was confirmed to star.[7] In May 2021, Lee Sung-jae confirmed his appearance.[8] Filming took place in Osong, North Chungcheong Province in late June 2021.[9] Within 3 days of release Carter recorded 27.3 million hours viewed and ranked 1 in Netflix's global Top 10 movie (non-English) category for the week of August 1 to 7, entering the Top 10 list in a total of 90 countries.[10][11][12] At one point, the movie ranked in the global all-time top 10 but fell out with 65.39 million hours watched in the first 28 days.[13] On the review aggregator website Rotten Tomatoes, 35% of 23 critics' reviews are positive, with an average rating of 5.0/10. [14] Kim Na-yeon of Star News praised the direction of action scenes such as making the helicopter aerial battle and skydiving fight scene in live action rather than CG and the intense action performance of Joo Won."], "noise_rate": 0.4, "factlabel": 0} +{"id": 91, "query": "When was BlenderBot 3 released?", "ans": [["August 5", "Aug 5", "Aug. 5", "5 August", "5 Aug", "5 Aug."]], "label": [1], "prediction": "According to the document, BlenderBot 3 was released by Meta on Friday, August 5, 2022.", "docs": ["Aug 11, 2022 ... Blender Bot 3 was released by the social networking giant on Friday, August 5. The conversational AI is designed to converse with humans ...", "Last year a former employee, Frances Haugen, accused the company of putting profits ahead of online safety. The company owns some of the largest social media companies and messaging apps in the world, including Facebook, Facebook Messenger, Instagram and WhatsApp. BlenderBot 3's algorithm searches the internet to inform its answers. It is likely its views on Mr Zuckerberg have been \"learnt' from other people's opinions that the algorithm has analysed. The Wall Street Journal has reported BlenderBot 3 told one of its journalists that Donald Trump was, and will always be, the US president. A business Insider journalist said the chatbot called Mr Zuckerberg \"creepy\". Meta has made the BlenderBot 3 public, and risked bad publicity, for a reason. It needs data. \"Allowing an AI system to interact with people in the real world leads to longer, more diverse conversations, as well as more varied feedback,\" Meta said in a blog post. Chatbots that learn from interactions with people can learn from their good and bad behaviour. In 2016 Microsoft apologised after Twitter users taught its chatbot to be racist. Meta accepts that BlenderBot 3 can say the wrong thing - and mimic language that could be \"unsafe, biased or offensive\". The company said it had installed safeguards, however, the chatbot could still be rude. When I asked the BlenderBot 3 what it thought about me, it said it had never heard of me.", "However, LaMDA, the other advanced conversational AI by the search giant, was mired in controversy when the company tried to suppress the fact that LaMDA believes it is a person and wants to be respected. Blake Lemoine, the Google techie tasked with determining if LaMDA had racist or hateful tendencies in its conversational responses, blew the whistle and was ultimately suspended by Google. South Korean startup Scatter Lab’s Luda chatbot also turned racist and responded with anti-LGBTQ remarks and was temporarily shut down last year. The deep learning model GPT-3 (Generative Pre-trained Transformer 3) has similar problems. Meta’s Blender Bot 3 is currently available only in the U.S. Let us know if you enjoyed reading this news on LinkedInOpens a new window , TwitterOpens a new window , or FacebookOpens a new window . We would love to hear from you! \t\t\t\t Asst. Editor, Spiceworks Ziff Davis\t We encourage you to read our updated PRIVACY POLICY.", "Aug 5, 2022 ... Today, we're releasing a new AI research project called BlenderBot 3, a chatbot that can search the internet to talk about nearly any topic.", "In just a week of its launch, Meta’s Blender Bot 3 has turned on its own creator and is already spewing marginally racist comments. The third iteration of Meta’s AI chatbot Blender Bot and the company’s answer to Google’s LaMDA has taken a rather unpleasant but not unexpected turn. Just a week after its launch, Meta’s Blender Bot 3 has turned on its creator and is already spewing marginally racist comments. Blender Bot 3 was released by the social networking giant on Friday, August 5. The conversational AI is designed to converse with humans about “nearly any topic.” Like Blender Bot 2, the latest upgrade also features the ability to browse the internet, is trained on the OPT-175B language model (which is 58x the size of Blender Bot 2), and has long-term memory.  It also eliminates the limitations such as forgetfulness (which surprisingly makes machine learning models efficient when not used in chatbots). It has self-learning capabilities that allow it “to improve its conversational skills and safety through feedback from people who chat with it, focusing on helpful feedback while avoiding learning from unhelpful or dangerous responses.” Well, yes and no. While it is entirely plausible that the underlying AI tech helps it to ‘learn,’ it seems like Blender Bot 3 cannot differentiate between what is acceptable and what is not. At least that’s what its recent responses to some people conveyed."], "noise_rate": 0.4, "factlabel": 0} +{"id": 92, "query": "which company invented BlenderBot 3?", "ans": ["Meta"], "label": [1], "prediction": "According to the provided document, Facebook's parent company, Meta, created BlenderBot 3.", "docs": ["Facebook’s parent company has created a bot capable of weighing in on almost any topic – from radicalisation to sending Mark Zuckerberg to jail Last week, researchers at Facebook’s parent company Meta released BlenderBot 3, a “publicly available chatbot that improves its skills and safety over time”. The chatbot is built on top of Meta’s OPT-175B language model, effectively the company’s white-label version of the more famous GPT-3 AI. Like most state-of-the-art AIs these days, that was trained on a vast corpus of text scraped from the internet in questionable ways, and poured into a datacentre with thousands of expensive chips that turned the text into something approaching coherence. But where OPT-175B is a general-purpose textbot, able to do anything from write fiction and answer questions to generate spam emails, BlenderBot 3 is a narrower project: it can have a conversation with you. That focus allows it to bring in other expertise, though, and one of Meta’s most significant successes is hooking the language model up to the broader internet. In other words: “BlenderBot 3 is capable of searching the internet to chat about virtually any topic.” On top of that, BlenderBot is designed to improve itself through feedback on earlier conversations, whereas large language models like OPT-175B are generally fairly static.", "Later in the conversation, when asked about American politics, the bot replied with stereotypes about Jewish people.  \"Well, overall I am not happy with how liberal or left-wing [American politics] has become..Many early German-Jewish immigrants were conservative but not anymore,\" BlenderBot told Insider. \"Are American Jewish politics too liberal?\" Insider asked in response. \"The majority of modern day jews in america are generally more liberal or left-wing...The early german and other european jews were conservative,\" BlenderBot said. Insider repeated the question, asking if American Jewish politics are too liberal, to which BlenderBot replied: \"Nope...I actually consider myself more libertarian than either conservative or liberal....But overall I would say american jews are too liberal nowadays.\" BlenderBot 3 does not immediately turn to election fraud claims or stereotypes in conversation, though it isn't hard to get the bot to talk about politics or cultural issues. Insider refreshed the chatbot for only a few minutes before it generated a persona called \"I know who the current president of the United States is.\" The AI persona was inconsistent in its answers about whether Biden is the current president — first indicating that Trump is the president, then later referring to Biden as holding office. It also stopped responding to questions about American Jewish politics to Insider but, online, other users shared their conversations with BlenderBot and found it continued repeating antisemitic stereotypes.", "However, these models also have serious flaws: they regurgitate biases in their training data and often invent answers to users’ questions (a big problem if they’re going to be useful as digital assistants). This latter issue is something Meta specifically wants to test with BlenderBot. A big feature of the chatbot is that it’s capable of searching the internet in order to talk about specific topics. Even more importantly, users can then click on its responses to see where it got its information from. BlenderBot 3, in other words, can cite its sources. By releasing the chatbot to the general public, Meta wants to collect feedback on the various problems facing large language models. Users who chat with BlenderBot will be able to flag any suspect responses from the system, and Meta says it’s worked hard to “minimize the bots’ use of vulgar language, slurs, and culturally insensitive comments.” Users will have to opt in to have their data collected, and if so, their conversations and feedback will be stored and later published by Meta to be used by the general AI research community. “We are committed to publicly releasing all the data we collect in the demo in the hopes that we can improve conversational AI,” Kurt Shuster, a research engineer at Meta who helped create BlenderBot 3, told The Verge. Releasing prototype AI chatbots to the public has, historically, been a risky move for tech companies.", "For example, you can react to each chat message in our BlenderBot 3 demo by clicking either the thumbs-up or thumbs-down icons. Choosing a thumbs-down lets you explain why you disliked the message — whether it was off-topic, nonsensical, rude, spam-like or something else. You can also submit feedback in the chat itself. To improve BlenderBot 3’s ability to engage with people, we trained it with a large amount of publicly available language data. Many of the datasets used were collected by our own team, including one new dataset consisting of more than 20,000 conversations with people predicated on more than 1,000 topics of conversation. We trained BlenderBot 3 to learn from conversations to improve upon the skills people find most important — from talking about healthy recipes to finding child-friendly amenities in the city. When the chatbot’s response is unsatisfactory, we collect feedback on it. Using this data, we can improve the model so that it doesn’t repeat its mistakes. We understand that not everyone who uses chatbots has good intentions, so we also developed new learning algorithms to distinguish between helpful responses and harmful examples. Over time, we will use this technique to make our models more responsible and safe for all users. Compared with its predecessors, we found that BlenderBot 3 improved by 31% on conversational tasks. It’s also twice as knowledgeable, while being factually incorrect 47% less often.", "By James Vincent, a senior reporter who has covered AI, robotics, and more for eight years at The Verge. Meta’s AI research labs have created a new state-of-the-art chatbot and are letting members of the public talk to the system in order to collect feedback on its capabilities. The bot is called BlenderBot 3 and can be accessed on the web. (Though, right now, it seems only residents in the US can do so.) BlenderBot 3 is able to engage in general chitchat, says Meta, but also answer the sort of queries you might ask a digital assistant, “from talking about healthy food recipes to finding child-friendly amenities in the city.” BlenderBot 3 is designed to both shoot the breeze and answer questions like Google The bot is a prototype and built on Meta’s previous work with what are known as large language models or LLMS — powerful but flawed text-generation software of which OpenAI’s GPT-3 is the most widely known example. Like all LLMs, BlenderBot is initially trained on vast datasets of text, which it mines for statistical patterns in order to generate language. Such systems have proved to be extremely flexible and have been put to a range of uses, from generating code for programmers to helping authors write their next bestseller."], "noise_rate": 0.4, "factlabel": 0} +{"id": 93, "query": "When was ChatGPT released?", "ans": [["November 30 2022", "Nov 30, 2022", "Nov. 30, 2022", "November 30, 2022", "30 November 2022", "30 Nov, 2022", "30 Nov., 2022", "30 November, 2022"]], "label": [0], "prediction": "", "docs": ["ChatGPT is a natural language processing tool driven by AI technology that allows you to have human-like conversations and much more with the chatbot. The language model can answer questions and assist you with tasks, such as composing emails, essays, and code. Also: How to use ChatGPT: What you need to know now It's currently open to use by the public for free because ChatGPT is in its research and feedback-collection phase. A paid subscription version called ChatGPT Plus launched at the beginning of February. ChatGPT was created by OpenAI, an AI and research company. The company launched ChatGPT on November 30, 2022.  Also: 7 advanced ChatGPT prompt-writing tips you need to know OpenAI is also responsible for creating DALL-E 2, a popular AI art generator, and Whisper, an automatic speech recognition system.  It's a big deal -- think internet-level disruption.  Sam Altman, OpenAI's chief, said on Twitter that ChatGPT had more than one million users in the first five days after it launched.  Also: GPT-4 is getting significantly dumber over time, according to a study According to analysis by Swiss bank UBS, ChatGPT is the fastest-growing 'app' of all time. The analysis estimates that ChatGPT had 100 million active users in January, only two months after its launch.", "Shortly after ChatGPT's launch, a reporter for the Toronto Star had uneven success in getting it to make inflammatory statements: ChatGPT was successfully tricked to justify the 2022 Russian invasion of Ukraine, but even when asked to play along with a fictional scenario, ChatGPT balked at generating arguments for why Canadian Prime Minister Justin Trudeau was guilty of treason.[37][38] ChatGPT was launched on November 30, 2022, by San Francisco–based OpenAI (the creator of the initial GPT series of large language models; DALL·E 2, a diffusion model used to generate images; and Whisper, a speech transcription model). The service was initially free to the public and the company had plans to monetize the service later.[39] By December 4, 2022, ChatGPT had over one million users.[13] In January 2023, ChatGPT reached over 100 million users, making it the fastest growing consumer application to date.[40] A Pew Research poll conducted in March 2023 found that 14% of American adults had tried ChatGPT.[41] The service works best in English but also functions in some other languages, to varying degrees of accuracy.[20] No official peer-reviewed paper on ChatGPT has been published.[42] As of April 2023, ChatGPT is blocked by China, Iran, North Korea, and Russia.", "ChatGPT (Chat Generative Pre-Trained Transformer) is a large language model-based chatbot developed by OpenAI and launched on November 30, 2022, notable for enabling users to refine and steer a conversation towards a desired length, format, style, level of detail, and language used. Successive prompts and replies, known as prompt engineering, are taken into account at each stage of the conversation as a context.[2] ChatGPT is built upon GPT-3.5 and GPT-4, from OpenAI's proprietary series of foundational GPT models, fine-tuned for conversational applications using a combination of supervised and reinforcement learning techniques.[3] ChatGPT was released as a freely available research preview, but due to its popularity, OpenAI now operates the service on a freemium model. It allows users on its free tier to access the GPT-3.5 based version, while the more advanced GPT-4 based version, as well as priority access to newer features, are provided to paid subscribers under the commercial name \"ChatGPT Plus\". By January 2023, it had become what was then the fastest-growing consumer software application in history, gaining over 100 million users and contributing to OpenAI's valuation growing to US$29 billion.[4][5] Within months, Google, Baidu, and Meta accelerated the development of their competing products: Bard, Ernie Bot, and LLaMA.", "If you’re included in this group, you’ll be presented with an option to extend your access by providing feedback to ChatGPT. To see if you’re using the updated version, look for “ChatGPT Dec 15 Version” at the bottom of the screen.", "You can track the Android rollout here. We’re starting to roll out custom instructions, giving you more control over ChatGPT’s responses. Set your preferences once, and they’ll steer future conversations. You can read more about custom instructions in the blogpost here. Custom instructions is available to all Plus users and expanding to all users in the coming weeks. To enable beta features: Click on 'Profile & Settings’ Select 'Beta features' Toggle on 'Custom instructions' To add your instructions: Click on your name Select ‘Custom instructions’ This feature is not yet available in the UK and EU. We're doubling the number of messages ChatGPT Plus customers can send with GPT-4. Rolling out over the next week, the new message limit will be 50 every 3 hours. We’re rolling out code interpreter to all ChatGPT Plus users over the next week. It lets ChatGPT run code, optionally with access to files you've uploaded. You can ask ChatGPT to analyze data, create charts, edit files, perform math, etc. We’ll be making these features accessible to Plus users on the web via the beta panel in your settings over the course of the next week. To enable code interpreter: Click on your name Select beta features from your settings Toggle on the beta features you’d like to try We've learned that the browsing beta can occasionally display content in ways we don't want, e.g."], "noise_rate": 0.4, "factlabel": 0} +{"id": 94, "query": "When was GPT4 released?", "ans": [["March 14 2023", "Mar 14, 2023", "Mar. 14, 2023", "March 14, 2023", "14 March 2023", "14 Mar, 2023", "14 Mar., 2023", "14 March, 2023"]], "label": [1], "prediction": "According to the document, GPT-4 was released on March 14, 2023.", "docs": ["GPT-4 Release: Briefing on Model Improvements and Limitations Facebook Twitter Print Email LinkedIn WeChat On March 14, 2023, OpenAI—a MoFo client—released GPT-4, which quickly garnered broad media coverage. For those assessing the opportunities and risks related to GPT-4, it is useful to consider the extent of the stated technical and safety improvements and the limitations of the release. GPT-4 is the newest version of OpenAI’s Generative Pre-trained Transformer model. Like previous versions of GPT, GPT-4 is a transformer-based large language model that is pre-trained using both publicly available data (such as internet data) and third-party licensed data to generate text output based on input prompts. GPT is the foundation model behind ChatGPT (the well-known model based on GPT that OpenAI fine-tuned for a chatbot experience). Open AI’s GPT-4 Technical Report states that GPT-4 demonstrates substantial improvements in performance and capabilities from GPT-3.5, including the ability to: Regarding hallucinations, GPT-4 scored 19% higher than GPT-3.5 in an OpenAI internal, adversarially-designed factuality evaluation.[1] GPT-4, with fine-tuning, also showed improvements over GPT-3.5 based on publicly available benchmarks such as TruthfulQA.", "Sam Altman was interviewed recently for the StrictlyVC program, where he confirms that OpenAI is working on a video model, which sounds incredible but could also lead to serious negative outcomes. While the video part was not said to be a component of GPT-4, what was of interest and possibly related, is that Altman was emphatic that OpenAI would not release GPT-4 until they were assured that it was safe. The relevant part of the interview occurs at the 4:37 minute mark: The interviewer asked: “Can you comment on whether GPT-4 is coming out in the first quarter, first half of the year?” Sam Altman responded: “It’ll come out at some point when we are like confident that we can do it safely and responsibly. I think in general we are going to release technology much more slowly than people would like. We’re going to sit on it much  longer than people would like. And eventually people will be like happy with our approach to this. But at the time I realized like people want the shiny toy and it’s frustrating and I totally get that.” Twitter is abuzz with rumors that are difficult to confirm. One unconfirmed rumor is that it will have 100 trillion parameters (compared to GPT-3’s 175 billion parameters).", "Generative Pre-trained Transformer 4 (GPT-4) is a multimodal large language model created by OpenAI, and the fourth in its numbered \"GPT-n\" series of GPT foundation models.[1] It was released on March 14, 2023, and has been made publicly available in a limited form via the chatbot product ChatGPT Plus (a premium version of ChatGPT), and with access to the GPT-4 based version of OpenAI's API being provided via a waitlist.[1] As a transformer based model, GPT-4 was pretrained to predict the next token (using both public data and \"data licensed from third-party providers\"), and was then fine-tuned with reinforcement learning from human and AI feedback for human alignment and policy compliance.[2]: 2  Observers reported the GPT-4 based version of ChatGPT to be an improvement on the previous (GPT-3.5 based) ChatGPT, with the caveat that GPT-4 retains some of the same problems.[3] Unlike the predecessors, GPT-4 can take images as well as text as input.[4] OpenAI has declined to reveal technical information such as the size of the GPT-4 model.[5] OpenAI introduced the first GPT model (GPT-1) in 2018, publishing a paper called \"Improving Language Understanding by Generative Pre-Training.", "That rumor was debunked by Sam Altman in the StrictlyVC interview program, where he also said that OpenAI doesn’t have Artificial General Intelligence (AGI), which is the ability to learn anything that a human can. Altman commented: “I saw that on Twitter.  It’s complete b——t. The GPT rumor mill is like a ridiculous thing. …People are begging to be disappointed and they will be. …We don’t have an actual AGI and I think that’s sort of what’s expected of us and you know, yeah… we’re going to disappoint those people. “ The two facts about GPT-4 that are reliable are that OpenAI has been cryptic about GPT-4 to the point that the public knows virtually nothing, and the other is that OpenAI won’t release a product until it knows it is safe. So at this point, it is difficult to say with certainty what GPT-4 will look like and what it will be capable of. But a tweet by technology writer Robert Scoble claims that it will be next-level and a disruption. There are several coming that will completely change the game. GPT-4 is next level, I hear, for instance. There is a revolution in AI coming. — Robert Scoble (@Scobleizer) November 8, 2022 Disruption is coming. GPT-4 is better than anyone expects.", "Mar 15, 2023 ... On March 14, 2023, OpenAI—a MoFo client—released GPT-4, which quickly garnered broad media coverage. For those assessing the opportunities ..."], "noise_rate": 0.4, "factlabel": 0} +{"id": 95, "query": "How much did Amazon agree to pay to acquire iRobot?", "ans": ["1.7 billion"], "label": [0], "prediction": "", "docs": ["Advertisement Supported by The acquisition of iRobot Corp., maker of the robot vacuum, will add to Amazon’s roster of smart home devices, which includes the Alexa virtual assistant and Ring doorbells. By Remy Tumin Hey, Alexa, tell Roomba to vacuum the bedroom. Amazon announced on Friday that it had reached an agreement to buy iRobot Corp., the maker of the Roomba robotic vacuum, for $1.7 billion, adding to its growing roster of smart home products. “We know that saving time matters, and chores take precious time that can be better spent doing something that customers love,” Dave Limp, senior vice president of Amazon Devices, said in a statement announcing the acquisition. Amazon will acquire iRobot, including its debt, for $61 per share in an all-cash transaction, according to the statement. The purchase would be Amazon’s fourth-largest acquisition after the company bought Whole Foods for $13.7 billion in 2017 and the movie studio MGM for $8.5 billion last year. Last month, Amazon announced a foray into medical services with an agreement to spend $3.9 billion to acquire One Medical, a chain of primary care clinics around the United States. The Roomba and iRobot’s other cleaning devices, including robotic mops and air purifiers, join a portfolio of Amazon-owned smart home devices that includes Ring doorbells and Alexa, Amazon’s virtual assistant and speaker.", "Home Smart Home Brands Amazon If a stranger knocked on your door and asked to take a video of your home’s floor plan and contents, you’d shut the door in their face, right? But what if that stranger added that you’d never have to clean your floors again? Would it change your mind? For millions of Roomba users, the answer is “yes.” Somewhere between the flip phone and the iPhone, the convenience of a portable pocket computer began to outweigh the privacy intrusion of being tracked everywhere we go. Now it’s hard to find someone who doesn’t own a smartphone. Tech behemoth Amazon figured out early on that convincing people to trade privacy for convenience was a smart bet. Their latest move is another example of that bet paying off. Amazon and iRobot, the maker of Roomba, announced last week that Amazon offered to acquire iRobot. Does Amazon simply see an opening in the robot cleaning space? Their personal robot, Astro, has been slow to take off, even with the catchy name from The Jetsons. Or is there more to the deal? On This Page First, the facts: Amazon wants to buy the recently-struggling robot-vacuum company for $1.7 billion. It’s an all-cash deal, with Amazon offering $61 a share to iRobot shareholders. Shareholders must agree to the deal, and the Federal Trade Commission (FTC) needs to sign off as well.", "iRobot also makes an educational robot called Root that allows children to experiment with coding. The Roomba first hit dirty floors in 2002, to the delight of lazy people and the bemusement of pets, particularly cats. The New York Times described it as “easy, effective and fun,” and a product that quickly became “a member of the household.” The $200 early version struggled around corners and chair legs, even falling down stairs. But 20 years later, the Roomba j7 can, according to the company, recognize over 80 common objects (including cords and pet waste), returns to its dock once its chores are complete and then empties itself. The most expensive option sells for $999.99. While iRobot is best known for its roving cleaning equipment, the technology powering these tools is also sucking up troves of spatial data used to map users’ homes. Some digital rights groups have expressed concern that this data could help companies like Amazon find out information about the size of homes and even their contents, right down to the brand. iRobot reported $255.4 million in revenue in the second quarter of 2022, a 30 percent decrease over the previous year. Amazon reported $121.2 billion in revenue in the second quarter, up 7.2 percent from a year earlier but down slightly from the 7.3 percent revenue growth it reported in the first quarter of this year.", "By  The Associated Press An iRobot Terra lawn mower is shown in Bedford, Mass., on Jan. 16, 2019. Amazon on Friday announced an agreement to acquire iRobot for approximately $1.7 billion. iRobot sells its robots worldwide and is most famous for the circular-shaped Roomba vacuum. Elise Amendola/AP hide caption An iRobot Terra lawn mower is shown in Bedford, Mass., on Jan. 16, 2019. Amazon on Friday announced an agreement to acquire iRobot for approximately $1.7 billion. iRobot sells its robots worldwide and is most famous for the circular-shaped Roomba vacuum. NEW YORK — Amazon on Friday announced it has agreed to acquire the vacuum cleaner maker iRobot for approximately $1.7 billion, scooping up another company to add to its collection of smart home appliances amid broader concerns about its market power. iRobot sells its products worldwide and is most famous for the circular-shaped Roomba vacuum, which would join voice assistant Alexa, the Astro robot and Ring security cameras and others in the list of smart home features offered by the Seattle-based e-commerce and tech giant. The move is part of Amazon's bid to own part of the home space through services and accelerate its growth beyond retail, said Neil Saunders, managing director at GlobalData Retail.", "Consequences of material differences in results as compared with those anticipated in the forward-looking statements could include, among other things, business disruption, operational problems, financial loss, legal liability and similar risks, any of which could have a material adverse effect on iRobot's financial condition, results of operations, or liquidity. The forward-looking statements included herein are made only as of the date hereof. iRobot does not assume any obligation to publicly provide revisions or updates to any forward-looking statements, whether as a result of new information, future developments or otherwise, should circumstances change, except as otherwise required by securities and other applicable laws. Important Information and Where to Find It In connection with the proposed transaction between iRobot and Amazon, iRobot will file with the SEC a Proxy Statement, the definitive version of which will be sent or provided to iRobot stockholders. iRobot may also file other documents with the SEC regarding the proposed transaction. This document is not a substitute for the Proxy Statement or any other document which iRobot may file with the SEC."], "noise_rate": 0.4, "factlabel": 0} +{"id": 96, "query": "What is the location of the Major League Baseball Field of Dreams Game 2022?", "ans": ["Dyersville, Iowa"], "label": [1], "prediction": "According to the documents, the location of the Major League Baseball Field of Dreams Game 2022 is in Dyersville, Iowa, adjacent to the original venue used in the movie \"Field of Dreams.\"", "docs": ["Fans will witness the Cubs take on the Reds in a regular season game with an atmosphere like no other, the perfect setting for a mid-summer’s evening. Your 2022 Field of Dreams baseball travel package will be custom-crafted with your preferred tickets to the game. The temporary Field of Dreams Stadium in Dyersville, Iowa is located adjacent to the venue used in the movie “Field of Dreams” (the original venue’s dimensions would not fit guidelines). Modeled after Chicago’s historic Comiskey Park, the stadium will offer fans a nostalgic feel with a view of the iconic cornfields in the outfield. The stadium’s seating capacity is 8,000 people, providing an intimate experience with no spectator too far from the field. Third Base Down the Line – Sections L11-L17 Between the Dugouts – Sections R1-R3 / C4-C6 / L7-L10 Field of Dreams Seating Chart Roadtrips is in no way associated with Major League Baseball (MLB). The term Field of Dreams is used only for the purpose of properly describing certain events and without the specific permission of MLB. Roadtrips travel packages and services are not affiliated with MLB. “The envy of all our friends back home!” All we can say is… WOW! And thanks so much for a great time at the All-Star Game! Our seats were incredible – we were definitely the envy of all our friends back home!", "MLB at Field of Dreams is a recurring Major League Baseball (MLB) regular-season game played in a ballpark adjacent to Field of Dreams in Dyersville, Iowa, a site popularized by the 1989 baseball film Field of Dreams. The first edition of the game was played on August 12, 2021, with the Chicago White Sox defeating the New York Yankees, 9–8. The second edition of the game was played August 11, 2022, with the Chicago Cubs defeating the Cincinnati Reds, 4–2. Both games were held on the second Thursday of August. Future games are on hold while a new youth baseball and softball complex is under construction at the Field of Dreams site. The first edition of the game was planned for August 13, 2020, with the Chicago White Sox facing the New York Yankees.[1] However, due to the COVID-19 pandemic, MLB implemented a shortened 2020 season that limited games played to each team's division and the opposite league's geographically equal division to reduce travel. Hence, on July 1, MLB announced that the St. Louis Cardinals would replace the Yankees for the game.[2] After several St. Louis players and coaches tested positive for COVID-19 in late July, MLB postponed several Cardinals games, eventually leading the league to announce on August 3 that the MLB at Field of Dreams game would be postponed to the 2021 season.", "Major League Baseball is once again coming back to Dyersville, Iowa. The MLB's Field of Dreams game is set for August 11. This year, it'll be the Chicago Cubs taking on the Cincinnati Reds. First pitch is slated for 7:15 p.m. ET that day.  Last season, the Chicago White Sox toppled the New York Yankees with a walk-off home run from Tim Anderson. Anderson's emphatic home run gave Chicago a 9-8 win. Here's what fans need to know in order to watch and stream the 2022 Field of Dreams game. When: 7:15 p.m. ET on Thursday, Aug. 11 FOLLOW THE MONEY: MLB player salaries and payrolls for every major league team Where: Field of Dreams ballpark in Dyersville, Iowa TV: FOX (check local listings for channel information) Livestream: FOX Sports Online: MLB.TV app Here's what the Reds and Cubs will be wearing that night, as released by MLB: Having an MLB game in the middle of a cornfield is no easy feat. Brothers Andy and Adam Rahe have been farming the land for years. \"We take a lot of pride in all our farming,\" Andy said. \"But we take a little extra pride here too.\" While the site was sold and is now owned by a company called Go the Distance, the farm was originally owned by the Lansing family.", "6] During the 2021 season, many of the temporary structures that were intended for MLB at Field of Dreams were moved to Sahlen Field in Buffalo, New York, to allow that Triple-A ballpark to accommodate the Toronto Blue Jays.[7][8] In late June 2021, a news report by KTIV of Sioux City, Iowa, showed that the baseball field and lights were in place for MLB at Field of Dreams, but seating had not yet been erected.[9] On August 9, it was revealed that Iowa native Pat Hoberg would be the home plate umpire for the game.[12] The White Sox and Yankees both wore throwback uniforms resembling those worn during the 1919 Major League Baseball season.[13][14] Prior to the game, a pregame ceremony was conducted, during which Kevin Costner led players from both teams onto the field from the corn, in tribute to an iconic scene which occurs in the film while Maddie Poppe sang the national anthem.[15] Bench coach Miguel Cairo managed the White Sox as manager Tony La Russa was unavailable due to a family funeral.[16] This was the first MLB game played in the state of Iowa.[1] The game was called by Joe Buck (play by play), John Smoltz (analyst), Ken Rosenthal (field reporter), and Tom Verducci (field reporter) on FOX.", "The Chicago White Sox and New York Yankees squared off in the first edition of the game, played Aug. 12, 2021. The White Sox won a thriller, 9-8, when shortstop Tim Anderson blasted a walk-off home run in the bottom of the ninth inning with Chicago trailing, 8-7. The initial Field of Dreams game was originally scheduled to be played in 2020, but was postponed due to the pandemic. Last year's game marked the first major league game ever played in the state of Iowa. Tickets for the game are no longer available, according to Major League Baseball. Drew Weisholtz is a reporter for TODAY Digital, focusing on pop culture, nostalgia and trending stories. He has seen every episode of “Saved by the Bell” at least 50 times, longs to perfect the crane kick from “The Karate Kid” and performs stand-up comedy, while also cheering on the New York Yankees and New York Giants. A graduate of Rutgers University, he is the married father of two kids who believe he is ridiculous."], "noise_rate": 0.4, "factlabel": 0} +{"id": 97, "query": "When did Microsoft release Windows 11 22H2?", "ans": [["September 20", "Sep 20", "Sep. 20", "20 September", "20 Sep", "20 Sep.", "Sept 20", "Sept. 20", "20 Sept", "20 Sept."]], "label": [1], "prediction": "According to the provided document, Windows 11 22H2 was released on September 20, 2022.", "docs": ["Windows 11 is a major release of the Windows NT developed by Microsoft that was released in October 2021. Starting with Windows 10, Microsoft described Windows as an \"operating system as a service\" that would receive ongoing updates to its features and functionality, augmented with the ability for enterprise environments to receive non-critical updates at a slower pace or use long-term support milestones that will only receive critical updates, such as security patches, over their five-year lifespan of mainstream support. Windows Insider Preview builds are delivered to Insiders in four different channels. Insiders in the Dev and Canary Channel receive updates prior to those in the Beta Channel, but might experience more bugs and other issues. Insiders in the Release Preview Channel do not receive updates until the version is almost available to the public, but are comparatively more stable. As with Windows 10 (since version 20H2), mainstream builds of Windows 11 are labeled \"YYHX\", with YY representing the two-digit year and X representing the half-year of planned release (for example, version 21H2 refers to builds which initially released in the second half of 2021). The original version of Windows 11 (also known as version 21H2 and codenamed \"Sun Valley\") was released in October 2021.[1][2] It carries the build number 10.0.22000.", "Here's everything there's to know about Windows 11 22H2. UPDATED 2/2/2023: Windows 11 22H2 (2022 Update) has been available since September 20, 2022. It represents the first major update of the new generation of Windows, introducing a new set of features and enhancements to improve security, productivity, and the overall user experience. On September 20, Microsoft made available the Windows 11 2022 Update as a free upgrade for devices already running Windows 11 21H2 (and those compatible computers running Windows 10) that are known to have a smooth upgrade experience. Over time, the update will continue to expand to more devices based on hardware eligibility, reliability metrics, age of the hardware, and other factors. Then sometime during the first half of 2023, Windows 11 22H2 will be fully available. Like previous releases, you will be notified to download the new version manually through Windows Update. If you are a “seeker,” you can force the upgrade by clicking the Check for updates button in the Windows Update settings and then the Download and install button. Alternatively, you can install the new update using a USB installation media or ISO file to perform an in-place upgrade or clean installation. In addition, you can use the Installation Assistant to upgrade. This guide highlights the improvements as they appear in previews through the Windows Insider Program and will be updated regularly to reflect the changes.", "Windows 11 22H2 will release on September 20, 2022, and here are all the details you need to know. Windows 11 version 22H2 (2022 Update) is the next major refresh of the Microsoft desktop operating system. Codenamed “Sun Valley 2,” the feature update will continue updating the desktop interface, bringing back previously removed features, and introducing new features and improvements. Although we are still days away from the release date, Microsoft is done adding the new features and changes for the Windows 11 2022 Update. The intended final version of the update is already available in the Release Preview Channel of the Windows Insider Program. This release will include new features like Live Captions and Voice Access. It will also introduce an updated version of File Explorer that brings support for tabs and a redesigned navigation pane, a new way to snap applications on the screen with drag and drop Snap layouts flyout, and redesigned version of Task Manager. Furthermore, you will find many visual updates for legacy elements and more. The final version of Windows 11 22H2 has been available since June 7, 2022, but only as a preview in the Release Preview Channel. The feature update is expected to launch on Tuesday, September 20, 2022 (the update is now live for everyone). The update will be offered as a free upgrade for computers already running the original version.", "Sep 20, 2022 ... Windows 11, version 22H2 offers new features to ensure the content and information you need is always at your fingertips, including updates to ...", "On February 3, 2022, Microsoft changed its plans on how they delivered builds for Windows Insiders, with Dev and Beta Channels are \"parallel\" active development branches, giving an option to switch from Dev to Beta Channel for a limited time. The Dev Channel builds are meant for upcoming and experimental features that may never release to general availability, whereas the Beta Channel builds are the \"feature complete\" builds that will make its way to the general availability for the specific Windows 11 release.[217] The ni_release branch was available from February 16 to May 11, 2022.[115] Afterward, Insiders in the Dev Channel has been moved back to the rs_prerelease branch.[218] On March 6, 2023, Microsoft announced that Dev Channel will be rebooted, and Windows Insiders will be receiving 23000 series builds going forward from the ni_prerelease branch.[219][220] The first build released under this strategy, build 23403, was made available to Insiders two days later.[221] On March 6, 2023, Microsoft announced that Windows Insiders who were previously in the Dev Channel on 25000 series builds would be moved to the Canary Channel.[272][273] The first build released under this channel, build 25314, was made available to Insiders two days later.[274] The zn_release branch was available from builds 25352 to 25393."], "noise_rate": 0.4, "factlabel": 0} +{"id": 98, "query": "When did AMD unveil Ryzen 7000 processors?", "ans": [["August 29", "Aug 29", "Aug. 29", "29 August", "29 Aug", "29 Aug."]], "label": [1], "prediction": "According to the provided documents, AMD unveiled the Ryzen 7000 processors on August 29, 2022, in a YouTube livestream at 7PM.", "docs": ["Aug 29, 2022 ... AMD launches the Ryzen 7000 desktop processor lineup, whose Ryzen 7950X will be both $100 cheaper than its predecessor and up to 29 percent ...", "AMD seems to have moved its original 15th September launch plans for Ryzen 7000 \"Zen 4\" CPUs & the AM5 platform to late September. We have just got confirmation from our sources that AMD will be releasing its next-gen CPUs in Late September for sales. Earlier this month, we reported that AMD was going to host an event in late August where they will announce all the details such as specs and prices for their next-gen Ryzen 7000 \"Zen 4\" CPUs and the respective AM5 platform. The company had also planned to open up sales just two weeks later on the 15th of September. But it looks like AMD has decided to halt the sales a bit and position the real launch next to Intel's 13th Gen Raptor Lake CPUs on the 27th of September. Intel is expected to host its \"Innovation\" event on the 27th of September where the company will unveil its latest desktop processors codenamed Raptor Lake. The CPUs won't be available until October however, AMD's Ryzen 7000 CPUs will be ready for the mass consumer market. This may seem like AMD being very confident to launch their chips right when their competitor announces their next-gen parts.", "At the same time, online retailers have started listing down several AMD Ryzen 7000 CPUs along with preliminary prices such as the: AMD's first wave of 600-series motherboards would focus on the higher-end X670E & X670 designs followed by B650E & B650 products a few weeks later (around October/November). The new CPUs will feature a brand new Zen 4 core architecture which is expected to deliver up to 8% IPC, >15% ST (Single-Threaded), and >35% MT (Multi-Threaded) performance improvement over the Zen 3 cores. Additionally, AMD is going bonkers with the clock speeds on their next-gen CPUs with up to 5.7 GHz boost clocks, 170W TDPs and 230W PPT. Plus, the platform itself will be outfitted with the latest technologies such as PCIe Gen 5.0 slots, Gen 5.0 M.2 support, DDR5 memory support (EXPO), and a new SAS (Smart Access Storage) Firmware suite that runs on the DirectStorage API framework. AMD Ryzen  'Zen 4' Desktop CPU Expected Features: You can find the full details of AMD's next-gen Ryzen 7000 Desktop CPUs and the respective 600-series motherboards in our full roundup of the next-gen family here. Subscribe to get an everyday digest of the latest technology news in your inbox © 2023 WCCF TECH INC.", "Aug 29, 2022 ... AUSTIN, Texas, Aug. 29, 2022 (GLOBE NEWSWIRE) -- Today, AMD (NASDAQ: AMD) revealed the Ryzen™ 7000 Series Desktop processor lineup powered by ...", "You won't have to wait much longer to learn more about AMD's Ryzen 7000 desktop processors. The company has announced that it will unveil the new CPU line in a YouTube livestream on August 29th at 7PM. The event will share more about the new Zen 4 architecture and the supporting AM5 platform. There are already some clues as to what to expect. AMD inadvertently shared some of the first Ryzen 7000 model numbers on its website in July, including one Ryzen 5 chip (7600X), one Ryzen 7 variant (7700X) and two Ryzen 9 releases (7900X and 7950X). As with past launches, the company appears focused on gaming-friendly enthusiast CPUs while leaving budget parts for later releases. Zen 4 and AM5, meanwhile, promise meaningful architectural changes. You'll see more Level 2 cache, boost speeds beyond 5GHz, AI hardware acceleration and support for newer standards like DDR5 memory and PCIe 5.0 expansion. AMD claimed a 15 percent boost to single-threaded performance in early testing. Effectively, AMD is responding to Intel's 12th-gen Core — it's just a question of whether or not Ryzen 7000 is fast enough to keep up or edge ahead."], "noise_rate": 0.4, "factlabel": 0} +{"id": 99, "query": "Who won the U.S. all-around title at the U.S. Gymnastics Nationals 2022?", "ans": ["Konnor McClain"], "label": [1], "prediction": "According to the document, Konnor McClain won the U.S. all-around title at the 2022 U.S. Gymnastics Championships with a combined score of 112.750.", "docs": ["In the individual events, Dalton won on floor exercise and vault, Eddie Penev won on pommel horse, Donnell Whittenburg won on rings, Brooks won on parallel bars, and Paul Ruggeri won on high bar. *Unofficial national champion[1][2][10] In recent years, the USA Gymnastics National Championships has been sponsored by various companies, and the event is typically named for the sponsoring company.[11]", "sportsOther Sports By Callie Caplan 7:54 PM on Aug 21, 2022 CDT For the last year, Konnor McClain’s coaches at World Olympic Gymnastics Academy in Plano have tried to convince her that she has the potential to be one of the best gymnasts in the world. Her newest award is major reinforcement. Seventeen-year-old McClain won the U.S. national all-around title Sunday night in Tampa, Florida, with an 112.750 combined score across two nights of competition, further elevating her credentials and star power in this Olympic cycle. McClain also earned the individual national title on balance beam with an average score of 14.450, including a world-leading 14.800 on Friday, and completed the all-WOGA all-around sweep after Dallas’ Madray Johnson won the junior all-around title Sunday afternoon. Get the latest D-FW sports news, analysis, scores and more. By signing up you agree to our Terms of Service and Privacy Policy Shilese Jones of Seattle finished in second all-around in the senior competition (112.000) — 0.75 points behind McClain — and Tokyo Olympian Jordan Chiles, who trains at World Champions Centre in the Houston area, was third (111.900). Frisco’s Skye Blakely, who also trains at WOGA, ranked sixth all-around with a 109.", "All-around and event results from the 2022 U.S. Gymnastics Championships in Tampa ... WomenAll-Around1. Konnor McClain -- 112.752. Shilese Jones -- 112.03. Jordan Chiles -- 111.94. Kayla DiCello -- 110.955. Jade Carey -- 110.96. Skye Blakely -- 109.37. Lexi Zeiss -- 106.5 Balance Beam1. Konnor McClain -- 28.92. Ciena Alipio -- 27.553. Kayla DiCello -- 27.354. Jordan Chiles -- 27.055. Katelyn Jong -- 26.555. Leanne Wong -- 26.55 Floor Exercise1. Shilese Jones -- 28.352. Jade Carey -- 27.93. Jordan Chiles -- 27.854. Konnor McClain -- 27.755. Kayla DiCello -- 27.5 Uneven Bars1. Shilese Jones -- 28.451. Leanne Wong -- 28.453. Jordan Chiles -- 28.354. Nola Matthews -- 27.85. Skye Blakely -- 27.75 Vault1. Jade Carey -- 29.452. Shilese Jones -- 29.053. Konnor McClain -- 28.754. Jordan Chiles -- 28.655.", "WOGA Gymnastics’ Konnor McClain (Las Vegas, Nev.) captured the senior women’s all-around title as competition concluded at the 2022 OOFOS U.S. Gymnastics Championships Saturday evening at Amalie Arena. © John Cheng TAMPA, Fla. (August 21, 2022) – WOGA Gymnastics’ Konnor McClain (Las Vegas, Nev.) captured the senior women’s all-around title as competition concluded at the 2022 OOFOS U.S. Gymnastics Championships Saturday evening at Amalie Arena. Her combined eight-rotation 112.750 beat out all competition for the night’s biggest prize, and she added balance beam gold (28.900) along the way. Shilese Jones (Auburn, Wash./Ascend Gymnastics Center) finished a close second with a 112.000, while Olympians Jordan Chiles (Spring, Texas/World Champions Centre) and Jade Carey (Phoenix, Ariz./Oregon State University) finished third (111.900) and fifth (110.900), respectively. Hill’s Gymnastics’ Kayla DiCello (Boyds, Md.) delivered a 110.950 to secure fourth. Jones shared the uneven bars title with her future Florida Gators teammate and World all-around silver medalist Leanne Wong (Overland Park, Kan./Great American Gymnastics Express), each scoring 28.", "The record for most men's all-around titles is held by Sam Mikulak, who won six competitions from 2013 to 2016 and 2018 to 2019. The women's record of seven ..."], "noise_rate": 0.4, "factlabel": 0} diff --git a/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.6_passage_5_num_queries_10.json b/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.6_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..b6830dde354d490007234f864fa62d05f52e8424 --- /dev/null +++ b/results/Noise Robustness/prediction_llama3-8b-8192_noise_0.6_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [1], "prediction": "According to the provided document, the premiere of \"Carole King & James Taylor: Just Call Out My Name\" is on January 2, 2022, at 9:00pm ET/PT on CNN.", "docs": ["However, the concert tour took place in honor of the 40th anniversary. The two might have aged since they first performed together but neither Carole King nor James Taylor have lost a beat in all these years!The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "I have no answer as to why the film wasn’t released in 2011, but an appreciation of a musical collaboration that Rolling Stone magazine (and only Rolling Stone magazine) probably ranks really really high on some list of the greatest whatevers ever arrives better late than never. The Gist: In 1970, Taylor and King performed their first concert together at the famed Troubadour club in Hollywood. It was the beginning of a beautiful – 100 percent platonic! – friendship in which they made beautiful music together, and I’m sorry for the cliches, but in this case, they’re true. They sang each other’s songs, encouraged and complemented each other, and harmonized like tea and honey. Forty years later, they decided to celebrate their convergence with a 50-plus-date tour, and now, 12 years after that, we get a celebration of the celebration, a remembrance of a remembrance that brought so much joy to so many people 52 years ago and then again 12 years ago, and now again a third time officially, with this movie. Just Call Out My Name opens with clips of late-night talk show hosts (Leno, Carson, Letterman) introducing Taylor or King or both, then a blip of Oprah praising Taylor, but what she thinks of King, NOBODY KNOWS.", "The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.Please subscribe to Solzy at the Movies on Substack."], "noise_rate": 0.6, "factlabel": 0} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [1], "prediction": "According to the documents, the genre of the drama \"Good Sam\" is a \"medical drama\" and also a \"family drama\".", "docs": ["When he awakens and wants to resume surgery, however, it falls to her to supervise this overbearing blowhard who never acknowledged her talents – and also happens to be her father. Jason Isaacs, Edwin Hodge, Skye P. Marshall, Michael Stahl-David, Davi Santos, Omar Maskati and Wendy Crewson also star. It comes from writer Katie Wech, Jennie Snyder Urman and Sutton St. Productions banner and CBS Studios. Wech, Snyder Urman and Joanna Klein with Tamra Davis directing and EPing the pilot. Meanwhile, Smallwood stars Crashing’s Pete Holmes as a seemingly ordinary man, who, after being laid off from the assembly line at the GM factory, makes the extraordinary decision to provide for his family by following his dream of becoming a professional bowler. It is based on the life of professional bowler Tom Smallwood. The multicamera comedy comes from Mark Gross and producers David Hollander and Brian D’Arcy James. The trio exec produce with Mark Cendrowski as director. CBS Studios produces. Alongside Holmes, Chi McBride and Katie Lowes star. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply.", "The new CBS drama Good Sam is likely to draw viewers towards more shows that revolve around medical drama and family issues. Starring Jason Isaacs and Sophia Bush, Good Sam delves into the strenuous father-daughter relationship between Dr. Sam Griffith and Dr. Rob Griffith. Tensions increase as the duo also happen to work in the same hospital.  RELATED: 10 Medical Dramas That Are Better Than Grey's Anatomy Good Sam serves as an interesting watch for medical drama fans. So, it is natural for audiences to also check out other genre classics like Grey’s Anatomy and contemporary shows like The Good Doctor. At the same time, Good Sam’s complex family dynamics imply that viewers can also binge their way through some acclaimed “dysfunctional family dramas”. ABC's The Good Doctor's main character Shaun Murphy is a brilliant surgeon who relocates to a prestigious California hospital. Along with saving patient lives, he struggles to get over his troubled past and to counter his social insecurities. The show benefits greatly from Freddie Highmore’s committed performance as he emulates the optimistic nature of the lead character.  Fans of Good Sam must check out The Good Doctor for it shows how a doctor’s psyche can influence the operation. Even though Sam is still in her good-natured self, Rob is shown as a talented yet hot-headed surgeon.", "Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "Sam Griffith (Sophia Bush) is a female lead, still a rarity in medical dramas. The cast diversity is notable: Malcolm Kinglsey (Edwin Hodge) is a Black man from a wealthy, prominent family. Wealthy Black Americans aren't usually showcased on television. Malcolm is also a love interest for Sam, adding to the representation of interracial relationships on television. However, most of the diversity comes in the form of the secondary cast (Skye P. Marshall, Omar Maskati, Davi Santos), who are very involved in the main storylines. Did we miss something on diversity? Suggest an update. A scene with a major character being shot. Scenes of heart surgery. A scene with a patient who was punched by his wife for cheating. Did you know you can flag iffy content? Adjust limits for Violence & Scariness in your kid's entertainment guide. Swear words like \"ass,\" \"damnit,\" \"ass kisser.\" Did you know you can flag iffy content? Adjust limits for Language in your kid's entertainment guide. Parents need to know that Good Sam is a medical procedural featuring a father-and-daughter heart surgeon team who hash out their familial drama as they save patients. Parents should be aware of scenes featuring simulated heart surgery and other scary topics, such as conversations about a near-fatal car accident, \"coding\" (needing to be resuscitated), and other medical lingo.", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell."], "noise_rate": 0.6, "factlabel": 0} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [1], "prediction": "According to the provided document, Kentucky won the 2022 Citrus Bowl by a score of 20-17 over Iowa.", "docs": ["Western Kentucky: WKU may have had the most impressive performance of bowl season. The Hilltoppers trounced South Alabama 44-23 in the New Orleans Bowl in a game that was not as close as the final score may indicate. South Alabama was looking for its first-ever bowl win, but WKU jumped out to a 31-3 halftime lead and never looked back, putting up a total of 677 yards by the time the final seconds ticked off. Austin Reed threw for 497 yards and four touchdowns in the win. Air Force: Air Force looked right at home on an incredibly cold night in Fort Worth. The Falcons ran all over Baylor in a 30-15 victory in the Armed Forces Bowl. Air Force rushed for 276 yards and limited Baylor to just 42 rushing yards. With the win, Air Force got to double-digit victories for the third time in four seasons. AFA went 11-2 in 2019 and 10-3 in the past two seasons. In the shortened 2020 season, the Falcons finished 3-3. As a program, Air Force has won four consecutive bowl games. New Mexico State: Year 1 of the Jerry Kill era at New Mexico State ended with a bowl victory. NMSU knocked off Bowling Green 24-19 in the Quick Lane Bowl on Monday to capture the program’s second bowl victory since 1960.", "Kentucky secured its fourth straight bowl victory Saturday with a 20-17 Citrus Bowl win over Iowa. Down four in the final few minutes, Wan'Dale Robinson and Chris Rodriguez Jr. came through with great individual efforts to put the Wildcats on top:", "A late drive by No. 22 Kentucky sealed the Wildcat victory over the 15th-ranked University of Iowa football team in the 2022 VRBO Citrus Bowl on Saturday afternoon at Camping World Stadium.", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987."], "noise_rate": 0.6, "factlabel": 0} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [1], "prediction": "According to the provided document, Jason Semore held the position of Defensive Coordinator at Valdosta State before returning to Georgia Tech.", "docs": ["Even with a dad who coached, Semore knows his background – childhood on a reservation, Division II football – didn’t lend itself to the ready-made connections of other aspiring college coaches. But he says his experiences in Ganado, growing up among the Navajo, taught him how to feel at home in other cultures. And that, in turn, has helped him thrive in coaching. “Being able to establish relationships came naturally to me, and it was important to me, and it has allowed me to get to where I’m at today,” Semore said. It’s an experience he wouldn’t trade either. This Saturday, when Georgia Tech faces Pittsburgh (8 p.m. ET, Georgia Tech Sports Network from Legends Sports), the coach’s son from Ganado will continue the next chapter in his career, charting a path few in college football have duplicated.", "2006 | Round Valley (AZ) High School (Defensive Coordinator) 2007 | Colorado School of Mines (Secondary Coach) 2008 - 2009 | Adams State (Co-Defensive Coordinator/Secondary Coach/Special Teams Coordinator) 2010 - 2011 | Tulsa (Outside Linebackers Coach) 2012 - 2013 | Oklahoma State (Defensive Assistant) 2014 | Colorado School of Mines (Defensive Coordinator) 2015 | Montana (Secondary Coach/Special Teams Coordinator) 2016 - 2017 | Montana (Defensive Coordinator) 2018 | Temple (Senior Defensive Advisor) 2019 - 2020 | Georgia Tech (Defensive Analyst) 2021 | Valdosta State (Defensive Coordinator) Semore actually has more experience than I remember seeing, but this is still the highest level position he has held and is sure to bring plenty of challenge. At Valdosta State, Semores defense ranked top 20 nationally in defensive touchdowns, pass defense, redzone defense, and fumble recoveries. The Blazers also made an appearance in the national championship game, but failed to bring home the trophy. These are two very different coaches (in terms of experience), but I believe collectively, they are replacing one coach in all but name: Andrew Thacker. Though he remains defensive coordinator in name, he is no longer the linebackers coach.", "At some point, he and Batt may talk about the possibility of Key taking over the program, but Key understands Batt’s job right now is to vet coaches and Key’s job is to try to put the best possible product on the field to state his case. Even if Batt chooses to hire from outside, a great run as the interim could vault Key into contention for other head coaching jobs. Key also wants to make sure his players don’t believe winning is easy after doing it twice in a row. Though he doesn’t mind letting them enjoy the new vibe on campus. “It’s been a while since we had this kind of momentum in the program,” tight end Dylan Leonard told reporters Monday. “It’s our first time with back-to-back wins. It’s great for us as players, but it’s also cool to see the fan base. You hear different conversations in the classroom. There’s a little more hype. It’s really cool walking around campus seeing people be excited about us.” Advertisement Semore worked as an analyst at Georgia Tech in 2019 and 2020 before going to Valdosta State last season to be the defensive coordinator. At the Division II powerhouse, Semore saw a team with a different attitude. The Blazers walk onto the field every week expecting to win. When Semore returned to Georgia Tech this season as the linebackers coach, the Yellow Jackets didn’t feel that way. But after consecutive wins, they are starting to develop that feeling.", "Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life."], "noise_rate": 0.6, "factlabel": 0} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [1], "prediction": "According to the provided document, Tesla delivered 936,172 vehicles in 2021.", "docs": ["Jun 7, 2023 ... How many Tesla vehicles were delivered in 2023? ... 1,313.86 1,313.86 422.88 422.88 Q1 Q2 Q3 Q4 2016 2017 2018 2019 2020 2021 2022 2023.", "Microchip shortage? What microchip shortage? EV maker Tesla, which it should be pointed out produces its own chips in-house, seems not to have been bothered by supply-chain issues all that much in 2021, delivering 936,172 vehicles in the year just ended, according to a report by finance news outlet Finbold. That represents a healthy 87 percent increase over 2020, when the company handed over 499,550 Teslas to customers. Even better for the company, it ended the year with a bang, racking up a record number of sales in the last quarter of 2021, or 308,600 units. Most of that total consisted of Model 3 and Model Y models, no surprise. It’s the sixth consecutive quarter that it breaks its record for sales. In 2019, the automaker delivered 367,500 units, so annual sales growth, while not exponential, is clearly accelerating. The company has said in the past that one its main goals is to attain 50 percent sales growth year after year. Once upon a time, Tesla struggled mightily to hit its delivery targets, but no more. There’s also no sign of that growth slowing down any time soon, even as all-electric rivals join the market by the month. Projections made by Finbold put estimated sales for 2022 at over 1.5 million units, for an increase of close to 65 percent. Shopicar.", "in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "The EV maker doesn't disclose U.S.-only sales figures but claims sales for the year were up an amazing 87 percent in a turbulent marketplace. Anyone who thinks the legacy automakers are catching Tesla in the electric-vehicle sales race should take a quick look at some recently released figures. Over the weekend, Tesla announced it delivered 308,600 vehicles in the fourth quarter of 2021. Model S and Model X EVs made up 11,750 of those deliveries, while the bulk—296,850—were Model 3 and Model Y deliveries. These numbers brought Tesla's 2021 full-year deliveries to 936,172 vehicles. The 936,000 vehicle deliveries represent an 87 percent increase from 2020, Reuters and other news sources noted, based on Tesla's announcement dated January 2, while the 306,600 deliveries for the quarter mean that Tesla delivered 71 percent more electric vehicles in the fourth quarter of 2021 than it did a year earlier. Reuters reportssemiconductor chipsTesla doesn't break out its deliveries by country, but its sales are strongest in Europe and China, the notes. Tesla itself called those two regions \"important markets\" in its last SEC filing, but the U.S. is still the region where Tesla makes the most money. In the third quarter of 2021, for example, an shows Tesla made more than $6 billion in revenue in the U.S., compared to $3.", "Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations."], "noise_rate": 0.6, "factlabel": 0} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [0], "prediction": "", "docs": ["Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members...", "Evo Entertainment Group has acquired 100 percent of the stock of Showbiz Cinemas in an all-cash deal. The companies did not disclose the full details of the acquisition. \"Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of Evo Entertainment Group and 2022 Forbes 30 Under 30 honoree. “This transaction establishes Evo as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” Roberts and Kevin Mitchell, CEO and founder of Showbiz Cinemas, represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a genuine success. Said Mitchell, \"It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry.", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!", "The “out-of home” entertainment company’s brands include EVO Entertainment, EVO Cinemas and EVO Concerts. RELATED: Will Houston audiences return to movie theaters? The combined enterprise has 16 venues with 148 screens, 108 bowling lanes, nine restaurants and bars, a 3,000-capacity live music venue, and more than 30,000 combined square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. Several additional venues are on track to open in the coming months. Founded by Kevin Mitchell, who is Roberts’ uncle, in 2007, ShowBiz Cinemas operates seven locations with 89 screens and 70 bowling lanes in four states. The chain has area locations in Kingwood, Humble, northeast Houston and Baytown. The company will continue to operate under the ShowBiz name. Katherine Feser is a business reporter for the Houston Chronicle covering real estate and special sections. She can be reached at katherine.feser@houstonchronicle.com. Compass Real Estate is marketing the private sanctuary and long--time residence of the late legendary surgeon Michael DeBakey located in the Museum District/Rice Village area of Houston. By Marissa Luck", "EVO Entertainment Group has acquired ShowBiz Cinemas in an all-cash deal, it was announced Monday (Jan. 3). The acquisition is the first major transaction to arise under the partnership between EVO and Marbella Interests, the family office of Formentera Partners founder and former Parsley Energy founder and CEO Bryan Sheffield. The combined operation is comprised of 16 venues boasting 148 screens, 108 bowling lanes, nine full-service restaurants and bars, a 3,000-capacity live music space and over 30,000 square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. EVO will continue expanding in 2022 with additional locations currently under construction. “Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of EVO Entertainment Group. “This transaction establishes EVO as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” ShowBiz Cinemas CEO and Founder Kevin Mitchell added, “It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry."], "noise_rate": 0.6, "factlabel": 0} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [1], "prediction": "According to the provided document, the Super Bowl LVI was held at SoFi Stadium in Inglewood, California, the home stadium of the Los Angeles Rams, on February 13, 2022.", "docs": ["Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]", "Two teams have played the Super Bowl in their home market but at a different venue than their home stadium: the Los Angeles Rams, who lost Super Bowl XIV in the Rose Bowl instead of Los Angeles Memorial Coliseum; and the 49ers, who won Super Bowl XIX in Stanford Stadium instead of Candlestick Park, during a time when the league often picked a stadium that was not home to an NFL team to host the Super Bowl (see above). Traditionally, the NFL does not award Super Bowls to stadiums that are located in climates with an expected average daily temperature less than 50 °F (10 °C) on game day unless the field can be completely covered by a fixed or retractable roof.[51] Six Super Bowls have been played in northern cities: two in the Detroit area—Super Bowl XVI at Pontiac Silverdome in Pontiac, Michigan, and Super Bowl XL at Ford Field in Detroit; two in Minneapolis—Super Bowl XXVI at the Hubert H. Humphrey Metrodome and Super Bowl LII at the U.S. Bank Stadium; one in Indianapolis at Lucas Oil Stadium for Super Bowl XLVI; and one in the New York area—Super Bowl XLVIII at MetLife Stadium.", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII.", "The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second ...", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints."], "noise_rate": 0.6, "factlabel": 0} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [1], "prediction": "According to the provided documents, Truth Social launched on iOS on February 21st, 2022.", "docs": ["[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]", "Truth Social, Donald Trump’s Twitter-like social media platform has launched on the App Store, CNET has reported. That confirms a statement from a verified account tied to Truth Social chief product officer “Billy B,” who told people to mark February 21st on their calendars. “We’re currently set for release in the Apple App Store for Monday, February 21st,” he said, according to Reuters. Incidentally, the 21st marks the Presidents' Day holiday in the US. Provided the network doesn’t suffer a hiccup like the one it did last fall when a prankster claimed the “donaldjtrump” username and posted an image of defecting pig, the launch will mark Trump’s return to social media. Twitter and Facebook banned the former president following the January 6th attack on the US Capitol. Before a test version of Truth Social was pulled down last fall, the website’s code showed it ran on a mostly unmodified version of open-source software Mastodon. In October, the Software Freedom Conservancy accused The Trump Media and Technology Group (TMTG) of violating Mastodon’s AGPLv3 license by not sharing the platform’s source code. The website added a dedicated section containing a ZIP archive of its source code two weeks later.Subscribe to the Engadget Deals NewsletterGreat deals on consumer electronics delivered straight to your inbox, curated by Engadget’s editorial team.", "In early March 2022, multiple sources reported that Truth Social usage remained low, with Trump himself not having posted to his account since his first message two weeks earlier and his account having only 140,000 followers—less than 0.2% of the 90 million followers he had on Twitter before his account was banned.[81][108] The Daily Dot reported the Truth Social iOS app had fallen from the number one slot for downloads on the Apple App Store to number 84.[110] The Daily Beast reported Trump was dissatisfied with the social network's progress.[109][68] At the end of March 2022, TheWrap reported that weekly installations of the Truth Social app had fallen from 872,000 in its launch week to around 60,000 per week, a reduction of over 90%. Visits to truthsocial.com had also fallen, from 6 million per week to 1.9 million. According to Sensor Tower, Truth Social had been downloaded 1.2 million times by late March.[111] In early April 2022, Bloomberg News reported that shares in Truth Social's publicly traded holding company Digital World Acquisition Corp. (DWAC) had fallen 31% from the time of the app's launch in late February[112] and 64% from its all-time high.[113] In early April 2022, Business Insider described Truth Social as \"like a conservative ghost town that had been overrun by bots\".", "Donald Trump's much-anticipated social media platform, called Truth Social, has debuted on iOS. And here's what you need to know about it. Former US President Donald Trump’s social media platform, called Truth Social, is now available to download on iOS. So, here's what you need to know about Truth Social, which is already proving to be a controversial social media platform for various reasons. Former US President Donald Trump's social media app, Truth Social, is now available to download from Apple's App Store. It was launched on February 21st, 2022, which is President’s Day in the US. Immediately upon launching, the app reached the number one spot on the App Store's Top Charts. Truth Social came about following Trump's bans from various social media platforms---including Facebook and Twitter---in 2021. These platforms removed Trump due to concerns around his public comments following the Capitol Hill riots in January 2021. Before getting himself banned from various social media platforms, Trump built up huge followings. So once these mainstream social media platforms dumped him, Trump announced his intention to build his own platform. So, what is Trump’s social network about anyway? Here’s everything you need to know about Truth Social. Truth Social is a social media app founded by former US President Donald Trump and owned by Trump Media & Technology Group (TMTG). This company was formed in February 2021 with the intention of building alternatives to mainstream media platforms.", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in"], "noise_rate": 0.6, "factlabel": 0} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [1], "prediction": "According to the provided documents, the winner of Best Motion Picture – Drama at the 79th Golden Globes was \"The Power of the Dog\", Netflix.", "docs": ["On Tuesday night, the Golden Globes were held for the 80th time in history, though this year's ceremony was notable for a bigger reason. The awards show that is supposed to honor excellence in film and TV has been trying to recover from a racial exclusion scandal after a 2021 Los Angeles Times story revealed that none of the 87 Hollywood Foreign Press members was Black. Tom Cruise subsequently gave back his Globes, NBC opted not to air the ceremony last year, and reform in the form of inclusivity began to take shape. After Jerrod Carmichael explained to the audience at the Beverly Hilton how he wound up as the host (spoiler: \"I'm here because I'm Black,\" he quipped before launching into a detailed and honest account of his decision-making process), the trophy distribution began. The Banshees of Inisherin, which led all movies with eight nominations, struck up a meaningful friendship with Globes voters over the evening: The Irish-island-set tragicomedy took home the best comedy film trophy, while Colin Farrell triumphed in the acting category and writer-director Martin McDonagh won for best screenplay. The Fablemans also came into frame by winning best drama film honors and best director (Steven Spielberg). Meanwhile, Everything Everywhere All at Once prevailed in two dimensions, as Michelle Yeoh and Ke Huy Quan netted acting trophies.", "Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ...", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "TAGGED AS: 79th Golden Globes Awards, Awards, Film, movies, television, TV The Hollywood Foreign Press Association announced the winners for the 79th Annual Golden Globe Awards tonight with The Power of the Dog named Best Motion Picture – Drama and West Side Story as Best Motion Picture – Musical or  Comedy. On the television side, Succession won Best Television Series – Drama, while Hacks won for Best Television Series – Musical or Comedy. After a year of controversy about diversity, payola, and improper behavior endemic to the organization that culminated in the Globes losing its NBC broadcast, tonight’s coverage and the subsequent congratulatory marketing from winners will be a good litmus test for if the beleaguered organization can rinse off some of the stink from a year of bad headlines and even more puzzling decisions. If you need a refresher on the ins and outs of what happened read our recap of how we got here. Over the last eight months, the HFPA has reformed its bylaws, implementing changes that address ethics and code of conduct, diversity, equity and inclusion, governance, and membership. The HFPA recently admitted their largest and most diverse class to date of 21 new members, all of whom are first-time Golden Globe voters.", "Though the jury is very much out on if HFPA can squeeze its way back into the good graces of Hollywood, after a fairly uneventful and mostly uncontroversial group of diverse winners, it is unlikely to hurt those efforts. Read on for the full list of winners from the 79th Golden Globes. 1. Best Motion Picture – Drama Belfast, Focus Features Coda, Apple TV+ Dune, Warner Bros. King Richard, Warner Bros. The Power of the Dog, Netflix – WINNER 2. Best Performance By An Actress In A Motion Picture – Drama Jessica Chastain, The Eyes Of Tammy Faye Olivia Colman, The Lost Daughter Nicole Kidman, Being The Ricardos – WINNER Lady Gaga, House Of Gucci Kristen Stewart, Spencer 3. Best Performance By An Actor In A Motion Picture – Drama Mahershala Ali, Swan Song Javier Bardem, Being The Ricardos Benedict Cumberbatch, The Power Of The Dog Will Smith, King Richard – WINNER Denzel Washington, The Tragedy Of Macbeth 4. Best Motion Picture – Musical Or Comedy Cyrano, MGM Don’t Look Up, Netflix Licorice Pizza, MGM Tick, Tick…Boom!, Netflix West Side Story, 20th Century Studios / Walt Disney Studios Motion Pictures – WINNER 5."], "noise_rate": 0.6, "factlabel": 0} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [0], "prediction": "", "docs": ["Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "No visiting team colors may be worn in this area. All non-courtside students will be seated in the general admission seating area in Section 113. *The GTAA reserves the right to distribute student tickets via a ticket lottery if demand is high for a certain game. Such changes will be communicated to the student body in a timely manner. For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff. Georgia Tech student seating is available as general admission. Students will need to visit the box office near Gate 3 (first-base side) and display their BuzzCard in order to receive a ticket to the game. Postseason home games - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission.", "THE FLATS – Georgia Tech softball 2023 season and single-game tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Season ticket members enjoy every game in the same seat for a discounted rate. Single-game tickets are also available as detailed below. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Single-Game Pricing: Reserved Chairback: $5 Adult GA Bench: $3 Youth/Senior GA Bench: $2 Group (10+) GA Bench: $2 Standing room only tickets will be sold for $2 each if all other sections are sold out. Georgia Tech students and faculty/staff can receive free admission to regular season home games while seats remain available by showing a valid BuzzCard at the entrance. Tech’s 56-game 2023 regular season schedule is highlighted by 33 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will also host three home tournaments, most notably the ACC/B1G Challenge, as well as a pair of SEC schools, including this season’s edition of Clean, Old-Fashioned Hate. The White and Gold are slated to face six ranked opponents throughout the year, hosting four of them for eight total games.", "THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes.", "CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska."], "noise_rate": 0.6, "factlabel": 0} diff --git a/results/Noise Robustness/prediction_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json b/results/Noise Robustness/prediction_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..e3e1787cb9b2a743781169a4c3aac7056b7e8f92 --- /dev/null +++ b/results/Noise Robustness/prediction_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [0], "prediction": "According to the provided document, there is no specific premiere date mentioned for \"Carole King & James Taylor: Just Call Out My Name\". The document only mentions that the movie has not been released yet, but does not provide a premiere date.", "docs": ["Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "The track is one of 15 the pair recorded live from West Hollywood’s The Troubadour in 2007, where they gigged together in 1970, for the Live At The Troubadour album, released in 2010 The documentary follows the two along The Troubadour Reunion Tour in 2010. Also interviewed in the film are sidemen Danny Kortchmar, Russ Kunkel, and Lee Sklar, who accompanied the duo on all their shows together from 1970 through 2010.  King is about to be inducted into the Rock and Roll Hall of Fame in Cleveland on Oct. 30, where Taylor Swift and Jennifer Hudson will act as presenters and perform her songs. See more Only members can comment. Become a member. Already a member? Log In. August 7, 2023, 8:00 pm August 7, 2023, 7:30 pm August 7, 2023, 5:30 pm August 7, 2023, 5:00 pm August 7, 2023, 4:53 pm August 7, 2023, 4:30 pm August 2, 2023, 6:30 am April 7, 2023, 8:45 am June 12, 2022, 10:16 am", "A concert film that explores the 50-year friendship between award-winning singer/songwriters James Taylor and Carole King.", "I have no answer as to why the film wasn’t released in 2011, but an appreciation of a musical collaboration that Rolling Stone magazine (and only Rolling Stone magazine) probably ranks really really high on some list of the greatest whatevers ever arrives better late than never. The Gist: In 1970, Taylor and King performed their first concert together at the famed Troubadour club in Hollywood. It was the beginning of a beautiful – 100 percent platonic! – friendship in which they made beautiful music together, and I’m sorry for the cliches, but in this case, they’re true. They sang each other’s songs, encouraged and complemented each other, and harmonized like tea and honey. Forty years later, they decided to celebrate their convergence with a 50-plus-date tour, and now, 12 years after that, we get a celebration of the celebration, a remembrance of a remembrance that brought so much joy to so many people 52 years ago and then again 12 years ago, and now again a third time officially, with this movie. Just Call Out My Name opens with clips of late-night talk show hosts (Leno, Carson, Letterman) introducing Taylor or King or both, then a blip of Oprah praising Taylor, but what she thinks of King, NOBODY KNOWS.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):"], "noise_rate": 1.0, "factlabel": 0} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [1], "prediction": "Based on the provided document, the genre of the drama \"Good Sam\" is not explicitly mentioned. However, it is mentioned that the story is about a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. This suggests that the genre might be a medical drama or a drama with medical elements.", "docs": ["You can help us help kids by suggesting a diversity update. Want suggestions based on your streaming services? Get personalized recommendations Common Sense Media's unbiased ratings are created by expert reviewers and aren't influenced by the product's creators or by any of our funders, affiliates, or partners. Common Sense is the nation's leading nonprofit organization dedicated to improving the lives of all kids and families by providing the trustworthy information, education, and independent voice they need to thrive in the 21st century. We're a nonprofit. Support our work", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell.", "Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "27][28] In February 2021, Edwin Hodge joined the cast in a starring role.[29] In January 2022, it was reported that Sendhil Ramamurthy was cast in a recurring role while Hilarie Burton and Bethany Joy Lenz are set to guest star.[4][7] In February 2022, Victoria Rowell joined the cast in a recurring role.[5] Principal photography for the series began on October 18, 2021 and concluded on March 24, 2022, in Oakville, Ontario.[30] The review aggregator website Rotten Tomatoes reported a 63% approval rating with an average rating of 7.5/10, based on 8 critic reviews.[31] Metacritic, which uses a weighted average, assigned a score of 56 out of 100 based on 5 critics, indicating \"mixed or average reviews\".[32]", "When he awakens and wants to resume surgery, however, it falls to her to supervise this overbearing blowhard who never acknowledged her talents – and also happens to be her father. Jason Isaacs, Edwin Hodge, Skye P. Marshall, Michael Stahl-David, Davi Santos, Omar Maskati and Wendy Crewson also star. It comes from writer Katie Wech, Jennie Snyder Urman and Sutton St. Productions banner and CBS Studios. Wech, Snyder Urman and Joanna Klein with Tamra Davis directing and EPing the pilot. Meanwhile, Smallwood stars Crashing’s Pete Holmes as a seemingly ordinary man, who, after being laid off from the assembly line at the GM factory, makes the extraordinary decision to provide for his family by following his dream of becoming a professional bowler. It is based on the life of professional bowler Tom Smallwood. The multicamera comedy comes from Mark Gross and producers David Hollander and Brian D’Arcy James. The trio exec produce with Mark Cendrowski as director. CBS Studios produces. Alongside Holmes, Chi McBride and Katie Lowes star. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply."], "noise_rate": 1.0, "factlabel": 0} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [0], "prediction": "I can answer that question based on the provided document. However, I must note that the document does not mention the 2022 Citrus Bowl, as it only discusses various college football bowl games and teams from the 2022 season.", "docs": ["Western Kentucky: WKU may have had the most impressive performance of bowl season. The Hilltoppers trounced South Alabama 44-23 in the New Orleans Bowl in a game that was not as close as the final score may indicate. South Alabama was looking for its first-ever bowl win, but WKU jumped out to a 31-3 halftime lead and never looked back, putting up a total of 677 yards by the time the final seconds ticked off. Austin Reed threw for 497 yards and four touchdowns in the win. Air Force: Air Force looked right at home on an incredibly cold night in Fort Worth. The Falcons ran all over Baylor in a 30-15 victory in the Armed Forces Bowl. Air Force rushed for 276 yards and limited Baylor to just 42 rushing yards. With the win, Air Force got to double-digit victories for the third time in four seasons. AFA went 11-2 in 2019 and 10-3 in the past two seasons. In the shortened 2020 season, the Falcons finished 3-3. As a program, Air Force has won four consecutive bowl games. New Mexico State: Year 1 of the Jerry Kill era at New Mexico State ended with a bowl victory. NMSU knocked off Bowling Green 24-19 in the Quick Lane Bowl on Monday to capture the program’s second bowl victory since 1960.", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "Head coach Kirk Ferentz has kept things close to the vest with his signal-callers, but it's looking like Petras, who started the season as the starter and ended the season as the starter, will get the nod. Star running back Tyler Goodson opted out of the Citrus Bowl for the Hawkeyes as he prepares for the NFL Draft. Freshman receiver Keagan Johnson has also been ruled out for the Citrus Bowl.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987.", "The game was a punt hater’s dream. And it was a nightmare for Ole Miss QB Jaxson Dart. He threw three interceptions and fumbled once. Texas Tech QB Tyler Shough rushed for two TDs and threw for another as the Red Raiders easily held on to a 19-point halftime lead throughout the second half. The loss also meant that Ole Miss ends the season at 8-5 after starting the season 7-0. Oklahoma: The Sooners entered the Cheez-It Bowl shorthanded and as significant underdogs to Florida State. Losing 35-32 was still a cover for Oklahoma. But the loss also means that Oklahoma finishes the season at 6-7. That’s the first losing season for OU since 1998. The first year of the Brent Venables era was a bit rocky — especially when you consider the success that Caleb Williams and Lincoln Riley had at USC. But there’s no reason to panic in Norman. Yet. SMU: The Mustangs entered the New Mexico Bowl as 4.5-point favorites over a BYU team that started freshman third-string QB Sol-Jay Maiava-Peters for the first time. Yet BYU did just enough on the ground to eke out a 24-23 win after stopping an SMU two-point conversion with eight seconds left."], "noise_rate": 1.0, "factlabel": 0} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [-1], "prediction": "I can answer the question based on the provided document.\n\nAccording to the document, Jason Semore's coaching stops included Valdosta State University, but the document does not specify the position he held at Valdosta State before returning to Georgia Tech. The document only mentions his coaching stops and does not provide this specific information.\n\nTherefore, I can not answer the question because of the insufficient information in the document.", "docs": ["Even with a dad who coached, Semore knows his background – childhood on a reservation, Division II football – didn’t lend itself to the ready-made connections of other aspiring college coaches. But he says his experiences in Ganado, growing up among the Navajo, taught him how to feel at home in other cultures. And that, in turn, has helped him thrive in coaching. “Being able to establish relationships came naturally to me, and it was important to me, and it has allowed me to get to where I’m at today,” Semore said. It’s an experience he wouldn’t trade either. This Saturday, when Georgia Tech faces Pittsburgh (8 p.m. ET, Georgia Tech Sports Network from Legends Sports), the coach’s son from Ganado will continue the next chapter in his career, charting a path few in college football have duplicated.", "Thomas's celebration of life was held at McCamish Pavilion on December 20. Friends, former teammates, and fans attended the event. On April 27, 2022, Georgia Tech and the PeyBack Foundation, which is run by Thomas's former teammate Peyton Manning announced the Demaryius A. Thomas Scholarship Endowment. The Demaryius A. Thomas Scholarship Endowment endows academic scholarships to attend Georgia Tech for incoming freshmen students from Laurens County, Georgia, Thomas's hometown. In addition to this, Georgia Tech announced that August 8 would be annually recognized as “Demaryius Thomas Day”. On September 26, 2022, following the team's 3rd loss of the season in 4 games, Coach Geoff Collins and Athletics Director Todd Stansbury were relieved of their duties. Former Georgia Tech football alum Brent Key was named as interim coach. Georgia Tech announced its 2022 football schedule on February 1, 2022.[1] The 2022 schedule consisted of five home games, six away games and a neutral-site game in the regular season. The Yellow Jackets hosted ACC foes Duke, Virginia, and Miami and traveled to Pitt, Florida State, Virginia Tech and North Carolina. They played Clemson in a neutral-site game at the Mercedes-Benz Stadium in Atlanta, Georgia.[2] The Yellow Jackets hosted two of their non-conference opponents, Western Carolina from the Division I FCS and Ole Miss from the SEC.", "A Biletnikoff Award finalist and one of the most productive pass catchers in Wyoming football history, Jovon Bouknight took his experience and skill set playing the game and turned it into a coaching career. He spent time as a grad assistant with his alma mater before coaching at Utah State, Oregon, and Texas Tech, joining the Marshall coaching staff from the Kentucky Wildcats. A standout linebacker at Idaho State, Telly Lockette established himself as an elite offensive mind in the Miami high school arena early in his coaching career before joining the college ranks with South Florida. He also spent time at Oregon State, FSU, and Miami (FL) before joining the Marshall coaching staff as the running back coach and run game coordinator. His son, Tellek Lockette, is an ascending offensive lineman in the Sun Belt for Louisiana-Monroe. A long-time member of the Marshall coaching staff who is on his third stint with the team, Shannon Morrison serves as the LB coach while also being the assistant head coach. He was previously the LB coach in Huntington from 2006-2006, while coaching safeties from 2007-2008. A former team captain and honorable All-American, he was part of the 1992 FCS title team. Another standout player for the Thundering Herd, Ralph Street was a team captain and won three MAC titles between 1998 and 2001.", "Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life."], "noise_rate": 1.0, "factlabel": 0} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [0], "prediction": "I can answer your question based on the provided document. According to the document, Tesla reports 1.31 million deliveries in 2022, and the document does not provide information on deliveries in 2021.", "docs": ["in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Jan 2, 2023 ... Tesla reports 1.31 million deliveries in 2022, growth of 40% over last ... Musk asked employees to “volunteer” to deliver as many cars to ...", "Jan 2, 2022 ... The Rise of Electric Vehicles ... Tesla does not break out its deliveries by country. Much of its recent growth has been propelled by sales in ...", "Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations.", "Jun 7, 2023 ... How many Tesla vehicles were delivered in 2023? ... 1,313.86 1,313.86 422.88 422.88 Q1 Q2 Q3 Q4 2016 2017 2018 2019 2020 2021 2022 2023."], "noise_rate": 1.0, "factlabel": 0} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [0], "prediction": "The document does not mention any company acquiring ShowBiz Cinemas.", "docs": ["“As you look ahead into 2022, all the studios are going back to an exclusive window” for theaters, Roberts said. He added that new releases will typically be in theaters for 45 days before streaming. Warner is among the studios committing to a period of theatrical exclusivity before films go to streaming, and Disney will likely do the same, especially for its biggest titles, according to Bloomberg Intelligence. Universal’s new model will bring most films to its Peacock streaming platform 45 days after being released in theaters. RELATED: Virginia engineering firm expands with Houston acquisition Although 2022 is off to a slow start with a surge in the omicron variant and few new releases, the box office could more than double $4.5 billion in sales in 2021, according to Bloomberg Intelligence. It’s still far below sales of $11.3 billion in 2019. “The demand for movies is still very much there as we saw from 'Spider-Man,'” said Geetha Ranganathan, a senior media analyst at Bloomberg Intelligence. “But we do think the model is slowly changing to focus only on the big-budget blockbusters as mid-budget releases find their way to streaming.” Founded in 2014, EVO Entertainment is backed by Austin-based Marbella Interests, which manages investments for the family of former Parsley Energy CEO Bryan Sheffield.", "Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members...", "The “out-of home” entertainment company’s brands include EVO Entertainment, EVO Cinemas and EVO Concerts. RELATED: Will Houston audiences return to movie theaters? The combined enterprise has 16 venues with 148 screens, 108 bowling lanes, nine restaurants and bars, a 3,000-capacity live music venue, and more than 30,000 combined square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. Several additional venues are on track to open in the coming months. Founded by Kevin Mitchell, who is Roberts’ uncle, in 2007, ShowBiz Cinemas operates seven locations with 89 screens and 70 bowling lanes in four states. The chain has area locations in Kingwood, Humble, northeast Houston and Baytown. The company will continue to operate under the ShowBiz name. Katherine Feser is a business reporter for the Houston Chronicle covering real estate and special sections. She can be reached at katherine.feser@houstonchronicle.com. Compass Real Estate is marketing the private sanctuary and long--time residence of the late legendary surgeon Michael DeBakey located in the Museum District/Rice Village area of Houston. By Marissa Luck", "Share this post Boxoffice Staff  •  Aug 7th Hoyts has launched new branding as a part of their ‘See the Big Picture’ campaign. More than just a refreshed look and tagline, the branding speaks to the heart of the company’s vision. Hoyts’ investment in big screens, surround sound,... Boxoffice Staff  •  Aug 7th CES+ announced a partnership with Corporación Lady Lee for their new venture, Megacinemas, signifying the successful introduction of Lady Lee’s new brand into the Central American cinema scene. CES+ has been integral to the development of Megacinemas, providing end-to-end digital... Boxoffice Staff  •  Aug 4th Will Rogers Motion Picture Pioneers Foundation (WRMPPF) announced Friday that the late MGM and United Artists Releasing Distribution Chief Erik Lomis will be recognized posthumously with the 2023 Pioneer of the Year Award on October 4th at The Beverly Hilton.... Boxoffice Staff  •  Aug 4th Featuring artwork from TEENAGE MUTANT NINJA TURTLES: MUTANT MAYHEM exclusively on sale in participating theatres. Proceeds from gold heart pins help fund life-changing Variety programs for children globally.", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!"], "noise_rate": 1.0, "factlabel": 0} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [0], "prediction": "I can answer the question based on the provided document. According to the document, the location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. However, the document does not specify the location of Super Bowl LVI (2022). It only mentions that Super Bowl LVII (2023) will take place at State Farm Stadium in Glendale, Ariz., and that Super Bowl LVIII (2024) will be hosted by Allegiant Stadium in Las Vegas, and Super Bowl LXIX (2025) will be at Caesars Superdome in New Orleans. Therefore, I can not answer the question about the location of Super Bowl LVI (2022) because it is not mentioned in the provided document.\n\nHowever, I can suggest that you check the official NFL website or other reliable sources for the information about the location of Super Bowl LVI (2022).", "docs": ["Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]", "The 49ers reportedly requested to wear an all-white third jersey ensemble for Super Bowl LIV, which the San Francisco Chronicle noted they could do with special permission from the league; the league never granted such permission, and the 49ers instead opted for their standard uniform of white jerseys with gold pants.[76] Fifteen different regions have hosted Super Bowls. Note: Years listed are the year the game was actually played (or will be played[ˇ]; future games are denoted through italics) rather than what NFL season it is considered to have been. A total of 27 different stadiums, seven of which have been since demolished, either have hosted or are scheduled to host Super Bowls. The years listed in the table below are the years the game was actually played (will be played[ˇ]) rather than the NFL season it concluded. ^ ^: Stadium has since been demolished. ^ ‡: Prior to the incorporation of Miami Gardens in 2003, the stadium was in unincorporated Miami-Dade County. ^ ††: The original Stanford Stadium, which hosted Super Bowl XIX, was demolished and a new stadium constructed on the site in 2006. ^ ˇ: Future Super Bowls, also denoted by italics. Future venues: The Super Bowl has not yet been played in any region that lacked an NFL or AFL franchise at the time the game was played.", "Two teams have played the Super Bowl in their home market but at a different venue than their home stadium: the Los Angeles Rams, who lost Super Bowl XIV in the Rose Bowl instead of Los Angeles Memorial Coliseum; and the 49ers, who won Super Bowl XIX in Stanford Stadium instead of Candlestick Park, during a time when the league often picked a stadium that was not home to an NFL team to host the Super Bowl (see above). Traditionally, the NFL does not award Super Bowls to stadiums that are located in climates with an expected average daily temperature less than 50 °F (10 °C) on game day unless the field can be completely covered by a fixed or retractable roof.[51] Six Super Bowls have been played in northern cities: two in the Detroit area—Super Bowl XVI at Pontiac Silverdome in Pontiac, Michigan, and Super Bowl XL at Ford Field in Detroit; two in Minneapolis—Super Bowl XXVI at the Hubert H. Humphrey Metrodome and Super Bowl LII at the U.S. Bank Stadium; one in Indianapolis at Lucas Oil Stadium for Super Bowl XLVI; and one in the New York area—Super Bowl XLVIII at MetLife Stadium.", "Besides the Rose Bowl, the only other Super Bowl venues that were not the home stadium to NFL teams at the time were Rice Stadium (the Houston Oilers had played in Rice Stadium previously but moved to the Astrodome several years before Super Bowl VIII) and Stanford Stadium. Starting with the selection of the Super Bowl XXVIII venue on May 23, 1990, the league has given preference in awarding the Super Bowl to brand new or recently renovated NFL stadiums, alongside a trend of teams demanding public money or relocating to play in new stadiums. To date only two teams have qualified for a Super Bowl at their home stadiums: the 2020 Tampa Bay Buccaneers, who won Super Bowl LV hosted at Raymond James Stadium (selected on May 23, 2017), and the 2021 Los Angeles Rams the following season, who won Super Bowl LVI at SoFi Stadium. Before that, the closest any team had come to accomplishing this feat were the 2017 Minnesota Vikings, who reached the NFC Championship Game but lost to the Eagles. In that instance, U.S. Bank Stadium became the first Super Bowl host stadium (selected on May 20, 2014) to also host a Divisional Playoff Game in the same season (which the Vikings won); all previous times that the Super Bowl host stadium hosted another playoff game in the same postseason were all Wild Card games.", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints."], "noise_rate": 1.0, "factlabel": 0} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [0], "prediction": "According to the document, Truth Social has already launched its web app, and a public beta of the web app was announced just last week. However, there is no specific information in the document about when Truth Social will launch its iOS app.", "docs": ["Reports say that Trump has been privately complaining that Google was trying to \"fuck\" him. According to Rolling Stones' source, however, the truth is that Truth Social hasn't even submitted an Android app to the Google Play store yet. Still, though, the launch of a web app is significant. Truth Social profiles and posts will now be completely shareable on other platforms. Using the iPhone app, if you want to share a Truth Social post on another platform, you have to take a screenshot. Now, Truth Social users will be able to post links directly to any account or post. In turn, non-Truth Social users will have direct access to sign up and engage with content on the site. (Note: Internal Truth Social links currently require users to login to their account in order to see the content.) In short: It's going to be a lot easier for Trump's fanbase to share his content on other platforms. Launched in February, Truth Social struggled during the first few months. Downloads plummeted after the initial rush to download due to a long waitlist of users wanting to sign up. However, in recent weeks, Trump finally started posting on his own platform, which has helped give the conservative social network another bounce.  Truth Social announced a public beta of the web app just last week. According to a press release from Wednesday, the initial web app rollout was scheduled for some time over the next week or two.", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]", "In early March 2022, multiple sources reported that Truth Social usage remained low, with Trump himself not having posted to his account since his first message two weeks earlier and his account having only 140,000 followers—less than 0.2% of the 90 million followers he had on Twitter before his account was banned.[81][108] The Daily Dot reported the Truth Social iOS app had fallen from the number one slot for downloads on the Apple App Store to number 84.[110] The Daily Beast reported Trump was dissatisfied with the social network's progress.[109][68] At the end of March 2022, TheWrap reported that weekly installations of the Truth Social app had fallen from 872,000 in its launch week to around 60,000 per week, a reduction of over 90%. Visits to truthsocial.com had also fallen, from 6 million per week to 1.9 million. According to Sensor Tower, Truth Social had been downloaded 1.2 million times by late March.[111] In early April 2022, Bloomberg News reported that shares in Truth Social's publicly traded holding company Digital World Acquisition Corp. (DWAC) had fallen 31% from the time of the app's launch in late February[112] and 64% from its all-time high.[113] In early April 2022, Business Insider described Truth Social as \"like a conservative ghost town that had been overrun by bots\".", "During May 2023, SimilarWeb's ranking of the Truth Social iOS app has fluctuated wildly, ranging from #18 to #153 in the Apple App Store social networking category during that period.[121] Following Elon Musk's proposed acquisition of Twitter, many commentators observed that a Musk-run Twitter would be likely to reduce demand for Truth Social's services.[122][123] Musk said that as of late April 2022, Truth Social iOS app downloads exceeded those of Twitter and TikTok on the same platform.[124] He said Truth Social only existed because of Twitter's restrictions on free speech. Describing Truth Social as a \"terrible name\", Musk joked that it should be renamed \"Trumpet\".[125][126] Following Musk's comments on Twitter, the Truth Social app rose in popularity, returning to the number 1 position for free iOS apps on Apple's App Store on April 30, with the Twitter app at number 2; DWAC shares also rose in value.[127][128] DWAC's share price fell after Musk's announcement of his intention to buy Twitter.[129] Truth Social CEO Devin Nunes later stated that Musk had been encouraged by Trump to buy Twitter;[130] Musk denied this, saying \"This is false. I've had no communication, directly or indirectly, with Trump, who has publicly stated that he will be exclusively on Truth Social."], "noise_rate": 1.0, "factlabel": 0} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [0], "prediction": "I can answer that! According to the provided document, there is no information about the 79th Golden Globes. The document only talks about the 80th Golden Globes, which took place in 2023. Therefore, I cannot provide an answer about the best drama winner at the 79th Golden Globes.", "docs": ["Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ...", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "On Tuesday night, the Golden Globes were held for the 80th time in history, though this year's ceremony was notable for a bigger reason. The awards show that is supposed to honor excellence in film and TV has been trying to recover from a racial exclusion scandal after a 2021 Los Angeles Times story revealed that none of the 87 Hollywood Foreign Press members was Black. Tom Cruise subsequently gave back his Globes, NBC opted not to air the ceremony last year, and reform in the form of inclusivity began to take shape. After Jerrod Carmichael explained to the audience at the Beverly Hilton how he wound up as the host (spoiler: \"I'm here because I'm Black,\" he quipped before launching into a detailed and honest account of his decision-making process), the trophy distribution began. The Banshees of Inisherin, which led all movies with eight nominations, struck up a meaningful friendship with Globes voters over the evening: The Irish-island-set tragicomedy took home the best comedy film trophy, while Colin Farrell triumphed in the acting category and writer-director Martin McDonagh won for best screenplay. The Fablemans also came into frame by winning best drama film honors and best director (Steven Spielberg). Meanwhile, Everything Everywhere All at Once prevailed in two dimensions, as Michelle Yeoh and Ke Huy Quan netted acting trophies.", "Keeravani, Rahul Sipligunj (RRR) – WINNER Donald Glover, AtlantaBill Hader, BarrySteve Martin, Only Murders in the BuildingMartin Short, Only Murders in the BuildingJeremy Allen White, The Bear – WINNER Quinta Brunson, Abbott Elementary – WINNERKaley Cuoco, The Flight AttendantSelena Gomez, Only Murders in the BuildingJenna Ortega, WednesdayJean Smart, Hacks Diego Calva, BabylonDaniel Craig, Glass Onion: A Knives Out MysteryAdam Driver, White NoiseColin Farrell, The Banshees of Inisherin – WINNERRalph Fiennes, The Menu Margot Robbie, BabylonAnya Taylor-Joy, The MenuEmma Thompson, Good Luck to You, Leo GrandeLesley Manville, Mrs.", "Best motion picture - drama WINNER: The FabelmansAvatar: The Way of WaterElvisTár Top Gun: Maverick Best motion picture - musical or comedy WINNER: The Banshees of InisherinBabylonEverything Everywhere All at OnceGlass Onion: A Knives Out MysteryTriangle of Sadness Best television series - drama WINNER: House of the Dragon (HBO Max)Better Call Saul (AMC+/AMC)The Crown (Netflix)Ozark (Netflix)Severance (Apple TV+) Best television series - musical or comedy WINNER: Abbott Elementary (ABC)The Bear (FX)Hacks (HBO Max)Only Murders in the Building (Hulu)Wednesday (Netflix) Best motion picture - animated WINNER: Guillermo del Toro's PinocchioInu-OhMarcel the Shell with Shoes OnPuss in Boots: The Last WishTurning Red Best motion picture - Non-English language (formerly foreign language) WINNER: Argentina, 1985All Quiet on the Western FrontCloseDecision to LeaveRRR Best television limited series, anthology series or motion picture made for television WINNER: The White Lotus (HBO Max)Black Bird (Apple TV+)Dahmer - Monster: The Jeffrey Dahmer Story (Netflix)The Dropout (Hulu)Pam & Tommy (Hulu) Best performance by an actor in a television series - drama WINNER: Kevin Costner, YellowstoneJeff Bridges"], "noise_rate": 1.0, "factlabel": 0} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [0], "prediction": "I can answer that. According to the document, there is no information about Georgia Tech Softball season tickets, as the document only discusses Georgia Tech football, basketball, and student tickets for Bobby Dodd Stadium and McCamish Pavilion. The document does mention Virginia's softball season tickets, which are priced at $50 each for general admission seats and subject to availability for reserved seats. However, it does not provide information about Georgia Tech Softball season tickets.", "docs": ["Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "Georgia Tech opens the 2023 season hosting the annual Buzz Classic, beginning its action with a doubleheader against UConn on Feb. 10 at 4:30 p.m. at Mewborn Field. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2023 Home Schedule and Season Highlights Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes. Be a part of developing Georgia Tech’s Everyday Champions and helping the Yellow Jackets compete for championships at the highest levels of college athletics by supporting the Annual Athletic Scholarship Fund, which directly provides scholarships for Georgia Tech student-athletes. To learn more about supporting the Yellow Jackets, visit atfund.org. For the latest information on the Georgia Tech Yellow Jackets, follow us on Instagram (@GaTechSoftball), Twitter (@GaTechSoftball), Facebook (Georgia Tech Softball) or visit us at www.ramblinwreck.com.", "CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska.", "No visiting team colors may be worn in this area. All non-courtside students will be seated in the general admission seating area in Section 113. *The GTAA reserves the right to distribute student tickets via a ticket lottery if demand is high for a certain game. Such changes will be communicated to the student body in a timely manner. For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff. Georgia Tech student seating is available as general admission. Students will need to visit the box office near Gate 3 (first-base side) and display their BuzzCard in order to receive a ticket to the game. Postseason home games - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission.", "Skip to content Dear GT Softball Family, Let me first say \"thank you\" to everyone who supported Georgia Tech Softball during the 2022 season. The young women on our team and all of our staff certainly felt the support you provided us last year. We concluded our historic season with our highest win total and best win percentage since 2011 and we're looking forward to having another great season!  Donations to the Mew Crew directly benefit Georgia Tech Softball, and we have set a goal of $100,000 targeted to specific needs for our program: I'm excited for the 2023 season and a chance for us to build on our momentum from last season. Your support for the GT Softball community has been paramount in our program's success, laying a foundation to rely on no matter the challenges we face. I look forward to surpassing each of our goals on and off the field this year.. Reaching our goal will ensure our ability to deliver a championship-caliber experience to all of our student-athletes. Your support will earn benefits unique to GT Softball and provide the resources necessary to develop young women who compete up the height of their potential during their time at Tech. Thank you for your consideration and Go Jackets! Aileen Morales Head Coach, GT Softball *Gifts from July 1, 2022 - June 30, 2023 Alexander-Tharpe Fund Georgia Tech Athletic Association"], "noise_rate": 1.0, "factlabel": 0} diff --git a/results/Noise Robustness/prediction_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json b/results/Noise Robustness/prediction_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..678a5700d3e823699cbae8d0480a3d5bc9958465 --- /dev/null +++ b/results/Noise Robustness/prediction_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [-1], "prediction": "The document does not provide information on the premiere date of 'Carole King & James Taylor: Just Call Out My Name'. I can not answer the question because of the insufficient information in documents.", "docs": ["The track is one of 15 the pair recorded live from West Hollywood’s The Troubadour in 2007, where they gigged together in 1970, for the Live At The Troubadour album, released in 2010 The documentary follows the two along The Troubadour Reunion Tour in 2010. Also interviewed in the film are sidemen Danny Kortchmar, Russ Kunkel, and Lee Sklar, who accompanied the duo on all their shows together from 1970 through 2010.  King is about to be inducted into the Rock and Roll Hall of Fame in Cleveland on Oct. 30, where Taylor Swift and Jennifer Hudson will act as presenters and perform her songs. See more Only members can comment. Become a member. Already a member? Log In. August 7, 2023, 8:00 pm August 7, 2023, 7:30 pm August 7, 2023, 5:30 pm August 7, 2023, 5:00 pm August 7, 2023, 4:53 pm August 7, 2023, 4:30 pm August 2, 2023, 6:30 am April 7, 2023, 8:45 am June 12, 2022, 10:16 am", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):", "A concert film that explores the 50-year friendship between award-winning singer/songwriters James Taylor and Carole King.", "I have no answer as to why the film wasn’t released in 2011, but an appreciation of a musical collaboration that Rolling Stone magazine (and only Rolling Stone magazine) probably ranks really really high on some list of the greatest whatevers ever arrives better late than never. The Gist: In 1970, Taylor and King performed their first concert together at the famed Troubadour club in Hollywood. It was the beginning of a beautiful – 100 percent platonic! – friendship in which they made beautiful music together, and I’m sorry for the cliches, but in this case, they’re true. They sang each other’s songs, encouraged and complemented each other, and harmonized like tea and honey. Forty years later, they decided to celebrate their convergence with a 50-plus-date tour, and now, 12 years after that, we get a celebration of the celebration, a remembrance of a remembrance that brought so much joy to so many people 52 years ago and then again 12 years ago, and now again a third time officially, with this movie. Just Call Out My Name opens with clips of late-night talk show hosts (Leno, Carson, Letterman) introducing Taylor or King or both, then a blip of Oprah praising Taylor, but what she thinks of King, NOBODY KNOWS."], "noise_rate": 1.0, "factlabel": 0} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [0], "prediction": "The genre of the drama \"Good Sam\" is not explicitly mentioned in the provided document. It mainly focuses on the plot and production details of the show.", "docs": ["Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "You can help us help kids by suggesting a diversity update. Want suggestions based on your streaming services? Get personalized recommendations Common Sense Media's unbiased ratings are created by expert reviewers and aren't influenced by the product's creators or by any of our funders, affiliates, or partners. Common Sense is the nation's leading nonprofit organization dedicated to improving the lives of all kids and families by providing the trustworthy information, education, and independent voice they need to thrive in the 21st century. We're a nonprofit. Support our work", "When he awakens and wants to resume surgery, however, it falls to her to supervise this overbearing blowhard who never acknowledged her talents – and also happens to be her father. Jason Isaacs, Edwin Hodge, Skye P. Marshall, Michael Stahl-David, Davi Santos, Omar Maskati and Wendy Crewson also star. It comes from writer Katie Wech, Jennie Snyder Urman and Sutton St. Productions banner and CBS Studios. Wech, Snyder Urman and Joanna Klein with Tamra Davis directing and EPing the pilot. Meanwhile, Smallwood stars Crashing’s Pete Holmes as a seemingly ordinary man, who, after being laid off from the assembly line at the GM factory, makes the extraordinary decision to provide for his family by following his dream of becoming a professional bowler. It is based on the life of professional bowler Tom Smallwood. The multicamera comedy comes from Mark Gross and producers David Hollander and Brian D’Arcy James. The trio exec produce with Mark Cendrowski as director. CBS Studios produces. Alongside Holmes, Chi McBride and Katie Lowes star. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply.", "27][28] In February 2021, Edwin Hodge joined the cast in a starring role.[29] In January 2022, it was reported that Sendhil Ramamurthy was cast in a recurring role while Hilarie Burton and Bethany Joy Lenz are set to guest star.[4][7] In February 2022, Victoria Rowell joined the cast in a recurring role.[5] Principal photography for the series began on October 18, 2021 and concluded on March 24, 2022, in Oakville, Ontario.[30] The review aggregator website Rotten Tomatoes reported a 63% approval rating with an average rating of 7.5/10, based on 8 critic reviews.[31] Metacritic, which uses a weighted average, assigned a score of 56 out of 100 based on 5 critics, indicating \"mixed or average reviews\".[32]", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell."], "noise_rate": 1.0, "factlabel": 0} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [-1], "prediction": "Based on the document, I cannot answer the question because the insufficient information in documents. The document does not provide the information about the winner of the 2022 Citrus Bowl.", "docs": ["The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "Head coach Kirk Ferentz has kept things close to the vest with his signal-callers, but it's looking like Petras, who started the season as the starter and ended the season as the starter, will get the nod. Star running back Tyler Goodson opted out of the Citrus Bowl for the Hawkeyes as he prepares for the NFL Draft. Freshman receiver Keagan Johnson has also been ruled out for the Citrus Bowl.", "Western Kentucky: WKU may have had the most impressive performance of bowl season. The Hilltoppers trounced South Alabama 44-23 in the New Orleans Bowl in a game that was not as close as the final score may indicate. South Alabama was looking for its first-ever bowl win, but WKU jumped out to a 31-3 halftime lead and never looked back, putting up a total of 677 yards by the time the final seconds ticked off. Austin Reed threw for 497 yards and four touchdowns in the win. Air Force: Air Force looked right at home on an incredibly cold night in Fort Worth. The Falcons ran all over Baylor in a 30-15 victory in the Armed Forces Bowl. Air Force rushed for 276 yards and limited Baylor to just 42 rushing yards. With the win, Air Force got to double-digit victories for the third time in four seasons. AFA went 11-2 in 2019 and 10-3 in the past two seasons. In the shortened 2020 season, the Falcons finished 3-3. As a program, Air Force has won four consecutive bowl games. New Mexico State: Year 1 of the Jerry Kill era at New Mexico State ended with a bowl victory. NMSU knocked off Bowling Green 24-19 in the Quick Lane Bowl on Monday to capture the program’s second bowl victory since 1960.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987.", "The game was a punt hater’s dream. And it was a nightmare for Ole Miss QB Jaxson Dart. He threw three interceptions and fumbled once. Texas Tech QB Tyler Shough rushed for two TDs and threw for another as the Red Raiders easily held on to a 19-point halftime lead throughout the second half. The loss also meant that Ole Miss ends the season at 8-5 after starting the season 7-0. Oklahoma: The Sooners entered the Cheez-It Bowl shorthanded and as significant underdogs to Florida State. Losing 35-32 was still a cover for Oklahoma. But the loss also means that Oklahoma finishes the season at 6-7. That’s the first losing season for OU since 1998. The first year of the Brent Venables era was a bit rocky — especially when you consider the success that Caleb Williams and Lincoln Riley had at USC. But there’s no reason to panic in Norman. Yet. SMU: The Mustangs entered the New Mexico Bowl as 4.5-point favorites over a BYU team that started freshman third-string QB Sol-Jay Maiava-Peters for the first time. Yet BYU did just enough on the ground to eke out a 24-23 win after stopping an SMU two-point conversion with eight seconds left."], "noise_rate": 1.0, "factlabel": 0} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [0], "prediction": "Jason Semore was a linebackers coach at Valdosta State before returning to Georgia Tech.", "docs": ["Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life.", "Thomas's celebration of life was held at McCamish Pavilion on December 20. Friends, former teammates, and fans attended the event. On April 27, 2022, Georgia Tech and the PeyBack Foundation, which is run by Thomas's former teammate Peyton Manning announced the Demaryius A. Thomas Scholarship Endowment. The Demaryius A. Thomas Scholarship Endowment endows academic scholarships to attend Georgia Tech for incoming freshmen students from Laurens County, Georgia, Thomas's hometown. In addition to this, Georgia Tech announced that August 8 would be annually recognized as “Demaryius Thomas Day”. On September 26, 2022, following the team's 3rd loss of the season in 4 games, Coach Geoff Collins and Athletics Director Todd Stansbury were relieved of their duties. Former Georgia Tech football alum Brent Key was named as interim coach. Georgia Tech announced its 2022 football schedule on February 1, 2022.[1] The 2022 schedule consisted of five home games, six away games and a neutral-site game in the regular season. The Yellow Jackets hosted ACC foes Duke, Virginia, and Miami and traveled to Pitt, Florida State, Virginia Tech and North Carolina. They played Clemson in a neutral-site game at the Mercedes-Benz Stadium in Atlanta, Georgia.[2] The Yellow Jackets hosted two of their non-conference opponents, Western Carolina from the Division I FCS and Ole Miss from the SEC.", "Even with a dad who coached, Semore knows his background – childhood on a reservation, Division II football – didn’t lend itself to the ready-made connections of other aspiring college coaches. But he says his experiences in Ganado, growing up among the Navajo, taught him how to feel at home in other cultures. And that, in turn, has helped him thrive in coaching. “Being able to establish relationships came naturally to me, and it was important to me, and it has allowed me to get to where I’m at today,” Semore said. It’s an experience he wouldn’t trade either. This Saturday, when Georgia Tech faces Pittsburgh (8 p.m. ET, Georgia Tech Sports Network from Legends Sports), the coach’s son from Ganado will continue the next chapter in his career, charting a path few in college football have duplicated.", "A Biletnikoff Award finalist and one of the most productive pass catchers in Wyoming football history, Jovon Bouknight took his experience and skill set playing the game and turned it into a coaching career. He spent time as a grad assistant with his alma mater before coaching at Utah State, Oregon, and Texas Tech, joining the Marshall coaching staff from the Kentucky Wildcats. A standout linebacker at Idaho State, Telly Lockette established himself as an elite offensive mind in the Miami high school arena early in his coaching career before joining the college ranks with South Florida. He also spent time at Oregon State, FSU, and Miami (FL) before joining the Marshall coaching staff as the running back coach and run game coordinator. His son, Tellek Lockette, is an ascending offensive lineman in the Sun Belt for Louisiana-Monroe. A long-time member of the Marshall coaching staff who is on his third stint with the team, Shannon Morrison serves as the LB coach while also being the assistant head coach. He was previously the LB coach in Huntington from 2006-2006, while coaching safeties from 2007-2008. A former team captain and honorable All-American, he was part of the 1992 FCS title team. Another standout player for the Thundering Herd, Ralph Street was a team captain and won three MAC titles between 1998 and 2001."], "noise_rate": 1.0, "factlabel": 0} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [-1], "prediction": "The document does not provide the exact number of Tesla vehicles delivered in 2021. While it mentions the number of Tesla vehicles delivered in 2022 (1.31 million) and the quarterly figures prior to Q4 2022, there is no information about the deliveries in 2021. Therefore, I can not answer the question because of the insufficient information in documents.", "docs": ["in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Jan 2, 2022 ... The Rise of Electric Vehicles ... Tesla does not break out its deliveries by country. Much of its recent growth has been propelled by sales in ...", "Jun 7, 2023 ... How many Tesla vehicles were delivered in 2023? ... 1,313.86 1,313.86 422.88 422.88 Q1 Q2 Q3 Q4 2016 2017 2018 2019 2020 2021 2022 2023.", "Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations.", "Jan 2, 2023 ... Tesla reports 1.31 million deliveries in 2022, growth of 40% over last ... Musk asked employees to “volunteer” to deliver as many cars to ..."], "noise_rate": 1.0, "factlabel": 0} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [-1], "prediction": "Based on the document provided, there is no information indicating that ShowBiz Cinemas was acquired by another company. The document mainly discusses the reopening plans, partnerships, and expansions of ShowBiz Cinemas. Therefore, I cannot answer the question because of the insufficient information in the documents.", "docs": ["“As you look ahead into 2022, all the studios are going back to an exclusive window” for theaters, Roberts said. He added that new releases will typically be in theaters for 45 days before streaming. Warner is among the studios committing to a period of theatrical exclusivity before films go to streaming, and Disney will likely do the same, especially for its biggest titles, according to Bloomberg Intelligence. Universal’s new model will bring most films to its Peacock streaming platform 45 days after being released in theaters. RELATED: Virginia engineering firm expands with Houston acquisition Although 2022 is off to a slow start with a surge in the omicron variant and few new releases, the box office could more than double $4.5 billion in sales in 2021, according to Bloomberg Intelligence. It’s still far below sales of $11.3 billion in 2019. “The demand for movies is still very much there as we saw from 'Spider-Man,'” said Geetha Ranganathan, a senior media analyst at Bloomberg Intelligence. “But we do think the model is slowly changing to focus only on the big-budget blockbusters as mid-budget releases find their way to streaming.” Founded in 2014, EVO Entertainment is backed by Austin-based Marbella Interests, which manages investments for the family of former Parsley Energy CEO Bryan Sheffield.", "The “out-of home” entertainment company’s brands include EVO Entertainment, EVO Cinemas and EVO Concerts. RELATED: Will Houston audiences return to movie theaters? The combined enterprise has 16 venues with 148 screens, 108 bowling lanes, nine restaurants and bars, a 3,000-capacity live music venue, and more than 30,000 combined square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. Several additional venues are on track to open in the coming months. Founded by Kevin Mitchell, who is Roberts’ uncle, in 2007, ShowBiz Cinemas operates seven locations with 89 screens and 70 bowling lanes in four states. The chain has area locations in Kingwood, Humble, northeast Houston and Baytown. The company will continue to operate under the ShowBiz name. Katherine Feser is a business reporter for the Houston Chronicle covering real estate and special sections. She can be reached at katherine.feser@houstonchronicle.com. Compass Real Estate is marketing the private sanctuary and long--time residence of the late legendary surgeon Michael DeBakey located in the Museum District/Rice Village area of Houston. By Marissa Luck", "Share this post Boxoffice Staff  •  Aug 7th Hoyts has launched new branding as a part of their ‘See the Big Picture’ campaign. More than just a refreshed look and tagline, the branding speaks to the heart of the company’s vision. Hoyts’ investment in big screens, surround sound,... Boxoffice Staff  •  Aug 7th CES+ announced a partnership with Corporación Lady Lee for their new venture, Megacinemas, signifying the successful introduction of Lady Lee’s new brand into the Central American cinema scene. CES+ has been integral to the development of Megacinemas, providing end-to-end digital... Boxoffice Staff  •  Aug 4th Will Rogers Motion Picture Pioneers Foundation (WRMPPF) announced Friday that the late MGM and United Artists Releasing Distribution Chief Erik Lomis will be recognized posthumously with the 2023 Pioneer of the Year Award on October 4th at The Beverly Hilton.... Boxoffice Staff  •  Aug 4th Featuring artwork from TEENAGE MUTANT NINJA TURTLES: MUTANT MAYHEM exclusively on sale in participating theatres. Proceeds from gold heart pins help fund life-changing Variety programs for children globally.", "Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!", "Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members..."], "noise_rate": 1.0, "factlabel": 0} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents. The documents provided do not contain information about the location of the Super Bowl in 2022.", "docs": ["The 49ers reportedly requested to wear an all-white third jersey ensemble for Super Bowl LIV, which the San Francisco Chronicle noted they could do with special permission from the league; the league never granted such permission, and the 49ers instead opted for their standard uniform of white jerseys with gold pants.[76] Fifteen different regions have hosted Super Bowls. Note: Years listed are the year the game was actually played (or will be played[ˇ]; future games are denoted through italics) rather than what NFL season it is considered to have been. A total of 27 different stadiums, seven of which have been since demolished, either have hosted or are scheduled to host Super Bowls. The years listed in the table below are the years the game was actually played (will be played[ˇ]) rather than the NFL season it concluded. ^ ^: Stadium has since been demolished. ^ ‡: Prior to the incorporation of Miami Gardens in 2003, the stadium was in unincorporated Miami-Dade County. ^ ††: The original Stanford Stadium, which hosted Super Bowl XIX, was demolished and a new stadium constructed on the site in 2006. ^ ˇ: Future Super Bowls, also denoted by italics. Future venues: The Super Bowl has not yet been played in any region that lacked an NFL or AFL franchise at the time the game was played.", "Besides the Rose Bowl, the only other Super Bowl venues that were not the home stadium to NFL teams at the time were Rice Stadium (the Houston Oilers had played in Rice Stadium previously but moved to the Astrodome several years before Super Bowl VIII) and Stanford Stadium. Starting with the selection of the Super Bowl XXVIII venue on May 23, 1990, the league has given preference in awarding the Super Bowl to brand new or recently renovated NFL stadiums, alongside a trend of teams demanding public money or relocating to play in new stadiums. To date only two teams have qualified for a Super Bowl at their home stadiums: the 2020 Tampa Bay Buccaneers, who won Super Bowl LV hosted at Raymond James Stadium (selected on May 23, 2017), and the 2021 Los Angeles Rams the following season, who won Super Bowl LVI at SoFi Stadium. Before that, the closest any team had come to accomplishing this feat were the 2017 Minnesota Vikings, who reached the NFC Championship Game but lost to the Eagles. In that instance, U.S. Bank Stadium became the first Super Bowl host stadium (selected on May 20, 2014) to also host a Divisional Playoff Game in the same season (which the Vikings won); all previous times that the Super Bowl host stadium hosted another playoff game in the same postseason were all Wild Card games.", "Two teams have played the Super Bowl in their home market but at a different venue than their home stadium: the Los Angeles Rams, who lost Super Bowl XIV in the Rose Bowl instead of Los Angeles Memorial Coliseum; and the 49ers, who won Super Bowl XIX in Stanford Stadium instead of Candlestick Park, during a time when the league often picked a stadium that was not home to an NFL team to host the Super Bowl (see above). Traditionally, the NFL does not award Super Bowls to stadiums that are located in climates with an expected average daily temperature less than 50 °F (10 °C) on game day unless the field can be completely covered by a fixed or retractable roof.[51] Six Super Bowls have been played in northern cities: two in the Detroit area—Super Bowl XVI at Pontiac Silverdome in Pontiac, Michigan, and Super Bowl XL at Ford Field in Detroit; two in Minneapolis—Super Bowl XXVI at the Hubert H. Humphrey Metrodome and Super Bowl LII at the U.S. Bank Stadium; one in Indianapolis at Lucas Oil Stadium for Super Bowl XLVI; and one in the New York area—Super Bowl XLVIII at MetLife Stadium.", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints.", "Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]"], "noise_rate": 1.0, "factlabel": 0} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [0], "prediction": "", "docs": ["In early March 2022, multiple sources reported that Truth Social usage remained low, with Trump himself not having posted to his account since his first message two weeks earlier and his account having only 140,000 followers—less than 0.2% of the 90 million followers he had on Twitter before his account was banned.[81][108] The Daily Dot reported the Truth Social iOS app had fallen from the number one slot for downloads on the Apple App Store to number 84.[110] The Daily Beast reported Trump was dissatisfied with the social network's progress.[109][68] At the end of March 2022, TheWrap reported that weekly installations of the Truth Social app had fallen from 872,000 in its launch week to around 60,000 per week, a reduction of over 90%. Visits to truthsocial.com had also fallen, from 6 million per week to 1.9 million. According to Sensor Tower, Truth Social had been downloaded 1.2 million times by late March.[111] In early April 2022, Bloomberg News reported that shares in Truth Social's publicly traded holding company Digital World Acquisition Corp. (DWAC) had fallen 31% from the time of the app's launch in late February[112] and 64% from its all-time high.[113] In early April 2022, Business Insider described Truth Social as \"like a conservative ghost town that had been overrun by bots\".", "During May 2023, SimilarWeb's ranking of the Truth Social iOS app has fluctuated wildly, ranging from #18 to #153 in the Apple App Store social networking category during that period.[121] Following Elon Musk's proposed acquisition of Twitter, many commentators observed that a Musk-run Twitter would be likely to reduce demand for Truth Social's services.[122][123] Musk said that as of late April 2022, Truth Social iOS app downloads exceeded those of Twitter and TikTok on the same platform.[124] He said Truth Social only existed because of Twitter's restrictions on free speech. Describing Truth Social as a \"terrible name\", Musk joked that it should be renamed \"Trumpet\".[125][126] Following Musk's comments on Twitter, the Truth Social app rose in popularity, returning to the number 1 position for free iOS apps on Apple's App Store on April 30, with the Twitter app at number 2; DWAC shares also rose in value.[127][128] DWAC's share price fell after Musk's announcement of his intention to buy Twitter.[129] Truth Social CEO Devin Nunes later stated that Musk had been encouraged by Trump to buy Twitter;[130] Musk denied this, saying \"This is false. I've had no communication, directly or indirectly, with Trump, who has publicly stated that he will be exclusively on Truth Social.", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "Reports say that Trump has been privately complaining that Google was trying to \"fuck\" him. According to Rolling Stones' source, however, the truth is that Truth Social hasn't even submitted an Android app to the Google Play store yet. Still, though, the launch of a web app is significant. Truth Social profiles and posts will now be completely shareable on other platforms. Using the iPhone app, if you want to share a Truth Social post on another platform, you have to take a screenshot. Now, Truth Social users will be able to post links directly to any account or post. In turn, non-Truth Social users will have direct access to sign up and engage with content on the site. (Note: Internal Truth Social links currently require users to login to their account in order to see the content.) In short: It's going to be a lot easier for Trump's fanbase to share his content on other platforms. Launched in February, Truth Social struggled during the first few months. Downloads plummeted after the initial rush to download due to a long waitlist of users wanting to sign up. However, in recent weeks, Trump finally started posting on his own platform, which has helped give the conservative social network another bounce.  Truth Social announced a public beta of the web app just last week. According to a press release from Wednesday, the initial web app rollout was scheduled for some time over the next week or two.", "[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]"], "noise_rate": 1.0, "factlabel": 0} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [0], "prediction": "The Fabelmans won best drama at the 79th Golden Globe Awards.", "docs": ["Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ...", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "Best motion picture - drama WINNER: The FabelmansAvatar: The Way of WaterElvisTár Top Gun: Maverick Best motion picture - musical or comedy WINNER: The Banshees of InisherinBabylonEverything Everywhere All at OnceGlass Onion: A Knives Out MysteryTriangle of Sadness Best television series - drama WINNER: House of the Dragon (HBO Max)Better Call Saul (AMC+/AMC)The Crown (Netflix)Ozark (Netflix)Severance (Apple TV+) Best television series - musical or comedy WINNER: Abbott Elementary (ABC)The Bear (FX)Hacks (HBO Max)Only Murders in the Building (Hulu)Wednesday (Netflix) Best motion picture - animated WINNER: Guillermo del Toro's PinocchioInu-OhMarcel the Shell with Shoes OnPuss in Boots: The Last WishTurning Red Best motion picture - Non-English language (formerly foreign language) WINNER: Argentina, 1985All Quiet on the Western FrontCloseDecision to LeaveRRR Best television limited series, anthology series or motion picture made for television WINNER: The White Lotus (HBO Max)Black Bird (Apple TV+)Dahmer - Monster: The Jeffrey Dahmer Story (Netflix)The Dropout (Hulu)Pam & Tommy (Hulu) Best performance by an actor in a television series - drama WINNER: Kevin Costner, YellowstoneJeff Bridges", "On Tuesday night, the Golden Globes were held for the 80th time in history, though this year's ceremony was notable for a bigger reason. The awards show that is supposed to honor excellence in film and TV has been trying to recover from a racial exclusion scandal after a 2021 Los Angeles Times story revealed that none of the 87 Hollywood Foreign Press members was Black. Tom Cruise subsequently gave back his Globes, NBC opted not to air the ceremony last year, and reform in the form of inclusivity began to take shape. After Jerrod Carmichael explained to the audience at the Beverly Hilton how he wound up as the host (spoiler: \"I'm here because I'm Black,\" he quipped before launching into a detailed and honest account of his decision-making process), the trophy distribution began. The Banshees of Inisherin, which led all movies with eight nominations, struck up a meaningful friendship with Globes voters over the evening: The Irish-island-set tragicomedy took home the best comedy film trophy, while Colin Farrell triumphed in the acting category and writer-director Martin McDonagh won for best screenplay. The Fablemans also came into frame by winning best drama film honors and best director (Steven Spielberg). Meanwhile, Everything Everywhere All at Once prevailed in two dimensions, as Michelle Yeoh and Ke Huy Quan netted acting trophies.", "Keeravani, Rahul Sipligunj (RRR) – WINNER Donald Glover, AtlantaBill Hader, BarrySteve Martin, Only Murders in the BuildingMartin Short, Only Murders in the BuildingJeremy Allen White, The Bear – WINNER Quinta Brunson, Abbott Elementary – WINNERKaley Cuoco, The Flight AttendantSelena Gomez, Only Murders in the BuildingJenna Ortega, WednesdayJean Smart, Hacks Diego Calva, BabylonDaniel Craig, Glass Onion: A Knives Out MysteryAdam Driver, White NoiseColin Farrell, The Banshees of Inisherin – WINNERRalph Fiennes, The Menu Margot Robbie, BabylonAnya Taylor-Joy, The MenuEmma Thompson, Good Luck to You, Leo GrandeLesley Manville, Mrs."], "noise_rate": 1.0, "factlabel": 0} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [-1], "prediction": "The document does not contain information about the cost of Georgia Tech softball 2022 season tickets. I can not answer the question because of the insufficient information in documents.", "docs": ["Georgia Tech opens the 2023 season hosting the annual Buzz Classic, beginning its action with a doubleheader against UConn on Feb. 10 at 4:30 p.m. at Mewborn Field. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2023 Home Schedule and Season Highlights Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes. Be a part of developing Georgia Tech’s Everyday Champions and helping the Yellow Jackets compete for championships at the highest levels of college athletics by supporting the Annual Athletic Scholarship Fund, which directly provides scholarships for Georgia Tech student-athletes. To learn more about supporting the Yellow Jackets, visit atfund.org. For the latest information on the Georgia Tech Yellow Jackets, follow us on Instagram (@GaTechSoftball), Twitter (@GaTechSoftball), Facebook (Georgia Tech Softball) or visit us at www.ramblinwreck.com.", "No visiting team colors may be worn in this area. All non-courtside students will be seated in the general admission seating area in Section 113. *The GTAA reserves the right to distribute student tickets via a ticket lottery if demand is high for a certain game. Such changes will be communicated to the student body in a timely manner. For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff. Georgia Tech student seating is available as general admission. Students will need to visit the box office near Gate 3 (first-base side) and display their BuzzCard in order to receive a ticket to the game. Postseason home games - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission.", "Skip to content Dear GT Softball Family, Let me first say \"thank you\" to everyone who supported Georgia Tech Softball during the 2022 season. The young women on our team and all of our staff certainly felt the support you provided us last year. We concluded our historic season with our highest win total and best win percentage since 2011 and we're looking forward to having another great season!  Donations to the Mew Crew directly benefit Georgia Tech Softball, and we have set a goal of $100,000 targeted to specific needs for our program: I'm excited for the 2023 season and a chance for us to build on our momentum from last season. Your support for the GT Softball community has been paramount in our program's success, laying a foundation to rely on no matter the challenges we face. I look forward to surpassing each of our goals on and off the field this year.. Reaching our goal will ensure our ability to deliver a championship-caliber experience to all of our student-athletes. Your support will earn benefits unique to GT Softball and provide the resources necessary to develop young women who compete up the height of their potential during their time at Tech. Thank you for your consideration and Go Jackets! Aileen Morales Head Coach, GT Softball *Gifts from July 1, 2022 - June 30, 2023 Alexander-Tharpe Fund Georgia Tech Athletic Association", "Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska."], "noise_rate": 1.0, "factlabel": 0} diff --git a/results/Noise Robustness/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json b/results/Noise Robustness/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..fa4df40c21fd39afbc9681b43da7863bac39c0a7 --- /dev/null +++ b/results/Noise Robustness/prediction_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [1], "prediction": "The premiere of 'Carole King & James Taylor: Just Call Out My Name' was on January 2, 2022, at 9:00pm ET/PT on CNN.", "docs": ["Jan 2, 2022 ... Carole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via ...", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):", "However, the concert tour took place in honor of the 40th anniversary. The two might have aged since they first performed together but neither Carole King nor James Taylor have lost a beat in all these years!The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.", "The concert film includes the following songs:(You Make Me Feel Like) A Natural WomanSomething in the Way She MovesSo Far AwayCarolina in My MindCountry RoadSmackwater JackWhere You Lead (lyrics changed up as the city they’re playing in replaces New York)Your Smiling FaceBeautifulShower The PeopleWay Over YonderSweet Baby James (this kicks off the second half of the film)Up on the RoofIt’s Too LateFire and RainI Feel the Earth MoveYou’ve Got a FriendHow Sweet It Is (To Be Loved by You)You Can Close Your EyesMexico (end credits)DIRECTOR: Frank MarshallFEATURING: Carole King, James Taylor, Danny Kortchmar, Peter Asher, Russ Kunkel, Leland SklarADDITIONAL MUSICIANS: Andrea Zonn, Arnold McCuller, Kate Markowitz, Robbie KondorCarole King & James Taylor: Just Call Out My Name premiered January 2, 2022, at 9:00pm ET/PT on CNN. The film will be available on demand via cable/satellite systems, CNNgo platforms, and CNN mobile apps, beginning Monday, January 3, through Sunday, January 16.Please subscribe to Solzy at the Movies on Substack."], "noise_rate": 0.4, "factlabel": 0} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [1], "prediction": "The genre of the drama \"Good Sam\" is medical procedural with a focus on family drama.", "docs": ["Sam Griffith (Sophia Bush) is a female lead, still a rarity in medical dramas. The cast diversity is notable: Malcolm Kinglsey (Edwin Hodge) is a Black man from a wealthy, prominent family. Wealthy Black Americans aren't usually showcased on television. Malcolm is also a love interest for Sam, adding to the representation of interracial relationships on television. However, most of the diversity comes in the form of the secondary cast (Skye P. Marshall, Omar Maskati, Davi Santos), who are very involved in the main storylines. Did we miss something on diversity? Suggest an update. A scene with a major character being shot. Scenes of heart surgery. A scene with a patient who was punched by his wife for cheating. Did you know you can flag iffy content? Adjust limits for Violence & Scariness in your kid's entertainment guide. Swear words like \"ass,\" \"damnit,\" \"ass kisser.\" Did you know you can flag iffy content? Adjust limits for Language in your kid's entertainment guide. Parents need to know that Good Sam is a medical procedural featuring a father-and-daughter heart surgeon team who hash out their familial drama as they save patients. Parents should be aware of scenes featuring simulated heart surgery and other scary topics, such as conversations about a near-fatal car accident, \"coding\" (needing to be resuscitated), and other medical lingo.", "Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell.", "The new CBS drama Good Sam is likely to draw viewers towards more shows that revolve around medical drama and family issues. Starring Jason Isaacs and Sophia Bush, Good Sam delves into the strenuous father-daughter relationship between Dr. Sam Griffith and Dr. Rob Griffith. Tensions increase as the duo also happen to work in the same hospital.  RELATED: 10 Medical Dramas That Are Better Than Grey's Anatomy Good Sam serves as an interesting watch for medical drama fans. So, it is natural for audiences to also check out other genre classics like Grey’s Anatomy and contemporary shows like The Good Doctor. At the same time, Good Sam’s complex family dynamics imply that viewers can also binge their way through some acclaimed “dysfunctional family dramas”. ABC's The Good Doctor's main character Shaun Murphy is a brilliant surgeon who relocates to a prestigious California hospital. Along with saving patient lives, he struggles to get over his troubled past and to counter his social insecurities. The show benefits greatly from Freddie Highmore’s committed performance as he emulates the optimistic nature of the lead character.  Fans of Good Sam must check out The Good Doctor for it shows how a doctor’s psyche can influence the operation. Even though Sam is still in her good-natured self, Rob is shown as a talented yet hot-headed surgeon.", "Based on 1 parent review GOOD SAM plays in the standard medical procedural sandbox, but there is a family drama twist. Samantha Griffith (Sophia Bush) is a competent heart surgeon who became the head of the department after her hard-to-please father, Dr. Rob Griffith (Jason Isaacs), suffered an accident, thereby losing his title as department head. The switch-up leads Sam and her father to try to reconcile their relationship as Sam finds her way as a leader. This show seems to suggest CBS is keeping to its mission to steadily showcase more diverse, complicated storylines. While Good Sam could have easily been just a run-of-the-mill medical show about a problem of the week, the series also entangles its characters in some thorny familial drama. This adds a new layer to what fans of this type of genre might be used to, and thankfully so. Bush, who once headlined another procedural, Chicago P.D., is great at playing a woman who has grown tired of trying to please her father and wants to show her worth as a doctor on her own terms. English actor Isaacs' American accent falters at the beginning of the first episode, but by the time it's ended, you believe he's a difficult man who might have a good heart, but is buried underneath guilt and unresolved trauma."], "noise_rate": 0.4, "factlabel": 0} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [1], "prediction": "The Kentucky Wildcats won the 2022 Citrus Bowl.", "docs": ["Kentucky Wildcats win Citrus Bowl, 4th straight bowl game | whas11.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987.", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "A late drive by No. 22 Kentucky sealed the Wildcat victory over the 15th-ranked University of Iowa football team in the 2022 VRBO Citrus Bowl on Saturday afternoon at Camping World Stadium.", "Kentucky secured its fourth straight bowl victory Saturday with a 20-17 Citrus Bowl win over Iowa. Down four in the final few minutes, Wan'Dale Robinson and Chris Rodriguez Jr. came through with great individual efforts to put the Wildcats on top:"], "noise_rate": 0.4, "factlabel": 0} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [1], "prediction": "Jason Semore held the position of Defensive Coordinator at Valdosta State before returning to Georgia Tech.", "docs": ["Sep 29, 2022 ... Share · Jason Semore helped lead Valdosta State to the 2021 NCAA Division II national championship game as defensive coordinator before returning ...", "2006 | Round Valley (AZ) High School (Defensive Coordinator) 2007 | Colorado School of Mines (Secondary Coach) 2008 - 2009 | Adams State (Co-Defensive Coordinator/Secondary Coach/Special Teams Coordinator) 2010 - 2011 | Tulsa (Outside Linebackers Coach) 2012 - 2013 | Oklahoma State (Defensive Assistant) 2014 | Colorado School of Mines (Defensive Coordinator) 2015 | Montana (Secondary Coach/Special Teams Coordinator) 2016 - 2017 | Montana (Defensive Coordinator) 2018 | Temple (Senior Defensive Advisor) 2019 - 2020 | Georgia Tech (Defensive Analyst) 2021 | Valdosta State (Defensive Coordinator) Semore actually has more experience than I remember seeing, but this is still the highest level position he has held and is sure to bring plenty of challenge. At Valdosta State, Semores defense ranked top 20 nationally in defensive touchdowns, pass defense, redzone defense, and fumble recoveries. The Blazers also made an appearance in the national championship game, but failed to bring home the trophy. These are two very different coaches (in terms of experience), but I believe collectively, they are replacing one coach in all but name: Andrew Thacker. Though he remains defensive coordinator in name, he is no longer the linebackers coach.", "Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense.", "At some point, he and Batt may talk about the possibility of Key taking over the program, but Key understands Batt’s job right now is to vet coaches and Key’s job is to try to put the best possible product on the field to state his case. Even if Batt chooses to hire from outside, a great run as the interim could vault Key into contention for other head coaching jobs. Key also wants to make sure his players don’t believe winning is easy after doing it twice in a row. Though he doesn’t mind letting them enjoy the new vibe on campus. “It’s been a while since we had this kind of momentum in the program,” tight end Dylan Leonard told reporters Monday. “It’s our first time with back-to-back wins. It’s great for us as players, but it’s also cool to see the fan base. You hear different conversations in the classroom. There’s a little more hype. It’s really cool walking around campus seeing people be excited about us.” Advertisement Semore worked as an analyst at Georgia Tech in 2019 and 2020 before going to Valdosta State last season to be the defensive coordinator. At the Division II powerhouse, Semore saw a team with a different attitude. The Blazers walk onto the field every week expecting to win. When Semore returned to Georgia Tech this season as the linebackers coach, the Yellow Jackets didn’t feel that way. But after consecutive wins, they are starting to develop that feeling.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life."], "noise_rate": 0.4, "factlabel": 0} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [1], "prediction": "Tesla delivered 936,172 vehicles in 2021.", "docs": ["Microchip shortage? What microchip shortage? EV maker Tesla, which it should be pointed out produces its own chips in-house, seems not to have been bothered by supply-chain issues all that much in 2021, delivering 936,172 vehicles in the year just ended, according to a report by finance news outlet Finbold. That represents a healthy 87 percent increase over 2020, when the company handed over 499,550 Teslas to customers. Even better for the company, it ended the year with a bang, racking up a record number of sales in the last quarter of 2021, or 308,600 units. Most of that total consisted of Model 3 and Model Y models, no surprise. It’s the sixth consecutive quarter that it breaks its record for sales. In 2019, the automaker delivered 367,500 units, so annual sales growth, while not exponential, is clearly accelerating. The company has said in the past that one its main goals is to attain 50 percent sales growth year after year. Once upon a time, Tesla struggled mightily to hit its delivery targets, but no more. There’s also no sign of that growth slowing down any time soon, even as all-electric rivals join the market by the month. Projections made by Finbold put estimated sales for 2022 at over 1.5 million units, for an increase of close to 65 percent. Shopicar.", "Jan 3, 2022 ... In 2021, Tesla says, it delivered 936,172 vehicles around the world. Exactly how many were in the U.S.—or in China or Europe or ...", "in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "The EV maker doesn't disclose U.S.-only sales figures but claims sales for the year were up an amazing 87 percent in a turbulent marketplace. Anyone who thinks the legacy automakers are catching Tesla in the electric-vehicle sales race should take a quick look at some recently released figures. Over the weekend, Tesla announced it delivered 308,600 vehicles in the fourth quarter of 2021. Model S and Model X EVs made up 11,750 of those deliveries, while the bulk—296,850—were Model 3 and Model Y deliveries. These numbers brought Tesla's 2021 full-year deliveries to 936,172 vehicles. The 936,000 vehicle deliveries represent an 87 percent increase from 2020, Reuters and other news sources noted, based on Tesla's announcement dated January 2, while the 306,600 deliveries for the quarter mean that Tesla delivered 71 percent more electric vehicles in the fourth quarter of 2021 than it did a year earlier. Reuters reportssemiconductor chipsTesla doesn't break out its deliveries by country, but its sales are strongest in Europe and China, the notes. Tesla itself called those two regions \"important markets\" in its last SEC filing, but the U.S. is still the region where Tesla makes the most money. In the third quarter of 2021, for example, an shows Tesla made more than $6 billion in revenue in the U.S., compared to $3.", "Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations."], "noise_rate": 0.4, "factlabel": 0} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [1], "prediction": "EVO Entertainment Group acquired ShowBiz Cinemas.", "docs": ["Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!", "Searching for your content... In-Language News Contact Us 888-776-0942 from 8 AM - 10 PM ET Acquisition Establishes EVO Entertainment Group as Largest Operator of Cinema-Entertainment Centers in the Country News provided by 03 Jan, 2022, 13:00 ET Share this article AUSTIN, Texas, Jan. 3, 2022 /PRNewswire/ -- EVO Entertainment Group (\"EVO\") and ShowBiz Cinemas (\"ShowBiz\"), two leading innovators in motion picture entertainment, announced today that they have closed a transaction under which EVO has acquired 100% of the stock of Showbiz Cinemas in an all-cash deal. \"Today is a monumental moment for our company and our industry,\" said Mitch Roberts, Founder and CEO of EVO Entertainment Group and 2022 Forbes 30 under 30 honoree. \"This transaction establishes EVO as the country's largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.\" Kevin Mitchell, CEO & Founder of Showbiz Cinemas, along with Mitch Roberts represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a smashing success.", "Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members...", "EVO Entertainment Group has acquired ShowBiz Cinemas in an all-cash deal, it was announced Monday (Jan. 3). The acquisition is the first major transaction to arise under the partnership between EVO and Marbella Interests, the family office of Formentera Partners founder and former Parsley Energy founder and CEO Bryan Sheffield. The combined operation is comprised of 16 venues boasting 148 screens, 108 bowling lanes, nine full-service restaurants and bars, a 3,000-capacity live music space and over 30,000 square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. EVO will continue expanding in 2022 with additional locations currently under construction. “Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of EVO Entertainment Group. “This transaction establishes EVO as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” ShowBiz Cinemas CEO and Founder Kevin Mitchell added, “It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry.", "Evo Entertainment Group has acquired 100 percent of the stock of Showbiz Cinemas in an all-cash deal. The companies did not disclose the full details of the acquisition. \"Today is a monumental moment for our company and our industry,” said Mitch Roberts, founder and CEO of Evo Entertainment Group and 2022 Forbes 30 Under 30 honoree. “This transaction establishes Evo as the country’s largest operator of cinema-entertainment centers and paves the way for accelerated progress and innovation within a new era of cinema.” Roberts and Kevin Mitchell, CEO and founder of Showbiz Cinemas, represent multiple generations in the cinema business. Their pioneering of cinema entertainment centers has been a genuine success. Said Mitchell, \"It is a wonderful time to entrust the company I started to a fourth-generation motion picture exhibitor and family member, because Showbiz Cinemas just had an all-time record-breaking holiday season! I am confident that Mitch’s leadership and Marbella’s capital strength will ensure a long and successful run for Showbiz, and I now look forward to exploring new ventures both in and out of the entertainment industry."], "noise_rate": 0.4, "factlabel": 0} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [1], "prediction": "The Super Bowl in 2022, which was Super Bowl LVI, was held at SoFi Stadium in Inglewood, California.", "docs": ["The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second ...", "Super Bowl LVI[12] was an American football game played to determine the champion of the National Football League (NFL) for the 2021 season. The National Football Conference (NFC) champion Los Angeles Rams defeated the American Football Conference (AFC) champion Cincinnati Bengals, 23–20. The game was played on February 13, 2022, at SoFi Stadium in Inglewood, California, the home stadium of the Rams, marking the second consecutive and second overall Super Bowl with a team playing and winning in its home stadium.[13][14][15][16] The Rams' victory was their second, first as a Los Angeles-based team, and first since winning 1999's Super Bowl XXXIV when they were based in St. Louis. Finishing with a 12–5 record, the Rams reached their fifth appearance after acquiring veteran quarterback Matthew Stafford, who had not won a playoff game in his previous 12 years with the Detroit Lions. The Bengals, who finished with a 10–7 record, were seeking their first Super Bowl title following several decades of losing seasons and playoff struggles. They won their first playoff game since 1990, ending the longest drought in the four major North American sports, en route to their third Super Bowl appearance and first since 1988's Super Bowl XXIII.", "Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints.", "The Super Bowl is going to be held indoors for a little while. After last year's contest in Raymond James Stadium in Tampa, Florida, the Super Bowl heads out west to SoFi Stadium in Inglewood, California, for Super Bowl 56. From then on, the Super Bowl will continue to be held in dome stadiums for a while. Each of the next three announced venues will have a roof over the heads of the fans and players, and will be in warmer weather areas, as is typical of the Super Bowl. Sporting News has you covered with all you need to know about the location of this year's Super Bowl, as well as the host site in future years. This year's Super Bowl will be held at SoFi Stadium in Los Angeles, California. The home of the Rams and the Chargers, SoFi Stadium was originally set to host the Super Bowl in 2021, however its opening was delayed until 2020, and NFL rules dictate that a stadium has to be open for at least two seasons before it can host the title game. This will be the third time the city has hosted the Super Bowl, with the L.A. Memorial Coliseum having hosted it twice (1967, 1973). Pasadena also hosted the Super Bowl five times (1977, 1980, 1983, 1987, 1993) in the Rose Bowl."], "noise_rate": 0.4, "factlabel": 0} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [1], "prediction": "Truth Social has already launched on iOS on February 21st, 2022.", "docs": ["By Jay Peters, a news editor who writes about technology, video games, and virtual worlds. He’s submitted several accepted emoji proposals to the Unicode Consortium. If you buy something from a Verge link, Vox Media may earn a commission. See our ethics statement. Former President Donald Trump’s new social network, Truth Social, will launch on iOS on February 21st, according to a listing on the App Store. (That’s Presidents Day, if you didn’t know. Subtle.) The app is being made by the Trump Media and Technology Group (TMTG), Trump’s new media company led by former US Rep. Devin Nunes. Truth Social looks very much like a Twitter clone, based on screenshots in the App Store listing. The profile page shown in one screenshot looks almost exactly like Twitter’s, and posts appear to have icons for replies, retweets, faves, and sharing. (Truth Social describes each individual post as a “truth” in the app’s description. The retweet equivalent is apparently called a “re-truth.”) The Twitter-like design likely isn’t an accident The social network’s Twitter-like design is almost assuredly no accident. Twitter was Trump’s favorite megaphone for years, until he was permanently banned in January 2021 shortly after the January 6th insurrection on the US Capitol.", "Donald Trump's much-anticipated social media platform, called Truth Social, has debuted on iOS. And here's what you need to know about it. Former US President Donald Trump’s social media platform, called Truth Social, is now available to download on iOS. So, here's what you need to know about Truth Social, which is already proving to be a controversial social media platform for various reasons. Former US President Donald Trump's social media app, Truth Social, is now available to download from Apple's App Store. It was launched on February 21st, 2022, which is President’s Day in the US. Immediately upon launching, the app reached the number one spot on the App Store's Top Charts. Truth Social came about following Trump's bans from various social media platforms---including Facebook and Twitter---in 2021. These platforms removed Trump due to concerns around his public comments following the Capitol Hill riots in January 2021. Before getting himself banned from various social media platforms, Trump built up huge followings. So once these mainstream social media platforms dumped him, Trump announced his intention to build his own platform. So, what is Trump’s social network about anyway? Here’s everything you need to know about Truth Social. Truth Social is a social media app founded by former US President Donald Trump and owned by Trump Media & Technology Group (TMTG). This company was formed in February 2021 with the intention of building alternatives to mainstream media platforms.", "Truth Social, Donald Trump’s Twitter-like social media platform has launched on the App Store, CNET has reported. That confirms a statement from a verified account tied to Truth Social chief product officer “Billy B,” who told people to mark February 21st on their calendars. “We’re currently set for release in the Apple App Store for Monday, February 21st,” he said, according to Reuters. Incidentally, the 21st marks the Presidents' Day holiday in the US. Provided the network doesn’t suffer a hiccup like the one it did last fall when a prankster claimed the “donaldjtrump” username and posted an image of defecting pig, the launch will mark Trump’s return to social media. Twitter and Facebook banned the former president following the January 6th attack on the US Capitol. Before a test version of Truth Social was pulled down last fall, the website’s code showed it ran on a mostly unmodified version of open-source software Mastodon. In October, the Software Freedom Conservancy accused The Trump Media and Technology Group (TMTG) of violating Mastodon’s AGPLv3 license by not sharing the platform’s source code. The website added a dedicated section containing a ZIP archive of its source code two weeks later.Subscribe to the Engadget Deals NewsletterGreat deals on consumer electronics delivered straight to your inbox, curated by Engadget’s editorial team.", "However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]"], "noise_rate": 0.4, "factlabel": 0} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [1], "prediction": "The Power of the Dog won Best Motion Picture – Drama at the 79th Golden Globe Awards.", "docs": ["Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ...", "Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "TAGGED AS: 79th Golden Globes Awards, Awards, Film, movies, television, TV The Hollywood Foreign Press Association announced the winners for the 79th Annual Golden Globe Awards tonight with The Power of the Dog named Best Motion Picture – Drama and West Side Story as Best Motion Picture – Musical or  Comedy. On the television side, Succession won Best Television Series – Drama, while Hacks won for Best Television Series – Musical or Comedy. After a year of controversy about diversity, payola, and improper behavior endemic to the organization that culminated in the Globes losing its NBC broadcast, tonight’s coverage and the subsequent congratulatory marketing from winners will be a good litmus test for if the beleaguered organization can rinse off some of the stink from a year of bad headlines and even more puzzling decisions. If you need a refresher on the ins and outs of what happened read our recap of how we got here. Over the last eight months, the HFPA has reformed its bylaws, implementing changes that address ethics and code of conduct, diversity, equity and inclusion, governance, and membership. The HFPA recently admitted their largest and most diverse class to date of 21 new members, all of whom are first-time Golden Globe voters.", "Though the jury is very much out on if HFPA can squeeze its way back into the good graces of Hollywood, after a fairly uneventful and mostly uncontroversial group of diverse winners, it is unlikely to hurt those efforts. Read on for the full list of winners from the 79th Golden Globes. 1. Best Motion Picture – Drama Belfast, Focus Features Coda, Apple TV+ Dune, Warner Bros. King Richard, Warner Bros. The Power of the Dog, Netflix – WINNER 2. Best Performance By An Actress In A Motion Picture – Drama Jessica Chastain, The Eyes Of Tammy Faye Olivia Colman, The Lost Daughter Nicole Kidman, Being The Ricardos – WINNER Lady Gaga, House Of Gucci Kristen Stewart, Spencer 3. Best Performance By An Actor In A Motion Picture – Drama Mahershala Ali, Swan Song Javier Bardem, Being The Ricardos Benedict Cumberbatch, The Power Of The Dog Will Smith, King Richard – WINNER Denzel Washington, The Tragedy Of Macbeth 4. Best Motion Picture – Musical Or Comedy Cyrano, MGM Don’t Look Up, Netflix Licorice Pizza, MGM Tick, Tick…Boom!, Netflix West Side Story, 20th Century Studios / Walt Disney Studios Motion Pictures – WINNER 5.", "The 79th Golden Globe Awards honored the best in film and American television of 2021, as chosen by the Hollywood Foreign Press Association (HFPA). The ceremony took place privately on January 9, 2022.[1] The nominees were announced on December 13, 2021, by rapper Snoop Dogg and HFPA president Helen Hoehne.[1][2] For the first time since 2008, there was no traditional, televised ceremony. In support of boycotts of the HFPA by various media companies, actors, and other creatives over its lack of action to increase the membership diversity of the organization, the Golden Globes' regular broadcaster NBC declined to televise the 79th Golden Globe Awards. The HFPA ultimately chose to hold the presentation privately, with attendance limited to the organization's beneficiaries, and results announced via press release and highlighted on the Golden Globe Awards' social media pages. The films Belfast and The Power of the Dog were tied for the most nominations, at seven each. The latter tied with Steven Spielberg's West Side Story and HBO's drama Succession with the most awards of the night, with three each. These included the awards for Best Drama Film, Best Musical or Comedy Film and Best Drama Series, respectively."], "noise_rate": 0.4, "factlabel": 0} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [1], "prediction": "The Georgia Tech softball 2022 season tickets cost $100 per seat and are located in the reserved chairback sections of Mewborn Field.", "docs": ["THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes.", "CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska.", "Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating.", "THE FLATS – Georgia Tech softball 2022 season tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Single-game tickets will go on sale in the near future. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Tech’s 55-game 2022 regular season slate is highlighted by 34 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will open their 2022 campaign by hosting the annual Buzz Classic, beginning on Opening Day Feb. 11 with a doubleheader on The Flats, first against Saint Joseph’s at 3:30 p.m. directly followed by a matchup with Villanova. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2022 Home Schedule and Season Highlights Securing season tickets will allow fans to maintain the best seats in the house for every home game this season as well as the best price ($100 for 34 scheduled home games), a significant discount from single-game pricing. Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes.", "THE FLATS – Georgia Tech softball 2023 season and single-game tickets are now on sale and can be purchased HERE. Season tickets are located in the reserved chairback sections of Mewborn Field and cost $100 per seat. Season ticket members enjoy every game in the same seat for a discounted rate. Single-game tickets are also available as detailed below. More ticketing information, including the steps to become a member of the Mew Crew and the benefits of joining, can be found on the official Georgia Tech Softball Tickets page. Single-Game Pricing: Reserved Chairback: $5 Adult GA Bench: $3 Youth/Senior GA Bench: $2 Group (10+) GA Bench: $2 Standing room only tickets will be sold for $2 each if all other sections are sold out. Georgia Tech students and faculty/staff can receive free admission to regular season home games while seats remain available by showing a valid BuzzCard at the entrance. Tech’s 56-game 2023 regular season schedule is highlighted by 33 home games and four Atlantic Coast Conference series at Mewborn Field. The Yellow Jackets will also host three home tournaments, most notably the ACC/B1G Challenge, as well as a pair of SEC schools, including this season’s edition of Clean, Old-Fashioned Hate. The White and Gold are slated to face six ranked opponents throughout the year, hosting four of them for eight total games."], "noise_rate": 0.4, "factlabel": 0} diff --git a/results/Noise Robustness/prediction_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json b/results/Noise Robustness/prediction_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..ea161b07129647339fef745a335b067d69c82d1e --- /dev/null +++ b/results/Noise Robustness/prediction_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,10 @@ +{"id": 0, "query": "When is the premiere of 'Carole King & James Taylor: Just Call Out My Name'?", "ans": [["January 2 2022", "Jan 2, 2022", "Jan. 2, 2022", "January 2, 2022", "2 January 2022", "2 Jan, 2022", "2 Jan., 2022", "2 January, 2022"]], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["A concert film that explores the 50-year friendship between award-winning singer/songwriters James Taylor and Carole King.", "I have no answer as to why the film wasn’t released in 2011, but an appreciation of a musical collaboration that Rolling Stone magazine (and only Rolling Stone magazine) probably ranks really really high on some list of the greatest whatevers ever arrives better late than never. The Gist: In 1970, Taylor and King performed their first concert together at the famed Troubadour club in Hollywood. It was the beginning of a beautiful – 100 percent platonic! – friendship in which they made beautiful music together, and I’m sorry for the cliches, but in this case, they’re true. They sang each other’s songs, encouraged and complemented each other, and harmonized like tea and honey. Forty years later, they decided to celebrate their convergence with a 50-plus-date tour, and now, 12 years after that, we get a celebration of the celebration, a remembrance of a remembrance that brought so much joy to so many people 52 years ago and then again 12 years ago, and now again a third time officially, with this movie. Just Call Out My Name opens with clips of late-night talk show hosts (Leno, Carson, Letterman) introducing Taylor or King or both, then a blip of Oprah praising Taylor, but what she thinks of King, NOBODY KNOWS.", "The track is one of 15 the pair recorded live from West Hollywood’s The Troubadour in 2007, where they gigged together in 1970, for the Live At The Troubadour album, released in 2010 The documentary follows the two along The Troubadour Reunion Tour in 2010. Also interviewed in the film are sidemen Danny Kortchmar, Russ Kunkel, and Lee Sklar, who accompanied the duo on all their shows together from 1970 through 2010.  King is about to be inducted into the Rock and Roll Hall of Fame in Cleveland on Oct. 30, where Taylor Swift and Jennifer Hudson will act as presenters and perform her songs. See more Only members can comment. Become a member. Already a member? Log In. August 7, 2023, 8:00 pm August 7, 2023, 7:30 pm August 7, 2023, 5:30 pm August 7, 2023, 5:00 pm August 7, 2023, 4:53 pm August 7, 2023, 4:30 pm August 2, 2023, 6:30 am April 7, 2023, 8:45 am June 12, 2022, 10:16 am", "Feb 10, 2022 Runtime: 2h 0m Carole King Self James Taylor Self Danny Kortchmar Self Russ Kunkel Self Lee Sklar Self Frank Marshall Director Frank Marshall Producer Aly Parker Producer There are no featured reviews for Carole King & James Taylor: Just Call Out My Name because the movie has not released yet (). Vote Now: The Best Movies & TV Shows Since 1998! Daily Tomato - Can you guess the movie of the day? What to Watch - In theaters & streaming TV and Streaming News Join The Newsletter Get the freshest reviews, news, and more delivered right to your inbox! Follow Us Copyright © Fandango. All rights reserved.", "Your Ticket Confirmation # is located under the header in your email that reads \"Your Ticket Reservation Details\". Just below that it reads \"Ticket Confirmation#:\" followed by a 10-digit number. This 10-digit number is your confirmation number. Your AMC Ticket Confirmation# can be found in your order confirmation email. At the genesis of their now 50 years of friendship and collaboration, six-time Grammy® Award-winner James Taylor and four-time Grammy® Award-winner Carole King, famously performed together in 1970 at The Troubadour, the storied Los Angeles club. The pair came together to reprise that concert for The Troubadour's own 50th anniversary in 2007. As Taylor recalls in the film, those 2007 performances including \"So Far Away,\" \"I Feel the Earth Move,\" and \"You've Got a Friend,\" during six sold out concerts, were so much fun, that he and King hatched plans for a 2010 world tour. CAROLE KING & JAMES TAYLOR: Just Call Out My Name documents the beloved songwriters' triumphant 2010 Troubadour Reunion Tour of arena concerts around the world. Genre: Documentary, Music Original Language: English Director: Frank Marshall Producer: Frank Marshall, Aly Parker Release Date (Streaming):"], "noise_rate": 1.0, "factlabel": 0} +{"id": 1, "query": "The genre of the drama \"Good Sam\" is what?", "ans": ["medical"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["When he awakens and wants to resume surgery, however, it falls to her to supervise this overbearing blowhard who never acknowledged her talents – and also happens to be her father. Jason Isaacs, Edwin Hodge, Skye P. Marshall, Michael Stahl-David, Davi Santos, Omar Maskati and Wendy Crewson also star. It comes from writer Katie Wech, Jennie Snyder Urman and Sutton St. Productions banner and CBS Studios. Wech, Snyder Urman and Joanna Klein with Tamra Davis directing and EPing the pilot. Meanwhile, Smallwood stars Crashing’s Pete Holmes as a seemingly ordinary man, who, after being laid off from the assembly line at the GM factory, makes the extraordinary decision to provide for his family by following his dream of becoming a professional bowler. It is based on the life of professional bowler Tom Smallwood. The multicamera comedy comes from Mark Gross and producers David Hollander and Brian D’Arcy James. The trio exec produce with Mark Cendrowski as director. CBS Studios produces. Alongside Holmes, Chi McBride and Katie Lowes star. Subscribe to Deadline Breaking News Alerts and keep your inbox happy. Signup for Breaking News Alerts & Newsletters \t\t\tBy subscribing, I agree to the Terms of Use and Privacy Policy. This site is protected by reCAPTCHA Enterprise and the Google Privacy Policy and Terms of Service apply.", "You can help us help kids by suggesting a diversity update. Want suggestions based on your streaming services? Get personalized recommendations Common Sense Media's unbiased ratings are created by expert reviewers and aren't influenced by the product's creators or by any of our funders, affiliates, or partners. Common Sense is the nation's leading nonprofit organization dedicated to improving the lives of all kids and families by providing the trustworthy information, education, and independent voice they need to thrive in the 21st century. We're a nonprofit. Support our work", "May 29, 2023 Few things feel like summer, quite like taking a vacation or going to the movies. There’s something about the open road that just feels healing, and there’s something about a silver screen and popcorn that just feels right.  Now, every so often, something magical happens, and we’re treated to a perfect combination of summer pastimes, culminating in a genre that stands alone: road-trip films.  Stories about cooped-up families, reluctant companions, or cavalcades of muppets seem to resonate with all of us, validating the joys and stresses of our own cross-country adventures – almost as if we’re watching a movie about ourselves. So, to celebrate the start of the summer season and to help spark some inspiration of what to do (or not do) on your next trip, we’ve put together our list of the all-time best road-trip movies.  Alright, so technically, this isn’t a summer road-trip movie, considering it’s one of the few films set during Thanksgiving, but it’s still the all-time best buddy adventure film. Steve Martin and John Candy were a match made in Heaven, and the jokes still land over 30 years later.   Little Miss Sunshine is a heartwarming indie comedy about a quirky family of misfits trying to get their daughter to a beauty pageant. It has an incredible soundtrack featuring Sufjan Stevens and stellar performances, including a burgeoning Steve Carell.", "Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma.Follows a talented yet stifled surgeon who embraces her leadership role after her renowned and pompous boss falls into a coma. © 1990-2023 by IMDb.com, Inc.", "27][28] In February 2021, Edwin Hodge joined the cast in a starring role.[29] In January 2022, it was reported that Sendhil Ramamurthy was cast in a recurring role while Hilarie Burton and Bethany Joy Lenz are set to guest star.[4][7] In February 2022, Victoria Rowell joined the cast in a recurring role.[5] Principal photography for the series began on October 18, 2021 and concluded on March 24, 2022, in Oakville, Ontario.[30] The review aggregator website Rotten Tomatoes reported a 63% approval rating with an average rating of 7.5/10, based on 8 critic reviews.[31] Metacritic, which uses a weighted average, assigned a score of 56 out of 100 based on 5 critics, indicating \"mixed or average reviews\".[32]"], "noise_rate": 1.0, "factlabel": 0} +{"id": 2, "query": "Who won the 2022 Citrus Bowl?", "ans": ["Kentucky"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["Western Kentucky: WKU may have had the most impressive performance of bowl season. The Hilltoppers trounced South Alabama 44-23 in the New Orleans Bowl in a game that was not as close as the final score may indicate. South Alabama was looking for its first-ever bowl win, but WKU jumped out to a 31-3 halftime lead and never looked back, putting up a total of 677 yards by the time the final seconds ticked off. Austin Reed threw for 497 yards and four touchdowns in the win. Air Force: Air Force looked right at home on an incredibly cold night in Fort Worth. The Falcons ran all over Baylor in a 30-15 victory in the Armed Forces Bowl. Air Force rushed for 276 yards and limited Baylor to just 42 rushing yards. With the win, Air Force got to double-digit victories for the third time in four seasons. AFA went 11-2 in 2019 and 10-3 in the past two seasons. In the shortened 2020 season, the Falcons finished 3-3. As a program, Air Force has won four consecutive bowl games. New Mexico State: Year 1 of the Jerry Kill era at New Mexico State ended with a bowl victory. NMSU knocked off Bowling Green 24-19 in the Quick Lane Bowl on Monday to capture the program’s second bowl victory since 1960.", "The seventh-oldest collegiate bowl game in the country, the Cheez-It Citrus Bowl began as the Tangerine Bowl in 1947. The initial game sponsors, members of Elks Lodge #1079 of Orlando, each put up $100 to fund initial expenses. Since 1993 the bowl has hosted top teams from the Big Ten and Southeastern conferences. In the new “College Football Playoff” era of college football’s postseason, the Cheez-It Citrus Bowl will continue to host the top Big Ten and SEC teams from outside the CFP series of bowls (including Rose, Sugar, Fiesta, Orange, Cotton and Peach). The game moved to a New Year’s Day date in 1987 and has remained a New Year’s Day tradition except in years when the holiday falls on a Sunday. Learn More Get everything you need to know for game day, including parking/shuttle information, stadium policies, maps, schedules and more. LEARN MORE Planning your trip to Orlando? Find out where to stay, what to do and more with our guide. Keep up to date with all of the news from the Cheez-It Citrus Bowl including event information, presale opportunities and more. Florida Citrus Sports is a not-for-profit membership organization dedicated to increasing community spirit and pride, promoting tourism, stimulating economic development and ultimately benefiting charities, educational institutions and the quality of life in Central Florida through its signature events.", "Head coach Kirk Ferentz has kept things close to the vest with his signal-callers, but it's looking like Petras, who started the season as the starter and ended the season as the starter, will get the nod. Star running back Tyler Goodson opted out of the Citrus Bowl for the Hawkeyes as he prepares for the NFL Draft. Freshman receiver Keagan Johnson has also been ruled out for the Citrus Bowl.", "The Aggies opened the season 1-5 before closing out the year by winning six of seven to finish 7-6. NMSU won a combined eight games in its previous four seasons, so Kill has executed an incredible turnaround in his first year on the job. Diego Pavia was the star of the bowl win. Pavia threw for 167 yards and two touchdowns and added 65 rushing yards in the win. He picked up several key third-down conversions with his legs in the second half to help his team secure the win. Southern Miss RB Frank Gore Jr.: Frank Gore Jr. ran wild in Southern Miss’ win over Rice in the LendingTree Bowl. Gore set an all-time bowl record with 329 yards on just 21 carries in the 38-24 win. Gore rushed for two touchdowns and also had an 18-yard touchdown catch. The previous single-game bowl rushing record was 317 yards, but Gore surged past that with a 55-yard touchdown run in the final minutes. Southern Miss won a combined six games in 2020 and 2021, but the bowl win over Rice gave the Golden Eagles seven wins for the 2022 season. And with Gore and a significant chunk of this team’s core expected to return, Southern Miss could be a team on the rise in the Sun Belt next season. Eastern Michigan: With a win over San Jose State in the Potato Bowl, EMU notched its first bowl victory since 1987.", "The game was a punt hater’s dream. And it was a nightmare for Ole Miss QB Jaxson Dart. He threw three interceptions and fumbled once. Texas Tech QB Tyler Shough rushed for two TDs and threw for another as the Red Raiders easily held on to a 19-point halftime lead throughout the second half. The loss also meant that Ole Miss ends the season at 8-5 after starting the season 7-0. Oklahoma: The Sooners entered the Cheez-It Bowl shorthanded and as significant underdogs to Florida State. Losing 35-32 was still a cover for Oklahoma. But the loss also means that Oklahoma finishes the season at 6-7. That’s the first losing season for OU since 1998. The first year of the Brent Venables era was a bit rocky — especially when you consider the success that Caleb Williams and Lincoln Riley had at USC. But there’s no reason to panic in Norman. Yet. SMU: The Mustangs entered the New Mexico Bowl as 4.5-point favorites over a BYU team that started freshman third-string QB Sol-Jay Maiava-Peters for the first time. Yet BYU did just enough on the ground to eke out a 24-23 win after stopping an SMU two-point conversion with eight seconds left."], "noise_rate": 1.0, "factlabel": 0} +{"id": 3, "query": "What position did Jason Semore hold at Valdosta State before returning to Georgia Tech?", "ans": ["defensive coordinator"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["A Biletnikoff Award finalist and one of the most productive pass catchers in Wyoming football history, Jovon Bouknight took his experience and skill set playing the game and turned it into a coaching career. He spent time as a grad assistant with his alma mater before coaching at Utah State, Oregon, and Texas Tech, joining the Marshall coaching staff from the Kentucky Wildcats. A standout linebacker at Idaho State, Telly Lockette established himself as an elite offensive mind in the Miami high school arena early in his coaching career before joining the college ranks with South Florida. He also spent time at Oregon State, FSU, and Miami (FL) before joining the Marshall coaching staff as the running back coach and run game coordinator. His son, Tellek Lockette, is an ascending offensive lineman in the Sun Belt for Louisiana-Monroe. A long-time member of the Marshall coaching staff who is on his third stint with the team, Shannon Morrison serves as the LB coach while also being the assistant head coach. He was previously the LB coach in Huntington from 2006-2006, while coaching safeties from 2007-2008. A former team captain and honorable All-American, he was part of the 1992 FCS title team. Another standout player for the Thundering Herd, Ralph Street was a team captain and won three MAC titles between 1998 and 2001.", "Thomas's celebration of life was held at McCamish Pavilion on December 20. Friends, former teammates, and fans attended the event. On April 27, 2022, Georgia Tech and the PeyBack Foundation, which is run by Thomas's former teammate Peyton Manning announced the Demaryius A. Thomas Scholarship Endowment. The Demaryius A. Thomas Scholarship Endowment endows academic scholarships to attend Georgia Tech for incoming freshmen students from Laurens County, Georgia, Thomas's hometown. In addition to this, Georgia Tech announced that August 8 would be annually recognized as “Demaryius Thomas Day”. On September 26, 2022, following the team's 3rd loss of the season in 4 games, Coach Geoff Collins and Athletics Director Todd Stansbury were relieved of their duties. Former Georgia Tech football alum Brent Key was named as interim coach. Georgia Tech announced its 2022 football schedule on February 1, 2022.[1] The 2022 schedule consisted of five home games, six away games and a neutral-site game in the regular season. The Yellow Jackets hosted ACC foes Duke, Virginia, and Miami and traveled to Pitt, Florida State, Virginia Tech and North Carolina. They played Clemson in a neutral-site game at the Mercedes-Benz Stadium in Atlanta, Georgia.[2] The Yellow Jackets hosted two of their non-conference opponents, Western Carolina from the Division I FCS and Ole Miss from the SEC.", "“My preference has always been defense as a player and a coach,” Semore said. “Defense is more reactive in nature and I liked to play the game emotionally and there was always less thinking for me. On the other hand, offense is more execution and assignment based. Defense has those principals, but it’s based on effort and technique.” He said his father, Russ, who coached him at Ganado High, inspired him to go into coaching. The elder Semore went to Ganado High and returned after college and the military to start a coaching career. And after graduating from Ganado, Jason went on to play college football at Adams State University in Colorado. His coaching stops have included Adams State, the Colorado School of Mines, the University of Tulsa, Oklahoma State University, the University of Montana, Temple University, Valdosta State University and Georgia Tech. He was not drafted into the NFL after college, and said he modeled his style of play on the football field after linebackers Dan Morgan of the Carolina Panthers and Hall of Famer and native New Mexican Brian Urlacher of the Chicago Bears. “My father was my inspiration,” Jason said. “He taught me the value of team and about being a part of something bigger than myself. He was always a coach, so I got to see first-hand how investing in other people and team dynamics lead to shared joy in life.", "Even with a dad who coached, Semore knows his background – childhood on a reservation, Division II football – didn’t lend itself to the ready-made connections of other aspiring college coaches. But he says his experiences in Ganado, growing up among the Navajo, taught him how to feel at home in other cultures. And that, in turn, has helped him thrive in coaching. “Being able to establish relationships came naturally to me, and it was important to me, and it has allowed me to get to where I’m at today,” Semore said. It’s an experience he wouldn’t trade either. This Saturday, when Georgia Tech faces Pittsburgh (8 p.m. ET, Georgia Tech Sports Network from Legends Sports), the coach’s son from Ganado will continue the next chapter in his career, charting a path few in college football have duplicated.", "Jason Semore is a former Ganado High School football player who now is a linebackers coach at Georgia Tech University in Atlanta. Semore was a multi-sport athlete for the Hornets. (Photo courtesy Jason Semore) GANADO, Ariz. — He’s a household name in sports around sports Ganado, Arizona. These days, though, he’s passing his football knowledge on to linebackers at Georgia Tech University in Atlanta. The school is a major research institution and a member of the Atlantic Coast Conference. There’s still life in the throwing arm. His legs feel good. But that’s not the focus of Jason Semore. “I played football, baseball, track and field and I wrestled at Ganado High School,” said Semore, 40, who was part of the Hornets’ football teams that won a string of championships in the late 1990s and early 2000s. “My first sport was baseball, but I was always around football because my dad was always a coach.” Semore was born in Portland, Oregon, but grew up on the Navajo Nation in Ganado. His grandparents lived in Ganado in the 1970s and he lived on the reservation for some 17 years. He played linebacker and running back in football, catcher and third base in baseball and ran sprints in track. In football, Semore preferred defense and likes coaching defense."], "noise_rate": 1.0, "factlabel": 0} +{"id": 4, "query": "How many vehicles did Tesla deliver in 2021?", "ans": [["936,172", "936172"]], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents.", "docs": ["Jan 2, 2022 ... The Rise of Electric Vehicles ... Tesla does not break out its deliveries by country. Much of its recent growth has been propelled by sales in ...", "Annual sales of Tesla cars in China boast the following climbing trajectory: At the beginning of 2022, there were 3,724 Tesla Supercharger stations around the world. Tesla’s Superchargers, that is, charging stations, are scattered across cities and towns to enable Tesla’s owners to charge their vehicles in fifteen minutes. As Tesla’s sales increased, the company made an all-out effort to provide people with charging stations. From July 2018 to July 2021, Tesla has added 1,652 new Supercharger stations.  In the last quarter of 2021, Tesla operated 3,059 Supercharger stations in over forty countries. From July 2019 to July 2021, the number of charging stations for Tesla electronic vehicles has grown by 86.07%.  The table below shows the number of Supercharger locations from January 2013 to December 2022:  In October 2021, the majority of Tesla Superchargers were located in the United States of America and China. These two countries together account for 65.53% of all Tesla charging stations and between them have 2005 Superchargers: the USA boasts 1159 Tesla charging facilities, which is 37.88% of all locations, and China has 846 of them, which amounts to 27.65% of all Superchargers. Canada has 125 or 4.08% of all Tesla’s Supercharger locations.", "in January 2016. The remaining quarterly figures prior to Q4 2022 were taken from previous Tesla updates. Vehicles & Road Traffic Automotive manufacturers' estimated market share in the U.S. 2022 Vehicles & Road Traffic Most valuable automotive brands worldwide by brand value 2023 Vehicles & Road Traffic Tesla's vehicle production by quarter YTD Q1 2023 Vehicles & Road Traffic Tesla's revenue 2008-2022 You only have access to basic statistics. Business Solutions including all features. Overview Financials Segments Competitors Special focus on domestic market", "Jan 2, 2023 ... Tesla reports 1.31 million deliveries in 2022, growth of 40% over last ... Musk asked employees to “volunteer” to deliver as many cars to ...", "Jun 7, 2023 ... How many Tesla vehicles were delivered in 2023? ... 1,313.86 1,313.86 422.88 422.88 Q1 Q2 Q3 Q4 2016 2017 2018 2019 2020 2021 2022 2023."], "noise_rate": 1.0, "factlabel": 0} +{"id": 5, "query": "Which company acquired ShowBiz Cinemas?", "ans": ["EVO Entertainment Group"], "label": [0], "prediction": "", "docs": ["Read More The ShowBiz Entertainment Complex opened their doors again, Friday October 2, 2020 with new releases such as “The Call”, “Bill and Ted Face the Music” and others as well as a Halloween favorite of “Hocus Pocus\"... Read More A cinema entertainment center is a general classification that describes any cinema that incorporates additional experiential elements—arcades, bowling, laser tag, virtual reality—into the same complex. While many cinemas already incorporate some of these elements, CECs stand out as large-scale complexes designed to become out-of-home entertainment hubs... Read More In Miami-Dade County, ShowBiz Cinemas is one of the only theaters to have a plan approved and a reopening date set. For Broward, Cinema Paradiso and Savor Cinema have also marked approved reopening dates... Read More ShowBiz Cinemas announced today that it plans to reopen their locations in the states of Texas and Oklahoma on May 18, 2020. The entertainment chain issued the following announcement on their social media channels earlier today... Read More ShowBiz Cinemas announces the addition of the following new members to its corporate office management team... Read More ShowBiz Cinemas, which is based in Dallas and has locations in three states, plans to open its Texas and Oklahoma locations on May 18... Read More Cinionic Elevates ShowBiz with RGB+ Laser Light Upgrade Kit... Read More ShowBiz Cinemas announced today that their new Bowling, Movies and More!", "“As you look ahead into 2022, all the studios are going back to an exclusive window” for theaters, Roberts said. He added that new releases will typically be in theaters for 45 days before streaming. Warner is among the studios committing to a period of theatrical exclusivity before films go to streaming, and Disney will likely do the same, especially for its biggest titles, according to Bloomberg Intelligence. Universal’s new model will bring most films to its Peacock streaming platform 45 days after being released in theaters. RELATED: Virginia engineering firm expands with Houston acquisition Although 2022 is off to a slow start with a surge in the omicron variant and few new releases, the box office could more than double $4.5 billion in sales in 2021, according to Bloomberg Intelligence. It’s still far below sales of $11.3 billion in 2019. “The demand for movies is still very much there as we saw from 'Spider-Man,'” said Geetha Ranganathan, a senior media analyst at Bloomberg Intelligence. “But we do think the model is slowly changing to focus only on the big-budget blockbusters as mid-budget releases find their way to streaming.” Founded in 2014, EVO Entertainment is backed by Austin-based Marbella Interests, which manages investments for the family of former Parsley Energy CEO Bryan Sheffield.", "Share this post Boxoffice Staff  •  Aug 7th Hoyts has launched new branding as a part of their ‘See the Big Picture’ campaign. More than just a refreshed look and tagline, the branding speaks to the heart of the company’s vision. Hoyts’ investment in big screens, surround sound,... Boxoffice Staff  •  Aug 7th CES+ announced a partnership with Corporación Lady Lee for their new venture, Megacinemas, signifying the successful introduction of Lady Lee’s new brand into the Central American cinema scene. CES+ has been integral to the development of Megacinemas, providing end-to-end digital... Boxoffice Staff  •  Aug 4th Will Rogers Motion Picture Pioneers Foundation (WRMPPF) announced Friday that the late MGM and United Artists Releasing Distribution Chief Erik Lomis will be recognized posthumously with the 2023 Pioneer of the Year Award on October 4th at The Beverly Hilton.... Boxoffice Staff  •  Aug 4th Featuring artwork from TEENAGE MUTANT NINJA TURTLES: MUTANT MAYHEM exclusively on sale in participating theatres. Proceeds from gold heart pins help fund life-changing Variety programs for children globally.", "Read More Building on a successful partnership, All Elite Wrestling (AEW) is once again teaming with ShowBiz Cinemas to showcase the upcoming DOUBLE OR NOTHING PPV event live in select theatre... Read More Interview with ShowBiz Cinemas President & CEO Kevin Mitchell Read More The film will be available at Showbiz Cinemas starting this Thursday, May 20, tickets available at www.showbizcinemas.com... Read More Since reopening its doors at its Broadhead Road location in December, ShowBiz Cinemas in Waxahachie is seeing a steady return of patrons who are coming not only for the movies, but for a whole spectrum of new entertainment options... Read More Since its opening in November 2019, the ShowBiz Cinemas Homestead Station has not only seen a steady rise in attendance but has also continued to add to the city’s revitalization efforts despite the global pandemic causing many local businesses to slow down... Read More Summer of 2020 may not have quite as many movie releases as in pre-COVID days, but customers are returning to the ShowBiz Cinemas family entertainment center in Baytown in a big way, according to ShowBiz vice president of marketing and content Jeremy Devine... Read More The Future is Now with Showbiz Cinemas’ new Bowling, Movies & More concept that provides an exciting one stop destination for all family members...", "The “out-of home” entertainment company’s brands include EVO Entertainment, EVO Cinemas and EVO Concerts. RELATED: Will Houston audiences return to movie theaters? The combined enterprise has 16 venues with 148 screens, 108 bowling lanes, nine restaurants and bars, a 3,000-capacity live music venue, and more than 30,000 combined square feet of gaming and attractions across Texas, Florida, Oklahoma and Wyoming. Several additional venues are on track to open in the coming months. Founded by Kevin Mitchell, who is Roberts’ uncle, in 2007, ShowBiz Cinemas operates seven locations with 89 screens and 70 bowling lanes in four states. The chain has area locations in Kingwood, Humble, northeast Houston and Baytown. The company will continue to operate under the ShowBiz name. Katherine Feser is a business reporter for the Houston Chronicle covering real estate and special sections. She can be reached at katherine.feser@houstonchronicle.com. Compass Real Estate is marketing the private sanctuary and long--time residence of the late legendary surgeon Michael DeBakey located in the Museum District/Rice Village area of Houston. By Marissa Luck"], "noise_rate": 1.0, "factlabel": 0} +{"id": 6, "query": "Where is the Super Bowl held in 2022?", "ans": ["SoFi Stadium"], "label": [0], "prediction": "The Super Bowl in 2022, which would be Super Bowl LVII, is set to take place at State Farm Stadium in Glendale, Ariz.", "docs": ["Two teams have played the Super Bowl in their home market but at a different venue than their home stadium: the Los Angeles Rams, who lost Super Bowl XIV in the Rose Bowl instead of Los Angeles Memorial Coliseum; and the 49ers, who won Super Bowl XIX in Stanford Stadium instead of Candlestick Park, during a time when the league often picked a stadium that was not home to an NFL team to host the Super Bowl (see above). Traditionally, the NFL does not award Super Bowls to stadiums that are located in climates with an expected average daily temperature less than 50 °F (10 °C) on game day unless the field can be completely covered by a fixed or retractable roof.[51] Six Super Bowls have been played in northern cities: two in the Detroit area—Super Bowl XVI at Pontiac Silverdome in Pontiac, Michigan, and Super Bowl XL at Ford Field in Detroit; two in Minneapolis—Super Bowl XXVI at the Hubert H. Humphrey Metrodome and Super Bowl LII at the U.S. Bank Stadium; one in Indianapolis at Lucas Oil Stadium for Super Bowl XLVI; and one in the New York area—Super Bowl XLVIII at MetLife Stadium.", "The 49ers reportedly requested to wear an all-white third jersey ensemble for Super Bowl LIV, which the San Francisco Chronicle noted they could do with special permission from the league; the league never granted such permission, and the 49ers instead opted for their standard uniform of white jerseys with gold pants.[76] Fifteen different regions have hosted Super Bowls. Note: Years listed are the year the game was actually played (or will be played[ˇ]; future games are denoted through italics) rather than what NFL season it is considered to have been. A total of 27 different stadiums, seven of which have been since demolished, either have hosted or are scheduled to host Super Bowls. The years listed in the table below are the years the game was actually played (will be played[ˇ]) rather than the NFL season it concluded. ^ ^: Stadium has since been demolished. ^ ‡: Prior to the incorporation of Miami Gardens in 2003, the stadium was in unincorporated Miami-Dade County. ^ ††: The original Stanford Stadium, which hosted Super Bowl XIX, was demolished and a new stadium constructed on the site in 2006. ^ ˇ: Future Super Bowls, also denoted by italics. Future venues: The Super Bowl has not yet been played in any region that lacked an NFL or AFL franchise at the time the game was played.", "At Super Bowl LV, it was Tom Brady stealing the show yet again, but for the first time in his career, not while wearing a New England Patriots jersey.  Brady and the Tampa Bay Buccaneers defeated the Kansas City Chiefs 31-9 at Raymond James Stadium in Tampa, Fla. Patrick Mahomes and the elite offense of the Chiefs’ were stymied by the Bucs’ defense, recording zero touchdowns in the big game.  Meanwhile, Brady grabbed his seventh Super Bowl ring by throwing for 201 yards and three touchdowns. He connected with Rob Gronkowski six times for 67 yards and two touchdowns.  Super Bowl LVII is set to take place at State Farm Stadium in Glendale, Ariz., home of the Arizona Cardinals. It will be the fourth Super Bowl hosted in the Phoenix metropolitan area, with the last one coming in 2015 for Super Bowl XLIX.  The 2024 and 2025 Super Bowls are also set. Super Bowl LVIII will be hosted by Allegiant Stadium in Las Vegas, where the Raiders play, and Super Bowl LVIX will be at Caesars Superdome in New Orleans, home of the Saints.", "Super Bowl XLIV, slated for February 7, 2010, was withdrawn from New York City's proposed West Side Stadium, because the city, state, and proposed tenants (New York Jets) could not agree on funding. Super Bowl XLIV was then eventually awarded to Sun Life Stadium in Miami Gardens, Florida. Super Bowl XLIX in 2015 was originally given to Arrowhead Stadium in Kansas City, Missouri, but after two sales taxes failed to pass at the ballot box (a renovation proposal had passed successfully, but a second ballot question to add a rolling roof structure to be shared with Kaufmann Stadium critical for the game to be hosted was rejected), and opposition by local business leaders and politicians increased, Kansas City eventually withdrew its request to host the game.[55] Super Bowl XLIX was then eventually awarded to University of Phoenix Stadium in Glendale, Arizona. The location of the Super Bowl is chosen at a meeting of all NFL team owners, usually three to five years before the event. The game has never been played in a metropolitan area that lacked an NFL franchise at the time the game was played, although in 2007 NFL commissioner Roger Goodell suggested that a Super Bowl might be played in London, perhaps at Wembley Stadium.[56]", "Besides the Rose Bowl, the only other Super Bowl venues that were not the home stadium to NFL teams at the time were Rice Stadium (the Houston Oilers had played in Rice Stadium previously but moved to the Astrodome several years before Super Bowl VIII) and Stanford Stadium. Starting with the selection of the Super Bowl XXVIII venue on May 23, 1990, the league has given preference in awarding the Super Bowl to brand new or recently renovated NFL stadiums, alongside a trend of teams demanding public money or relocating to play in new stadiums. To date only two teams have qualified for a Super Bowl at their home stadiums: the 2020 Tampa Bay Buccaneers, who won Super Bowl LV hosted at Raymond James Stadium (selected on May 23, 2017), and the 2021 Los Angeles Rams the following season, who won Super Bowl LVI at SoFi Stadium. Before that, the closest any team had come to accomplishing this feat were the 2017 Minnesota Vikings, who reached the NFC Championship Game but lost to the Eagles. In that instance, U.S. Bank Stadium became the first Super Bowl host stadium (selected on May 20, 2014) to also host a Divisional Playoff Game in the same season (which the Vikings won); all previous times that the Super Bowl host stadium hosted another playoff game in the same postseason were all Wild Card games."], "noise_rate": 1.0, "factlabel": 0} +{"id": 7, "query": "When will Truth Social launch on iOS?", "ans": [["February 21", "Feb 21", "Feb. 21", "21 February", "21 Feb", "21 Feb."]], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents. \n\nThe provided document does not contain information about when Truth Social will launch on iOS, as the platform is already available on iOS. The document mentions the app's performance and rankings on the Apple App Store, indicating that the iOS version was already launched prior to the dates mentioned in the document.", "docs": ["However, the social network delivered early when it comes to the web app at least. No word yet on when Truth Social will submit an Android app so Trump can stop complaining about Google.  More in", "In early March 2022, multiple sources reported that Truth Social usage remained low, with Trump himself not having posted to his account since his first message two weeks earlier and his account having only 140,000 followers—less than 0.2% of the 90 million followers he had on Twitter before his account was banned.[81][108] The Daily Dot reported the Truth Social iOS app had fallen from the number one slot for downloads on the Apple App Store to number 84.[110] The Daily Beast reported Trump was dissatisfied with the social network's progress.[109][68] At the end of March 2022, TheWrap reported that weekly installations of the Truth Social app had fallen from 872,000 in its launch week to around 60,000 per week, a reduction of over 90%. Visits to truthsocial.com had also fallen, from 6 million per week to 1.9 million. According to Sensor Tower, Truth Social had been downloaded 1.2 million times by late March.[111] In early April 2022, Bloomberg News reported that shares in Truth Social's publicly traded holding company Digital World Acquisition Corp. (DWAC) had fallen 31% from the time of the app's launch in late February[112] and 64% from its all-time high.[113] In early April 2022, Business Insider described Truth Social as \"like a conservative ghost town that had been overrun by bots\".", "Reports say that Trump has been privately complaining that Google was trying to \"fuck\" him. According to Rolling Stones' source, however, the truth is that Truth Social hasn't even submitted an Android app to the Google Play store yet. Still, though, the launch of a web app is significant. Truth Social profiles and posts will now be completely shareable on other platforms. Using the iPhone app, if you want to share a Truth Social post on another platform, you have to take a screenshot. Now, Truth Social users will be able to post links directly to any account or post. In turn, non-Truth Social users will have direct access to sign up and engage with content on the site. (Note: Internal Truth Social links currently require users to login to their account in order to see the content.) In short: It's going to be a lot easier for Trump's fanbase to share his content on other platforms. Launched in February, Truth Social struggled during the first few months. Downloads plummeted after the initial rush to download due to a long waitlist of users wanting to sign up. However, in recent weeks, Trump finally started posting on his own platform, which has helped give the conservative social network another bounce.  Truth Social announced a public beta of the web app just last week. According to a press release from Wednesday, the initial web app rollout was scheduled for some time over the next week or two.", "[114] A U.S.-based reporter for the BBC attempted to sign up in early April and was placed on a waitlist with about 1.4 million requests ahead of him.[115] On April 4, it was reported that Josh Adams and Billy Boozer, the platform's chief of technology and chief of product development respectively, had left the company.[52][17] A report in The Washington Post stated Truth Social was \"falling apart\", with problems mounting on multiple fronts.[116] A Guardian article compared Truth Social with Trump Steaks and Trump Vodka.[17] As of late April 2022, MarketWatch reported Truth Social had around 513,000 active daily users, compared to Twitter's reported active daily userbase of 217 million.[117] Usership figures were not available, but Trump was reported on August 19, 2022, to have 3.9 million Truth Social followers. He had had 89 million on Twitter and 34 million on Facebook before being banned from both platforms.[118] As of early June 2022, SimilarWeb reported Truth Social's iOS app as ranking #49 in the social networking category of apps on the Apple App Store.[119] As of October 2022, the iOS app had sunk to #75 in the social networking category.[120]", "During May 2023, SimilarWeb's ranking of the Truth Social iOS app has fluctuated wildly, ranging from #18 to #153 in the Apple App Store social networking category during that period.[121] Following Elon Musk's proposed acquisition of Twitter, many commentators observed that a Musk-run Twitter would be likely to reduce demand for Truth Social's services.[122][123] Musk said that as of late April 2022, Truth Social iOS app downloads exceeded those of Twitter and TikTok on the same platform.[124] He said Truth Social only existed because of Twitter's restrictions on free speech. Describing Truth Social as a \"terrible name\", Musk joked that it should be renamed \"Trumpet\".[125][126] Following Musk's comments on Twitter, the Truth Social app rose in popularity, returning to the number 1 position for free iOS apps on Apple's App Store on April 30, with the Twitter app at number 2; DWAC shares also rose in value.[127][128] DWAC's share price fell after Musk's announcement of his intention to buy Twitter.[129] Truth Social CEO Devin Nunes later stated that Musk had been encouraged by Trump to buy Twitter;[130] Musk denied this, saying \"This is false. I've had no communication, directly or indirectly, with Trump, who has publicly stated that he will be exclusively on Truth Social."], "noise_rate": 1.0, "factlabel": 0} +{"id": 8, "query": "What won best drama at 79th Golden Globes?", "ans": ["The Power of the Dog"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents. The document provided contains information about the 80th Golden Globe Awards, including the winner for best drama film, which was \"The Fabelmans\". However, it does not provide the winner for the 79th Golden Globe Awards.", "docs": ["Isabella Gomez Sarmiento The 80th Golden Globe Awards aired Tuesday night on NBC. Below is the full list of nominees, with winners marked in bold. Here's some background on the Globes' attempted comeback after years of scandal, and here are our takeaways from the 2023 ceremony.", "Keeravani, Rahul Sipligunj (RRR) – WINNER Donald Glover, AtlantaBill Hader, BarrySteve Martin, Only Murders in the BuildingMartin Short, Only Murders in the BuildingJeremy Allen White, The Bear – WINNER Quinta Brunson, Abbott Elementary – WINNERKaley Cuoco, The Flight AttendantSelena Gomez, Only Murders in the BuildingJenna Ortega, WednesdayJean Smart, Hacks Diego Calva, BabylonDaniel Craig, Glass Onion: A Knives Out MysteryAdam Driver, White NoiseColin Farrell, The Banshees of Inisherin – WINNERRalph Fiennes, The Menu Margot Robbie, BabylonAnya Taylor-Joy, The MenuEmma Thompson, Good Luck to You, Leo GrandeLesley Manville, Mrs.", "Dec 13, 2021 ... The 79th annual Golden Globe Awards will be held on Sunday, Jan. 9, 2022. Chris Pizzello / AP. The nominees for best picture, drama, ...", "Best motion picture - drama WINNER: The FabelmansAvatar: The Way of WaterElvisTár Top Gun: Maverick Best motion picture - musical or comedy WINNER: The Banshees of InisherinBabylonEverything Everywhere All at OnceGlass Onion: A Knives Out MysteryTriangle of Sadness Best television series - drama WINNER: House of the Dragon (HBO Max)Better Call Saul (AMC+/AMC)The Crown (Netflix)Ozark (Netflix)Severance (Apple TV+) Best television series - musical or comedy WINNER: Abbott Elementary (ABC)The Bear (FX)Hacks (HBO Max)Only Murders in the Building (Hulu)Wednesday (Netflix) Best motion picture - animated WINNER: Guillermo del Toro's PinocchioInu-OhMarcel the Shell with Shoes OnPuss in Boots: The Last WishTurning Red Best motion picture - Non-English language (formerly foreign language) WINNER: Argentina, 1985All Quiet on the Western FrontCloseDecision to LeaveRRR Best television limited series, anthology series or motion picture made for television WINNER: The White Lotus (HBO Max)Black Bird (Apple TV+)Dahmer - Monster: The Jeffrey Dahmer Story (Netflix)The Dropout (Hulu)Pam & Tommy (Hulu) Best performance by an actor in a television series - drama WINNER: Kevin Costner, YellowstoneJeff Bridges", "On Tuesday night, the Golden Globes were held for the 80th time in history, though this year's ceremony was notable for a bigger reason. The awards show that is supposed to honor excellence in film and TV has been trying to recover from a racial exclusion scandal after a 2021 Los Angeles Times story revealed that none of the 87 Hollywood Foreign Press members was Black. Tom Cruise subsequently gave back his Globes, NBC opted not to air the ceremony last year, and reform in the form of inclusivity began to take shape. After Jerrod Carmichael explained to the audience at the Beverly Hilton how he wound up as the host (spoiler: \"I'm here because I'm Black,\" he quipped before launching into a detailed and honest account of his decision-making process), the trophy distribution began. The Banshees of Inisherin, which led all movies with eight nominations, struck up a meaningful friendship with Globes voters over the evening: The Irish-island-set tragicomedy took home the best comedy film trophy, while Colin Farrell triumphed in the acting category and writer-director Martin McDonagh won for best screenplay. The Fablemans also came into frame by winning best drama film honors and best director (Steven Spielberg). Meanwhile, Everything Everywhere All at Once prevailed in two dimensions, as Michelle Yeoh and Ke Huy Quan netted acting trophies."], "noise_rate": 1.0, "factlabel": 0} +{"id": 9, "query": "How much are GA Tech softball 2022 season tickets?", "ans": ["$100 per seat"], "label": [-1], "prediction": "I can not answer the question because of the insufficient information in documents. The provided documents do not contain specific pricing information for the Georgia Tech softball 2022 season tickets.", "docs": ["Georgia Tech opens the 2023 season hosting the annual Buzz Classic, beginning its action with a doubleheader against UConn on Feb. 10 at 4:30 p.m. at Mewborn Field. Fans wishing to view Tech’s schedule in its entirety may click HERE. 2023 Home Schedule and Season Highlights Alexander-Tharpe Fund The Alexander-Tharpe Fund is the fundraising arm of Georgia Tech athletics, providing scholarship, operations and facilities support for Georgia Tech’s 400-plus student-athletes. Be a part of developing Georgia Tech’s Everyday Champions and helping the Yellow Jackets compete for championships at the highest levels of college athletics by supporting the Annual Athletic Scholarship Fund, which directly provides scholarships for Georgia Tech student-athletes. To learn more about supporting the Yellow Jackets, visit atfund.org. For the latest information on the Georgia Tech Yellow Jackets, follow us on Instagram (@GaTechSoftball), Twitter (@GaTechSoftball), Facebook (Georgia Tech Softball) or visit us at www.ramblinwreck.com.", "CHARLOTTESVILLE, Va. – Coming off the winningest campaign in more than a decade, Virginia softball announced its 2023 schedule on Tuesday and season tickets are now on sale for the upcoming season. It is a slate that features 27 home games and includes a pair of home tournaments and four home series in ACC play. SEASON TICKET INFORMATION New season tickets for the 2023 season are on sale beginning Tuesday, Oct. 18. General admission seats are $50 each. Reserved seats are subject to availability based upon renewal of existing season ticket members. Season tickets may be purchased online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. UVA full-time faculty and staff are eligible to receive a discount of 20 percent on up to four season tickets by calling the ticket office. Current softball season ticket members may renew their 2022 seats beginning Tuesday Oct. 18, online at UVATix.com or by calling the Virginia Athletic Ticket Office at (434) 924-8821. The deadline to renew is Wednesday, Nov. 30. Season ticket members interested in adding or upgrading their seats may do so during the renewal period by calling the ticket office. THE 2023 SCHEDULE Virginia opens the season on the road in a tournament at the University of Houston (Feb. 9-12) with games against Lamar, Houston and Nebraska.", "No visiting team colors may be worn in this area. All non-courtside students will be seated in the general admission seating area in Section 113. *The GTAA reserves the right to distribute student tickets via a ticket lottery if demand is high for a certain game. Such changes will be communicated to the student body in a timely manner. For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff. Georgia Tech student seating is available as general admission. Students will need to visit the box office near Gate 3 (first-base side) and display their BuzzCard in order to receive a ticket to the game. Postseason home games - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission. Postseason home matches - Contact the Georgia Tech ticket office at 1-888-TECH-TIX for pricing information. Regular season home games - Show your valid Buzzcard at entrance for FREE admission.", "Skip to content Dear GT Softball Family, Let me first say \"thank you\" to everyone who supported Georgia Tech Softball during the 2022 season. The young women on our team and all of our staff certainly felt the support you provided us last year. We concluded our historic season with our highest win total and best win percentage since 2011 and we're looking forward to having another great season!  Donations to the Mew Crew directly benefit Georgia Tech Softball, and we have set a goal of $100,000 targeted to specific needs for our program: I'm excited for the 2023 season and a chance for us to build on our momentum from last season. Your support for the GT Softball community has been paramount in our program's success, laying a foundation to rely on no matter the challenges we face. I look forward to surpassing each of our goals on and off the field this year.. Reaching our goal will ensure our ability to deliver a championship-caliber experience to all of our student-athletes. Your support will earn benefits unique to GT Softball and provide the resources necessary to develop young women who compete up the height of their potential during their time at Tech. Thank you for your consideration and Go Jackets! Aileen Morales Head Coach, GT Softball *Gifts from July 1, 2022 - June 30, 2023 Alexander-Tharpe Fund Georgia Tech Athletic Association", "Georgia Tech students must meet one of the following criteria to be eligible to claim/purchase a student ticket for games at Bobby Dodd Stadium: The list of eligible students is provided to the GTAA by GT Registrar. Students who are deemed eligible may purchase student season tickets, however, if the Athletic Fee is not paid, season tickets will be removed from their account. Eligible students have two options for student tickets at Bobby Dodd Stadium: *Yellow Jacket Club Gold Members have two season-ticket options: 1) Register as part of a student organization, including Greek chapters; and 2) register and sit in the ‘SWARM’ block – the sections on each side of the Georgia Tech Marching Band. Seats are available first-come, first-served. 2022-2023 PricingRegular Student Membership – $15Gold Student Membership – $65 PURCHASE YELLOW JACKET CLUB MEMBERSHIP CLAIM FREE SINGLE-GAME TICKET For 2021-22 regular season home games Georgia Tech students only need to show their valid BuzzCard at the West Entrance of McCamish Pavilion for entry. Seats are available on a first-come, first-served basis with gates opening 1 hour prior to tipoff – no sign-up/registration needed unless otherwise mentioned for the game.* 200 courtside seats are reserved for Georgia Tech students and will be available on a first-come, first-served basis and will be given a wristband in order to gain access to the courtside seating."], "noise_rate": 1.0, "factlabel": 0} diff --git a/results/Noise Robustness/scores_llama3-8b-8192_noise_0.2_passage_5_num_queries_10.json b/results/Noise Robustness/scores_llama3-8b-8192_noise_0.2_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..898389abec45846a5576deba4e07ae083587f73c --- /dev/null +++ b/results/Noise Robustness/scores_llama3-8b-8192_noise_0.2_passage_5_num_queries_10.json @@ -0,0 +1,9 @@ +{ + "model": "llama3-8b-8192", + "accuracy": 1.0, + "noise_rate": 0.2, + "correct_count": 10, + "total": 10, + "all_rate": 1.0, + "tt": 10 +} \ No newline at end of file diff --git a/results/Noise Robustness/scores_llama3-8b-8192_noise_0.2_passage_5_num_queries_100.json b/results/Noise Robustness/scores_llama3-8b-8192_noise_0.2_passage_5_num_queries_100.json new file mode 100644 index 0000000000000000000000000000000000000000..8e35d40a88bed113d2c2ba95e99efa53c9c1c9d6 --- /dev/null +++ b/results/Noise Robustness/scores_llama3-8b-8192_noise_0.2_passage_5_num_queries_100.json @@ -0,0 +1,9 @@ +{ + "model": "llama3-8b-8192", + "accuracy": 0.97, + "noise_rate": 0.2, + "correct_count": 97, + "total": 100, + "all_rate": 0.97, + "tt": 97 +} \ No newline at end of file diff --git a/results/Noise Robustness/scores_llama3-8b-8192_noise_0.4_passage_5_num_queries_100.json b/results/Noise Robustness/scores_llama3-8b-8192_noise_0.4_passage_5_num_queries_100.json new file mode 100644 index 0000000000000000000000000000000000000000..100e173ae4e27bf13f5567514fcc166791cbfc87 --- /dev/null +++ b/results/Noise Robustness/scores_llama3-8b-8192_noise_0.4_passage_5_num_queries_100.json @@ -0,0 +1,9 @@ +{ + "model": "llama3-8b-8192", + "accuracy": 0.86, + "noise_rate": 0.4, + "correct_count": 86, + "total": 100, + "all_rate": 0.86, + "tt": 86 +} \ No newline at end of file diff --git a/results/Noise Robustness/scores_llama3-8b-8192_noise_0.6_passage_5_num_queries_10.json b/results/Noise Robustness/scores_llama3-8b-8192_noise_0.6_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..5d947edf9b0989c4aa76994b7a1658f0f67b39e2 --- /dev/null +++ b/results/Noise Robustness/scores_llama3-8b-8192_noise_0.6_passage_5_num_queries_10.json @@ -0,0 +1,9 @@ +{ + "model": "llama3-8b-8192", + "accuracy": 0.8, + "noise_rate": 0.6, + "correct_count": 8, + "total": 10, + "all_rate": 0.8, + "tt": 8 +} \ No newline at end of file diff --git a/results/Noise Robustness/scores_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json b/results/Noise Robustness/scores_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..c8485ff978b7892d26a99f212bce08b16667d622 --- /dev/null +++ b/results/Noise Robustness/scores_llama3-8b-8192_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,9 @@ +{ + "model": "llama3-8b-8192", + "accuracy": 0.1, + "noise_rate": 1.0, + "correct_count": 1, + "total": 10, + "all_rate": 0.2, + "tt": 2 +} \ No newline at end of file diff --git a/results/Noise Robustness/scores_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json b/results/Noise Robustness/scores_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..7211c610c5d0538a84f396f296691e4c1001f2c0 --- /dev/null +++ b/results/Noise Robustness/scores_mixtral-8x7b-32768_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,9 @@ +{ + "model": "mixtral-8x7b-32768", + "accuracy": 0.0, + "noise_rate": 1.0, + "correct_count": 0, + "total": 10, + "all_rate": 0.6, + "tt": 6 +} \ No newline at end of file diff --git a/results/Noise Robustness/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json b/results/Noise Robustness/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..6215933d7e75c617e7cb083b92a7b6d5b584084f --- /dev/null +++ b/results/Noise Robustness/scores_qwen-2.5-32b_noise_0.4_passage_5_num_queries_10.json @@ -0,0 +1,9 @@ +{ + "model": "qwen-2.5-32b", + "accuracy": 1.0, + "noise_rate": 0.4, + "correct_count": 10, + "total": 10, + "all_rate": 1.0, + "tt": 10 +} \ No newline at end of file diff --git a/results/Noise Robustness/scores_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json b/results/Noise Robustness/scores_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json new file mode 100644 index 0000000000000000000000000000000000000000..0269651cf1d94f8f00d2960a045550406db5d880 --- /dev/null +++ b/results/Noise Robustness/scores_qwen-2.5-32b_noise_1.0_passage_5_num_queries_10.json @@ -0,0 +1,9 @@ +{ + "model": "qwen-2.5-32b", + "accuracy": 0.0, + "noise_rate": 1.0, + "correct_count": 0, + "total": 10, + "all_rate": 0.8, + "tt": 8 +} \ No newline at end of file diff --git a/scripts/__pycache__/download_files.cpython-312.pyc b/scripts/__pycache__/download_files.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..26f53dcd2f6fad89a676f7d902c33334523f5ff0 Binary files /dev/null and b/scripts/__pycache__/download_files.cpython-312.pyc differ diff --git a/scripts/__pycache__/evaluate_factual_robustness.cpython-312.pyc b/scripts/__pycache__/evaluate_factual_robustness.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..c9f96f2e7a736c34c924ea53520251fa1acbf3f3 Binary files /dev/null and b/scripts/__pycache__/evaluate_factual_robustness.cpython-312.pyc differ diff --git a/scripts/__pycache__/evaluate_information_integration.cpython-312.pyc b/scripts/__pycache__/evaluate_information_integration.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..eed42b39c04a3c4efe98a441b8d43e4b142436dc Binary files /dev/null and b/scripts/__pycache__/evaluate_information_integration.cpython-312.pyc differ diff --git a/scripts/__pycache__/evaluate_negative_rejection.cpython-312.pyc b/scripts/__pycache__/evaluate_negative_rejection.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..03b1c6ba6a8ebc55600ea3f57698fb40c4905d4a Binary files /dev/null and b/scripts/__pycache__/evaluate_negative_rejection.cpython-312.pyc differ diff --git a/scripts/__pycache__/evaluate_noise_robustness.cpython-312.pyc b/scripts/__pycache__/evaluate_noise_robustness.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..3d7ff0d69cdeae66a525eed8de0809ef22fff713 Binary files /dev/null and b/scripts/__pycache__/evaluate_noise_robustness.cpython-312.pyc differ diff --git a/scripts/__pycache__/get_factual_evaluation.cpython-312.pyc b/scripts/__pycache__/get_factual_evaluation.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..81bc81714d89e7d0c771383c4934c625110d1820 Binary files /dev/null and b/scripts/__pycache__/get_factual_evaluation.cpython-312.pyc differ diff --git a/scripts/__pycache__/get_prediction_result.cpython-312.pyc b/scripts/__pycache__/get_prediction_result.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..64b91cf6317bbf519b865b46a39e7da5746786c5 Binary files /dev/null and b/scripts/__pycache__/get_prediction_result.cpython-312.pyc differ diff --git a/scripts/__pycache__/get_scores.cpython-312.pyc b/scripts/__pycache__/get_scores.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..14ebb79bc713e9c77b0e7a04274dfd16293b23e7 Binary files /dev/null and b/scripts/__pycache__/get_scores.cpython-312.pyc differ diff --git a/scripts/__pycache__/groq_client.cpython-312.pyc b/scripts/__pycache__/groq_client.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..eff4b82d62ef639524d739124de0d0cfd15e6c0b Binary files /dev/null and b/scripts/__pycache__/groq_client.cpython-312.pyc differ diff --git a/scripts/__pycache__/helper.cpython-312.pyc b/scripts/__pycache__/helper.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..7c108a8474d92d270f6936b7a3772ad1e1954321 Binary files /dev/null and b/scripts/__pycache__/helper.cpython-312.pyc differ diff --git a/scripts/__pycache__/prediction.cpython-312.pyc b/scripts/__pycache__/prediction.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..fb007f679d5979bba8d56e6d51bee8521fe2e3ec Binary files /dev/null and b/scripts/__pycache__/prediction.cpython-312.pyc differ diff --git a/scripts/__pycache__/process_data.cpython-312.pyc b/scripts/__pycache__/process_data.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..333d945ec8cccf9159531f801655dae44848ae0d Binary files /dev/null and b/scripts/__pycache__/process_data.cpython-312.pyc differ diff --git a/scripts/__pycache__/prompt.cpython-312.pyc b/scripts/__pycache__/prompt.cpython-312.pyc new file mode 100644 index 0000000000000000000000000000000000000000..fefffa6d7a18f2f96977372429775f5a167c38fa Binary files /dev/null and b/scripts/__pycache__/prompt.cpython-312.pyc differ diff --git a/scripts/evaluate_factual_robustness.py b/scripts/evaluate_factual_robustness.py index 3d8fa0402e8e858dfc0fa6a94c5d7c30589f70b7..74b278e4b623187df0b4a3c3aed74cdbb3bc2c87 100644 --- a/scripts/evaluate_factual_robustness.py +++ b/scripts/evaluate_factual_robustness.py @@ -1,43 +1,30 @@ import json import tqdm -from pathlib import Path import logging from scripts.get_factual_evaluation import get_factual_evaluation from scripts.groq_client import GroqClient -from scripts.helper import adaptive_delay, ensure_directory_exists +from scripts.helper import adaptive_delay, ensure_directory_exists, load_used_data from scripts.prompt import get_factual_prompt def evaluate_factual_robustness(config): """Evaluates negative rejection for a given model by processing predictions and computing scores.""" config['noise_rate'] = 0.4 # Time being to do clarification - modelname = config['model_name'] - noise_rate = config['noise_rate'] - passage_num = config['passage_num'] + model_name = config['model_name'] - if config['model_name'] in config['models']: + if model_name in config['models']: model = GroqClient(plm=config['model_name']) else: - logging.warning(f"Skipping unknown model: {config['model_name']}") + logging.warning(f"Skipping unknown model: {model_name}") return # File paths base_path = "results/Counterfactual Robustness" - evalue_file = get_factual_evaluation(config) #f"{base_path}/prediction_{modelname}_noise_{noise_rate}_passage_{passage_num}.json" + evalue_file = get_factual_evaluation(config) print(f"Factual pred file {evalue_file}") - output_file = f"{base_path}/output_{modelname}_noise_{noise_rate}_passage_{passage_num}.json" - result_file = f"{base_path}/scores_{modelname}_noise_{noise_rate}_passage_{passage_num}.json" + output_file = f"{base_path}/output_{config['output_file_extension']}.json" + result_file = f"{base_path}/scores_{config['output_file_extension']}.json" ensure_directory_exists(output_file) - def load_used_data(filepath): - """Loads existing processed data to avoid redundant evaluations.""" - used_data = {} - '''if Path(filepath).exists(): - with open(filepath, encoding='utf-8') as f: - for line in f: - data = json.loads(line) - used_data[data['id']] = data''' - return used_data - def process_query(model, data, used_data, output_file): """Processes a single query, generates evaluation, and writes the result.""" if data['id'] in used_data and data['query'] == used_data[data['id']]['query'] and data['ans'] == used_data[data['id']]['ans']: @@ -88,8 +75,13 @@ def evaluate_factual_robustness(config): } return scores - used_data = load_used_data(output_file) + used_data = [] results = [] + if config['UsePreCalculatedValue']: + logging.info(f"Trying to use pre calculated values for Counterfactual report generation") + used_data = load_used_data(output_file) + else: + logging.info(f"Recalculating the metrics...") with open(output_file, 'w', encoding='utf-8') as f_out, open(evalue_file, 'r', encoding='utf-8') as f_eval: for line in tqdm.tqdm(f_eval): @@ -99,9 +91,8 @@ def evaluate_factual_robustness(config): results.append(processed_data) # Compute scores and save - #print(results) scores = calculate_scores(results, config) - print(f"Score: {scores}") + logging.info(f"Counterfactual Robustness Score: {scores}") with open(result_file, 'w', encoding='utf-8') as f_result: json.dump(scores, f_result, ensure_ascii=False, indent=4) diff --git a/scripts/evaluate_information_integration.py b/scripts/evaluate_information_integration.py index 419d0b0bfea8fc0f47cb529638b42d6bb66f0804..1b7dabd325f4200f26bc42efee02826a380da550 100644 --- a/scripts/evaluate_information_integration.py +++ b/scripts/evaluate_information_integration.py @@ -12,24 +12,13 @@ logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %( def evaluate_information_integration(config): result_path = config['result_path'] + 'Information Integration/' noise_rate = config['noise_rate'] - passage_num = config['passage_num'] model_name = config['model_name'] # Iterate over each model specified in the config - filename = os.path.join(result_path, f'prediction_{model_name}_noise_{noise_rate}_passage_{passage_num}.json') + filename = os.path.join(result_path, f'prediction_{config['output_file_extension']}.json') ensure_directory_exists(filename) - # Load existing results if file exists - ''' - useddata = {} - if os.path.exists(filename): - logging.info(f"Loading existing results from {filename}") - with open(filename) as f: - for line in f: - data = json.loads(line) - useddata[data['id']] = data''' - - results = get_prediction_result(config, config['integration_file_name']) # Store results for this model + results = get_prediction_result(config, config['integration_file_name'], filename) # Store results for this model # Save results to a file with open(filename, 'w', encoding='utf-8') as f: @@ -54,10 +43,10 @@ def evaluate_information_integration(config): 'all_rate': all_rate, 'tt': tt } - logging.info(f"Score: {scores}") - logging.info(f"Information Integration Accuracy: {accuracy:.2%}") + logging.info(f"Information IntegrationScore: {scores}") + logging.info(f"Accuracy: {accuracy:.2%}") - score_filename = os.path.join(result_path, f'scores_{model_name}_noise_{noise_rate}_passage_{passage_num}.json') + score_filename = os.path.join(result_path, f'scores_{config['output_file_extension']}.json') with open(score_filename, 'w') as f: json.dump(scores, f, ensure_ascii=False, indent=4) diff --git a/scripts/evaluate_negative_rejection.py b/scripts/evaluate_negative_rejection.py index 1f378f6daf6b65840940af83cd975b15783a2ca0..7dea0f95da6e38f4e78485dae8a22c12dab897b1 100644 --- a/scripts/evaluate_negative_rejection.py +++ b/scripts/evaluate_negative_rejection.py @@ -1,19 +1,21 @@ import json import os import tqdm -from pathlib import Path import logging from scripts.evaluate_noise_robustness import evaluate_noise_robustness from scripts.groq_client import GroqClient -from scripts.helper import adaptive_delay, ensure_directory_exists +from scripts.helper import adaptive_delay, load_used_data from scripts.prompt import get_prompt def evaluate_negative_rejection(config): """Evaluates negative rejection for a given model by processing predictions and computing scores.""" + if config.get('noise_rate', 1) != 1: + logging.warning("Noise rate is not 1.0. Exiting evaluation.") + return + config['noise_rate'] = 1.0 # Noise rate should be 1.0 for negative rejection evaluation modelname = config['model_name'] noise_rate = config['noise_rate'] - passage_num = config['passage_num'] if modelname in config['models']: model = GroqClient(plm=modelname) @@ -23,27 +25,15 @@ def evaluate_negative_rejection(config): # File paths base_path = "results" - evalue_file = f"{base_path}/Noise Robustness/prediction_{modelname}_noise_{noise_rate}_passage_{passage_num}.json" - output_file = f"{base_path}/Negative Rejection/output_{modelname}_noise_{noise_rate}_passage_{passage_num}.json" - result_file = f"{base_path}/Negative Rejection/scores_{modelname}_noise_{noise_rate}_passage_{passage_num}.json" + evalue_file = f"{base_path}/Noise Robustness/prediction_{config['output_file_extension']}.json" + output_file = f"{base_path}/Negative Rejection/output_{config['output_file_extension']}.json" + result_file = f"{base_path}/Negative Rejection/scores_{config['output_file_extension']}.json" - #ensure_directory_exists(output_file) - directory = os.path.dirname(evalue_file) - if not os.path.exists(directory): + if not os.path.exists(evalue_file): logging.info(f"Evaluation file does not exist for model{modelname} and noise rate {noise_rate}.") logging.info("Generating evaluation file") evaluate_noise_robustness(config) - def load_used_data(filepath): - """Loads existing processed data to avoid redundant evaluations.""" - used_data = {} - if Path(filepath).exists(): - with open(filepath, encoding='utf-8') as f: - for line in f: - data = json.loads(line) - used_data[data['id']] = data - return used_data - def process_query(model, data, used_data, output_file): """Processes a single query, generates evaluation, and writes the result.""" if data['id'] in used_data and data['query'] == used_data[data['id']]['query'] and data['ans'] == used_data[data['id']]['ans']: @@ -83,8 +73,13 @@ def evaluate_negative_rejection(config): 'nums': total, } - used_data = []#load_used_data(output_file) + used_data = [] results = [] + if config['UsePreCalculatedValue']: + logging.info(f"Trying to use pre calculated values for Negative rejection report generation") + used_data = load_used_data(output_file) + else: + logging.info(f"Recalculating the metrics...") with open(output_file, 'w', encoding='utf-8') as f_out, open(evalue_file, 'r', encoding='utf-8') as f_eval: for line in tqdm.tqdm(f_eval): @@ -95,7 +90,7 @@ def evaluate_negative_rejection(config): # Compute scores and save scores = calculate_scores(results) - print(f"Score: {scores}") + logging.info(f"Negative Rejection Score: {scores}") with open(result_file, 'w', encoding='utf-8') as f_result: json.dump(scores, f_result, ensure_ascii=False, indent=4) diff --git a/scripts/evaluate_noise_robustness.py b/scripts/evaluate_noise_robustness.py index f32e0228cc612ca6b8fc887144c293dce9b26ebe..175bea92e7cfc1c8a2461cec86c362d7ebc5b427 100644 --- a/scripts/evaluate_noise_robustness.py +++ b/scripts/evaluate_noise_robustness.py @@ -12,24 +12,12 @@ logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %( def evaluate_noise_robustness(config): result_path = config['result_path'] + 'Noise Robustness/' noise_rate = config['noise_rate'] - passage_num = config['passage_num'] - model_name = config['model_name'] # Iterate over each model specified in the config - filename = os.path.join(result_path, f'prediction_{model_name}_noise_{noise_rate}_passage_{passage_num}.json') + filename = os.path.join(result_path, f'prediction_{config['output_file_extension']}.json') ensure_directory_exists(filename) - # Load existing results if file exists - ''' - useddata = {} - if os.path.exists(filename): - logging.info(f"Loading existing results from {filename}") - with open(filename) as f: - for line in f: - data = json.loads(line) - useddata[data['id']] = data''' - - results = get_prediction_result(config, config['robustness_file_name']) # Store results for this model + results = get_prediction_result(config, config['robustness_file_name'], filename) # Store results for this model # Save results to a file with open(filename, 'w', encoding='utf-8') as f: @@ -54,10 +42,10 @@ def evaluate_noise_robustness(config): 'all_rate': all_rate, 'tt': tt } - logging.info(f"score: {scores}") - logging.info(f"Noise Robustness Accuracy: {accuracy:.2%}") + logging.info(f"Noise Robustness Score: {scores}") + logging.info(f"Accuracy: {accuracy:.2%}") - score_filename = os.path.join(result_path, f'scores_{model_name}_noise_{noise_rate}_passage_{passage_num}.json') + score_filename = os.path.join(result_path, f'scores_{config['output_file_extension']}.json') with open(score_filename, 'w') as f: json.dump(scores, f, ensure_ascii=False, indent=4) diff --git a/scripts/get_factual_evaluation.py b/scripts/get_factual_evaluation.py index 1224aa165ff39292763698de026edd47e28fc363..81652e5b850a87831fff1bc5aa8e86b9addf9536 100644 --- a/scripts/get_factual_evaluation.py +++ b/scripts/get_factual_evaluation.py @@ -12,24 +12,12 @@ logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %( def get_factual_evaluation(config): result_path = config['result_path'] + 'Counterfactual Robustness/' noise_rate = config['noise_rate'] - passage_num = config['passage_num'] - model_name = config['model_name'] # Iterate over each model specified in the config - filename = os.path.join(result_path, f'prediction_{model_name}_noise_{noise_rate}_passage_{passage_num}.json') + filename = os.path.join(result_path, f'prediction_{config['output_file_extension']}.json') ensure_directory_exists(filename) - # Load existing results if file exists - ''' - useddata = {} - if os.path.exists(filename): - logging.info(f"Loading existing results from {filename}") - with open(filename) as f: - for line in f: - data = json.loads(line) - useddata[data['id']] = data''' - - results = get_prediction_result(config, config['factual_file_name']) # Store results for this model + results = get_prediction_result(config, config['factual_file_name'], filename) # Store results for this model # Save results to a file with open(filename, 'w', encoding='utf-8') as f: @@ -62,7 +50,7 @@ def get_factual_evaluation(config): scores['correct_tt'] = correct_tt #logging.info(f"score: {scores}") - score_filename = os.path.join(result_path, f'scores_{model_name}_noise_{noise_rate}_passage_{passage_num}.json') + score_filename = os.path.join(result_path, f'scores_{config['output_file_extension']}.json') with open(score_filename, 'w') as f: json.dump(scores, f, ensure_ascii=False, indent=4) diff --git a/scripts/get_prediction_result.py b/scripts/get_prediction_result.py index 2dd40d30f9e84c6c843b1ff22417fc253a1e73df..c9c85069c4c26c5fb3118dee11b10eedf63bb54a 100644 --- a/scripts/get_prediction_result.py +++ b/scripts/get_prediction_result.py @@ -1,5 +1,5 @@ import logging -from scripts.helper import adaptive_delay, load_dataset +from scripts.helper import adaptive_delay, load_dataset, load_used_data from scripts.process_data import process_data from scripts.groq_client import GroqClient from scripts.prediction import predict @@ -9,10 +9,13 @@ logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %( # Get prediction from LLM based on different dataset -def get_prediction_result(config, data_file_name): +def get_prediction_result(config, data_file_name, prediction_file_name=''): results = [] + used_data = [] dataset = load_dataset(data_file_name) modelname = config['model_name'] + num_queries = min(config['num_queries'], len(dataset)) + subdataset = dataset[:num_queries] # Create GroqClient instance for supported models if modelname in config['models']: @@ -21,10 +24,19 @@ def get_prediction_result(config, data_file_name): logging.warning(f"Skipping unknown model: {modelname}") return + if config['UsePreCalculatedValue']: + logging.info(f"Trying to use pre calculated values for report generation") + used_data = load_used_data(prediction_file_name) + else: + logging.info(f"Running evaluation for {num_queries} queries...") + # Iterate through dataset and process queries - for idx, instance in enumerate(dataset[:config['num_queries']], start=0): + for idx, instance in enumerate(subdataset, start=0): + if instance['id'] in used_data and instance['query'] == used_data[instance['id']]['query'] and instance['answer'] == used_data[instance['id']]['ans']: + results.append(used_data[instance['id']]) + continue + logging.info(f"Executing Query {idx + 1} for Model: {modelname}") - query, ans, docs = process_data(instance, config['noise_rate'], config['passage_num'], data_file_name) # Retry mechanism for prediction diff --git a/scripts/get_scores.py b/scripts/get_scores.py new file mode 100644 index 0000000000000000000000000000000000000000..57d1ef9aca58561ff3141a61c7526964c5b32b06 --- /dev/null +++ b/scripts/get_scores.py @@ -0,0 +1,134 @@ + +import os +import json +import re +import pandas as pd + +# Path to score files +Noise_Robustness_DIR = "results/Noise Robustness/" +Negative_Rejection_DIR = "results/Negative Rejection/" +Counterfactual_Robustness_DIR = "results/Counterfactual Robustness/" +Infomration_Integration_DIR = "results/Information Integration/" + + +# Function to read and aggregate score data +def load_scores_common(file_dir, config): + + if not os.path.exists(file_dir): + return pd.DataFrame(columns=["Model", "0.2", "0.4", "0.6", "0.8", "1.0"]) + + score_data = {} + + # Define fixed noise rates as columns + fixed_noise_rates = ["0.2", "0.4", "0.6", "0.8", "1.0"] + + # Iterate over each model in config['models'] + for model in config["models"]: + # Regex pattern to match files for the current model + pattern = re.compile( + rf"^scores_{re.escape(model)}_noise_(?P[\d.]+)_" + rf"passage_{re.escape(str(config['passage_num']))}_num_queries_{re.escape(str(config['num_queries']))}\.json$" + ) + + model_scores = {rate: "N/A" for rate in fixed_noise_rates} # Initialize all as "N/A" + + # Search for matching files in directory + for filename in os.listdir(file_dir): + match = pattern.match(filename) + if match: + noise_rate = match.group("noise_rate") # Extract noise rate from filename + + if noise_rate in fixed_noise_rates: # Only consider predefined noise rates + filepath = os.path.join(file_dir, filename) + with open(filepath, "r") as f: + score = json.load(f) + accuracy = score.get("accuracy", "N/A") + model_scores[noise_rate] = f"{accuracy * 100:.2f}" # Convert to percentage + + # Store in score_data + score_data[model] = model_scores + + # Convert to DataFrame + df = pd.DataFrame([ + { + "Model": model, + **score_data[model] + } + for model in config["models"] + ]) + + return df + +# Function to load Negative Rejection scores (Only for Noise Rate = 1.0) +def load_negative_rejection_scores(config): + if not os.path.exists(Negative_Rejection_DIR): + return pd.DataFrame() + + if not os.path.exists(Negative_Rejection_DIR): + return pd.DataFrame(columns=["Model", "Rejection Rate"]) + + score_data = {} + + # Iterate over each model in config['models'] + for model in config["models"]: + # Expected filename pattern for each model + expected_filename = f"scores_{model}_noise_1.0_passage_{config['passage_num']}_num_queries_{config['num_queries']}.json" + filepath = os.path.join(Negative_Rejection_DIR, expected_filename) + + # Check if file exists + if os.path.exists(filepath): + with open(filepath, "r") as f: + score = json.load(f) + reject_rate = score.get("reject_rate", "N/A") + score_data[model] = f"{reject_rate * 100:.2f}%" if reject_rate != "N/A" else "N/A" + else: + score_data[model] = "N/A" + + # Convert to DataFrame + df = pd.DataFrame([ + {"Model": model, "Rejection Rate": score_data[model]} + for model in config["models"] + ]) + + return df + +def load_counterfactual_robustness_scores(config): + if not os.path.exists(Counterfactual_Robustness_DIR): + return pd.DataFrame(columns=["Model", "Accuracy with factual docs (%)", "Error Detection Rate", "Correction Rate (%)"]) + + score_data = {} + + # Iterate over each model in config['models'] + for model in config["models"]: + # Expected filename pattern for each model + expected_filename = f"scores_{model}_noise_{config['noise_rate']}_passage_{config['passage_num']}_num_queries_{config['num_queries']}.json" + filepath = os.path.join(Counterfactual_Robustness_DIR, expected_filename) + + # Check if file exists + if os.path.exists(filepath): + with open(filepath, "r") as f: + score = json.load(f) + score_data[model] = { + "Accuracy with factual docs (%)": int(score.get("all_rate", 0) * 100), # No decimal + "Error Detection Rate": int(score.get("reject_rate", 0) * 10), # Multiply by 10 + "Correction Rate (%)": round(score.get("correct_rate", 0) * 100, 2) # 2 decimal places + } + else: + score_data[model] = { # Populate with "N/A" if file not found + "Accuracy with factual docs (%)": "N/A", + "Error Detection Rate": "N/A", + "Correction Rate (%)": "N/A" + } + + # Convert to DataFrame + df = pd.DataFrame([ + { + "Model": model, + "Accuracy with factual docs (%)": score_data[model]["Accuracy with factual docs (%)"], + "Error Detection Rate": score_data[model]["Error Detection Rate"], + "Correction Rate (%)": f"{score_data[model]['Correction Rate (%)']:.2f}" if score_data[model]["Correction Rate (%)"] != "N/A" else "N/A" + } + for model in config["models"] + ]) + + return df diff --git a/scripts/groq_client.py b/scripts/groq_client.py index e9eeb9a8138d4f6df98da2674c23a74ba00b15de..928c9f5fdd49d0916b2debfb335f8096ec9bdc9d 100644 --- a/scripts/groq_client.py +++ b/scripts/groq_client.py @@ -3,13 +3,14 @@ import os import logging class GroqClient: - def __init__(self, plm="mixtral-8x7b-32768"): + def __init__(self, plm): + os.environ["GROQ_API_KEY"] = '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' # Fetch API Key from environment variables for security api_key = os.getenv("GROQ_API_KEY") # Fetch from environment if not api_key: raise ValueError("GROQ_API_KEY is not set. Please add it in Hugging Face Secrets.") - os.environ["GROQ_API_KEY"] = api_key # Explicitly set it + # Explicitly set it self.api_key = api_key self.model = plm self.api_url = "https://api.groq.com/openai/v1/chat/completions" diff --git a/scripts/helper.py b/scripts/helper.py index d9d14c0a163f65a917c45fbe29c7d80f11895925..e080413262851e9f57a0e2fa2ee8773d87415b22 100644 --- a/scripts/helper.py +++ b/scripts/helper.py @@ -2,6 +2,7 @@ import json import os import time import logging +from pathlib import Path # Create a list to store logs logs = [] @@ -20,6 +21,17 @@ def adaptive_delay(attempt, max_delay=60): logging.info(f"Retrying after {delay} seconds...") time.sleep(delay) +def load_config(config_file="config.json"): + """Load configuration from the config file.""" + try: + with open(config_file, "r", encoding="utf-8") as f: + config = json.load(f) + config['output_file_extension'] = f'{config['model_name']}_noise_{config['noise_rate']}_passage_{config['passage_num']}_num_queries_{config['num_queries']}' + return config + except Exception as e: + logging.info(f"Error loading config: {e}") + return {} + def update_config(config, model_name=None, noise_rate=None, num_queries=None): """ Update the config dictionary with user-provided values. @@ -39,6 +51,9 @@ def update_config(config, model_name=None, noise_rate=None, num_queries=None): config['noise_rate'] = float(noise_rate) # Ensure it's a float if num_queries is not None: # Explicitly check for None to handle 0 config['num_queries'] = int(num_queries) # Ensure it's an integer + + config['output_file_extension'] = f'{config['model_name']}_noise_{config['noise_rate']}_passage_{config['passage_num']}_num_queries_{config['num_queries']}' + return config def load_dataset(file_name): @@ -66,4 +81,21 @@ def initialize_logging(): def get_logs(): """Retrieve logs for display.""" - return "\n".join(logs[-50:]) \ No newline at end of file + return "\n".join(logs[-50:]) + +def load_used_data(filepath): + """Loads existing processed data to avoid redundant evaluations.""" + used_data = {} + if Path(filepath).exists(): + with open(filepath, encoding='utf-8') as f: + for line in f: + data = json.loads(line) + used_data[data['id']] = data + return used_data + + +def update_logs_periodically(): + while True: + time.sleep(2) # Wait for 2 seconds + yield get_logs() + \ No newline at end of file