diff --git a/cognee/modules/cognify/__init__.py b/cognee/modules/cognify/__init__.py
index 8b1378917..e69de29bb 100644
--- a/cognee/modules/cognify/__init__.py
+++ b/cognee/modules/cognify/__init__.py
@@ -1 +0,0 @@
-
diff --git a/cognee/modules/cognify/dataset.py b/cognee/modules/cognify/dataset.py
new file mode 100644
index 000000000..04684ac57
--- /dev/null
+++ b/cognee/modules/cognify/dataset.py
@@ -0,0 +1,84 @@
+import random
+
+from datasets import load_dataset
+
+from dspy.datasets.dataset import Dataset
+
+
+class HotPotQA(Dataset):
+ def __init__(self, *args, only_hard_examples=True, keep_details='dev_titles', unofficial_dev=True, **kwargs) -> None:
+ super().__init__(*args, **kwargs)
+ assert only_hard_examples, "Care must be taken when adding support for easy examples." \
+ "Dev must be all hard to match official dev, but training can be flexible."
+
+ hf_official_train = load_dataset("hotpot_qa", 'fullwiki', split='train')
+ hf_official_dev = load_dataset("hotpot_qa", 'fullwiki', split='validation')
+
+ official_train = []
+ for raw_example in hf_official_train:
+ if raw_example['level'] == 'hard':
+ if keep_details is True:
+ keys = ['id', 'question', 'answer', 'type', 'supporting_facts', 'context']
+ elif keep_details == 'dev_titles':
+ keys = ['question', 'answer', 'supporting_facts']
+ else:
+ keys = ['question', 'answer']
+
+ example = {k: raw_example[k] for k in keys}
+
+ if 'supporting_facts' in example:
+ example['gold_titles'] = set(example['supporting_facts']['title'])
+ del example['supporting_facts']
+
+ official_train.append(example)
+
+ rng = random.Random(0)
+ rng.shuffle(official_train)
+
+ self._train = official_train[:len(official_train)*75//100]
+
+ if unofficial_dev:
+ self._dev = official_train[len(official_train)*75//100:]
+ else:
+ self._dev = None
+
+ for example in self._train:
+ if keep_details == 'dev_titles':
+ del example['gold_titles']
+
+ test = []
+ for raw_example in hf_official_dev:
+ assert raw_example['level'] == 'hard'
+ example = {k: raw_example[k] for k in ['id', 'question', 'answer', 'type', 'supporting_facts']}
+ if 'supporting_facts' in example:
+ example['gold_titles'] = set(example['supporting_facts']['title'])
+ del example['supporting_facts']
+ test.append(example)
+
+ self._test = test
+
+
+if __name__ == '__main__':
+ from dsp.utils import dotdict
+
+ data_args = dotdict(train_seed=1, train_size=16, eval_seed=2023, dev_size=200*5, test_size=0)
+ dataset = HotPotQA(**data_args)
+
+ print(dataset)
+ print(dataset.train[0].question)
+ print(dataset.train[15].question)
+
+ print(len(dataset.train), len(dataset.dev), len(dataset.test))
+
+ print(dataset.dev[0].question)
+ print(dataset.dev[340].question)
+ print(dataset.dev[937].question)
+
+"""
+What was the population of the city where Woodward Avenue ends in 2010?
+Where did the star , who is also an executive producer, of the Mick begin her carrer?
+16 1000 0
+Both London and German have seen attacks during war, there was one specific type of attack that Germany called the blitz, what did London call a similar attack?
+Pre-Madonna was a collection of demos by the singer who was a leading presence during the emergence of what network?
+Alan Mills composed the classic folk song that tells the story of what?
+"""
diff --git a/cognee/modules/cognify/evaluate.py b/cognee/modules/cognify/evaluate.py
index fe4588352..d87e9a69d 100644
--- a/cognee/modules/cognify/evaluate.py
+++ b/cognee/modules/cognify/evaluate.py
@@ -1,6 +1,5 @@
import dsp
import dspy
-from dspy.datasets import HotPotQA
from dspy.evaluate.evaluate import Evaluate
from dspy.primitives.example import Example
from cognee.modules.data.extraction.knowledge_graph.extract_knowledge_graph_module import ExtractKnowledgeGraph
@@ -8,6 +7,7 @@ from cognee.root_dir import get_absolute_path
from cognee.config import Config
from cognee.shared.data_models import Answer
from cognee.infrastructure.llm.get_llm_client import get_llm_client
+from cognee.modules.cognify.dataset import HotPotQA
config = Config()
config.load()
diff --git a/cognee/modules/cognify/extract_categories.py b/cognee/modules/cognify/extract_categories.py
deleted file mode 100644
index 843b19b2c..000000000
--- a/cognee/modules/cognify/extract_categories.py
+++ /dev/null
@@ -1,27 +0,0 @@
-from typing import List
-import dspy
-from cognee.shared.data_models import TextContent
-
-class CategoriesFromText(dspy.Signature):
- """
- Instructions:
- You are a classification engine and should classify content.
- Make sure to use one of the existing classification options nad not invent your own.
- """
-
- text: str = dspy.InputField()
- categories: List[TextContent] = dspy.OutputField(desc = "JSON array of categories in which the text belongs.")
-
-
-class ExtractCategories(dspy.Module):
- def __init__(self, lm = dspy.OpenAI(
- model = "gpt-3.5-turbo",
- max_tokens = 4096
- )):
- super().__init__()
- self.lm = lm
- self.extract_categories_from_text = dspy.TypedPredictor(CategoriesFromText)
-
- def forward(self, text: str):
- with dspy.context(lm = self.lm):
- return self.extract_categories_from_text(text = text).categories
diff --git a/cognee/modules/cognify/extract_cognitive_layers.py b/cognee/modules/cognify/extract_cognitive_layers.py
deleted file mode 100644
index 0828284cc..000000000
--- a/cognee/modules/cognify/extract_cognitive_layers.py
+++ /dev/null
@@ -1,35 +0,0 @@
-from typing import List
-import dspy
-
-class LayersFromText(dspy.Signature):
- """
- Instructions:
- You are tasked with analyzing data in order to extract meaningful layers of information
- that will contribute to constructing a detailed multilayer network or knowledge graph.
- Consider the unique characteristics and inherent properties of the data at hand.
-
- VERY IMPORTANT:
- The context and domain you are working in is defined by the "category" input.
- The content category, defined by "category" input, should play a major role in how you decompose into layers.
- """
-
- text: str = dspy.InputField()
- text_category: str = dspy.InputField(desc = "Category in which the text belongs.")
- cognitive_layers: List[str] = dspy.OutputField(desc = "JSON array of cognitive layers.")
-
-
-class ExtractCognitiveLayers(dspy.Module):
- def __init__(self, lm = dspy.OpenAI(
- model = "gpt-3.5-turbo",
- max_tokens = 4096
- )):
- super().__init__()
- self.lm = lm
- self.extract_cognitive_layers_from_text = dspy.TypedChainOfThought(LayersFromText)
-
- def forward(self, text: str, category: str):
- with dspy.context(lm = self.lm):
- return self.extract_cognitive_layers_from_text(
- text = text,
- text_category = category
- ).cognitive_layers
diff --git a/cognee/modules/cognify/test.py b/cognee/modules/cognify/test.py
new file mode 100644
index 000000000..b6d9ea23f
--- /dev/null
+++ b/cognee/modules/cognify/test.py
@@ -0,0 +1,91 @@
+import dspy
+from cognee.modules.data.extraction.knowledge_graph.extract_knowledge_graph_module import ExtractKnowledgeGraph
+from cognee.root_dir import get_absolute_path
+from cognee.config import Config
+
+config = Config()
+config.load()
+
+def run():
+ gpt4 = dspy.OpenAI(model = config.openai_model, api_key = config.openai_key, model_type = "chat", max_tokens = 4096)
+ compiled_extract_knowledge_graph = ExtractKnowledgeGraph(lm = gpt4)
+ compiled_extract_knowledge_graph.load(get_absolute_path("./programs/extract_knowledge_graph/extract_knowledge_graph.json"))
+
+ text = """The 1985 FA Charity Shield (also known as the General Motors FA
+ Charity Shield for sponsorship reasons) was the 63rd FA Charity Shield,
+ an annual football match played between the winners of the previous
+ season's First Division and FA Cup competitions. The match was played on
+ 10 August 1985 at Wembley Stadium and contested by Everton,
+ who had won the 1984\u201385 First Division, and Manchester United,
+ who had won the 1984\u201385 FA Cup. Everton won 2\u20130 with goals from
+ Trevor Steven and Adrian Heath. Trevor Steven put Everton into the lead
+ when he swept home from six yards after a cross from the left in the first half.
+ The second goal came in the second half when Manchester United goalkeeper
+ Gary Bailey dropped a cross from the left to allow Adrian Heath to tip the
+ ball past him into the left corner of the net.\r\nThe 1995 FA Charity Shield
+ (also known as the Littlewoods FA Charity Shield for sponsorship reasons) was the
+ 73rd FA Charity Shield, an annual football match played between the winners of
+ the previous season's Premier League and FA Cup competitions. The match was
+ played on 13 August 1995 at Wembley Stadium and contested by Blackburn Rovers,
+ who had won the Premier League and FA Cup winners Everton. It was Blackburn's
+ second successive Charity Shield appearance, while Everton were appearing in
+ their eleventh and their first since 1987. Everton won the match 1\u20130
+ with a goal from Vinny Samways when he caught Tim Flowers off his line and
+ lifted the ball over him from the left of the penalty area and into the right
+ corner of the net. Dave Watson lifted the trophy for Everton.\r\nThe 1972 FA
+ Charity Shield was contested between Manchester City and Aston Villa.\r\nThe
+ 1997 FA Charity Shield (known as the Littlewoods FA Charity Shield for
+ sponsorship reasons) was the 75th FA Charity Shield, an annual football match
+ played between the winners of the previous season's Premier League and
+ FA Cup competitions. The match was played on 3 August 1997 at Wembley Stadium
+ and contested by Manchester United, who had won the 1996\u201397 FA Premier League,
+ and Chelsea, who had won the 1996\u201397 FA Cup. Manchester United won the match
+ 4\u20132 on penalties after the match had finished at 1\u20131 after 90 minutes.
+ \r\nThe 1956 FA Charity Shield was the 34th FA Charity Shield, an annual football
+ match held between the winners of the previous season's Football League and
+ FA Cup competitions. The match was contested by Manchester United, who had won
+ the 1955\u201356 Football League, and Manchester City, who had won the
+ 1955\u201356 FA Cup, at Maine Road, Manchester, on 24 October 1956. Manchester
+ United won the match 1\u20130, Dennis Viollet scoring the winning goal.
+ Manchester United goalkeeper David Gaskell made his debut for the club during
+ the game, taking the place of injured goalkeeper Ray Wood, and, at the age of
+ 16 years and 19 days, became the youngest player ever to play for the club.
+ \r\nThe 1937 FA Charity Shield was the 24th FA Charity Shield, a football match
+ between the winners of the previous season's First Division and FA Cup competitions.
+ The match was contested by league champions Manchester City and FA Cup winners
+ Sunderland, and was played at Maine Road, the home ground of Manchester City.
+ Manchester City won the game, 2\u20130.\r\nThe 2000 FA Charity Shield (also known
+ as the One 2 One FA Charity Shield for sponsorship reasons) was the
+ 78th FA Charity Shield, an annual football match played between the winners
+ of the previous season's Premier League and FA Cup competitions. The match
+ was played between Manchester United, who won the 1999\u20132000 Premier League,
+ and Chelsea, who won the 1999\u20132000 FA Cup, and resulted in a 2\u20130 Chelsea win.
+ The goals were scored by Jimmy Floyd Hasselbaink and Mario Melchiot. Roy Keane
+ was sent off for a challenge on Gustavo Poyet and was the last person to be
+ sent off at the old Wembley Stadium.\r\nThe 2001 FA Charity Shield (also known
+ as the One 2 One FA Charity Shield for sponsorship reasons) was the 79th FA Charity Shield,
+ an annual football match played between the winners of the previous season's
+ Premier League and FA Cup. The match was contested between Liverpool, winners of
+ the 2000\u201301 FA Cup and Manchester United, who won the 2000\u201301 Premier
+ League on 12 August 2001. It was the first Shield match to be held at the
+ Millennium Stadium following the closure of Wembley Stadium for reconstruction.
+ \r\nAston Villa Football Club ( ; nicknamed Villa, The Villa, The Villans
+ and The Lions) is a professional football club in Aston, Birmingham, that plays
+ in the Championship, the second level of English football. Founded in 1874,
+ they have played at their current home ground, Villa Park, since 1897. Aston Villa
+ were one of the founder members of the Football League in 1888 and of the
+ Premier League in 1992.\r\nThe 1996 FA Charity Shield (also known as the
+ Littlewoods FA Charity Shield for sponsorship reasons) was the 74th FA Charity Shield,
+ an annual football match played between the winners of the previous season's Premier
+ League and FA Cup competitions. The match was played on 11 August 1996 at Wembley
+ Stadium and contested by Manchester United, who had won the Double of Premier League
+ and FA Cup in 1995\u201396, and Newcastle United, who had finished as runners-up
+ in the Premier League. Manchester United won the match 4\u20130 with goals from
+ Eric Cantona, Nicky Butt, David Beckham and Roy Keane."""
+
+ prediction = compiled_extract_knowledge_graph(context = text, question = "")
+
+ print(prediction.graph)
+
+if __name__ == "__main__":
+ run()
diff --git a/cognee/modules/cognify/train.py b/cognee/modules/cognify/train.py
index baf4ec300..a8506ea09 100644
--- a/cognee/modules/cognify/train.py
+++ b/cognee/modules/cognify/train.py
@@ -1,6 +1,5 @@
import dsp
import dspy
-from dspy.datasets import HotPotQA
from dspy.teleprompt import BootstrapFewShot
from dspy.primitives.example import Example
from cognee.config import Config
@@ -9,6 +8,7 @@ from cognee.root_dir import get_absolute_path
from cognee.infrastructure.files.storage import LocalStorage
from cognee.shared.data_models import Answer
from cognee.infrastructure.llm.get_llm_client import get_llm_client
+from cognee.modules.cognify.dataset import HotPotQA
config = Config()
config.load()
diff --git a/cognee/programs/extract_knowledge_graph/extract_knowledge_graph.json b/cognee/programs/extract_knowledge_graph/extract_knowledge_graph.json
index 3e901e3d1..11f9292fd 100644
--- a/cognee/programs/extract_knowledge_graph/extract_knowledge_graph.json
+++ b/cognee/programs/extract_knowledge_graph/extract_knowledge_graph.json
@@ -6,89 +6,90 @@
"demos": [
{
"augmented": true,
- "text": "52nd Infantry Division ( `` 52.Infanterie-Division '' ) division Imperial German Army World War . division formed March 6 , 1915 , units taken divisions newly raised . division initially mixed , two infantry regiments Grand Duchy Baden , one infantry regiment Prussian Saxony , Prussian Baden support units ( cavalry , artillery , engineers , service support units ) . infantry regiments divisional cavalry squadron regular army units , rest division made reserve units units formed war . 66th Magdeburg Infantry Regiment taken 7th Infantry Division , 169th 170th Infantry Regiments taken Baden 's 29th Infantry Division . 52nd Infantry Division became Baden war progressed , 66th Magdeburg Infantry Regiment , regiment Prussian Saxony , replaced April 6 , 1917 , Baden 's 111th Infantry Regiment `` Margrave Ludwig Wilhelm '' . October 8 , 1918 , Argonne Forest ( ) . Cornay scene particularly heavy fighting October 8 , 1918 . 82nd US Infantry Division launched series attacks area , 1st Battalion , 328 Infantry regiment ( 82nd Division ) attacking liberate Cornay 2nd Battalion , 328th Infantry Regiment attacking Argonne Forest Chatel Chehery ( south Cornay ) . Around 10:30 , German 125th Landwehr Wuerttemberg Regiment 212th Prussian Reserve Regiment launched determined counterattack American forces , inflicted heavy casualties Americans , 100 captured . 82nd Division forced retreat Cornay . town retaken Americans next day . Three kilometers south , Cpl Alvin C. York Company G , 328th Infantry Regiment , 82nd Infantry Division , aid 7 soldiers , captured 132 German soldiers . actions York awarded US Medal Honor . 102nd Infantry Division German military infantry division World War II . served Eastern Front , fighting Rzhev salient Battle Kursk . destroyed latter stages Soviet Red Army 's East Prussian Offensive 1945 . Major General Walter E. Lauer ( 20 June 1893 \u2013 13 October 1966 ) senior United States Army officer fought World War World War II . World War II commanded 99th Infantry Division Battle Bulge . green troops 99th , along battle-tested 2nd Infantry Division , held key sector controlling access Spa Leige large repositories ammunition , fuel , supplies . Despite outnumbered German forces least five one , Battle Elsenborn Ridge yield . sector American front lines German offensive Germans failed advance . Lauer veteran World War II . Operation Roland local German offensive inside Soviet Union Second World War Eastern Front , conducted local operation within overarching German summer offensive , Operation Citadel , southern side Kursk salient . German forces III Panzer Corps 2nd SS Panzergrenadier Division Das Reich II SS Panzer Corps attempted envelop destroy Soviet forces Voronezh Front . operation necessitated failure German II SS Panzer Corps break Soviet forces Battle Prokhorovka 12 July . Therefore , German commanders decided first link III Panzer Corps , lagging behind due heavy Soviet resistance , II SS Panzer Corps , order consolidate German positions continuous frontline without inward bulges enable two panzer corps overrun Soviet forces defending Prokhoravka together . linking two German pincers planned effectuate envelopment Soviet 69th Army supporting units . 37th Field Artillery Regiment field artillery regiment United States Army , parent regiment U.S. Army Regimental System . regiment first constituted 5 July 1918 National Army . regiment served 10th Division World War , 2nd Infantry Division World War II . Elements regiment served 2nd Infantry Division , 6th Infantry Division , 79th Infantry Division , 172nd Infantry Brigade , among units . Two battalions regiment currently active , 1st Battalion , 37th Field Artillery direct support cannon battalion , support 1st Stryker Brigade Combat Team , 2nd Infantry Division 6th Battalion , 37th Field Artillery Multiple Launch Rocket System battalion 210th Field Artillery Brigade . Operation Citadel ( German : `` Unternehmen Zitadelle '' ) German offensive operation Soviet forces Kursk salient Second World War Eastern Front initiated Battle Kursk . deliberate defensive operation Soviets implemented repel German offensive referred Kursk Strategic Defensive Operation . German offensive countered two Soviet counter-offensives , Operation Polkovodets Rumyantsev ( Russian : \u041f\u043e\u043b\u043a\u043e\u0432\u043e\u0434\u0435\u0446 \u0420\u0443\u043c\u044f\u043d\u0446\u0435\u0432 ) Operation Kutuzov ( Russian : \u041a\u0443\u0442\u0443\u0437\u043e\u0432 ) . Germans , battle final strategic offensive able launch Eastern Front . Allied invasion Sicily began Adolf Hitler forced divert troops training France meet Allied threats Mediterranean , rather use strategic reserve Eastern Front . Germany 's extensive loss men tanks ensured victorious Soviet Red Army enjoyed strategic initiative remainder war . 16th Panzer Division ( German : `` 16 . Panzer-Division '' ) formation German Army World War II . formed November 1940 16th Infantry Division . took part Operation Barbarossa , invasion Soviet Union June 1941 , operating southern sector Eastern Front . Soviet offensive November 1942 division trapped Stalingrad , surrendered February 1943 . new 16th Panzer Division formed 1943 sent Italy part unsuccessful German defense Allied invasion Italy . Sent back Eastern Front November 1943 division saw action southern sector , taking part relief operation Korsun-Cherkassy Pocket part Kamenets-Podolsky pocket . eventually surrendered Soviet US American forces Czechoslovakia May 1945 . 52nd ( Lowland ) Infantry Division infantry division British Army originally formed Lowland Division , 1908 part Territorial Force . later became 52nd ( Lowland ) Division 1915 . 52nd ( Lowland ) Division fought First World War disbanded , rest Territorial Force , 1920 . Territorial Force later reformed Territorial Army division raised , inter-war years , 52nd ( Lowland ) Infantry Division - 1st Line Territorial Army Infantry Division - went serve Second World War . war , division merged 51st ( Highland ) Infantry Division 1948 . history division carried 52nd Lowland Brigade , later 52nd Lowland Regiment . Battle Kursk Second World War engagement German Soviet forces Eastern Front near Kursk ( 450 km south-west Moscow ) Soviet Union July August 1943 . battle began launch German offensive , Operation Citadel ( German : `` Unternehmen Zitadelle '' ) , 5 July , objective pinching Kursk salient attacks base salient north south simultaneously . German offensive stalled northern side salient , 12 July Soviets commenced Kursk Strategic Offensive Operation launch Operation Kutuzov ( Russian : \u041a\u0443\u0442\u0443\u0437\u043e\u0432 ) rear German forces northern side . southern side , Soviets also launched powerful counterattacks day , one led large armoured clash , Battle Prokhorovka . 3 August , Soviets began second phase Kursk Strategic Offensive Operation launch Operation Polkovodets Rumyantsev ( Russian : \u041f\u043e\u043b\u043a\u043e\u0432\u043e\u0434\u0435\u0446 \u0420\u0443\u043c\u044f\u043d\u0446\u0435\u0432 ) German forces southern side Kursk salient .",
- "reasoning": "produce the graph. We will identify the main entities and their relationships from the text provided. Entities include divisions, regiments, battles, operations, and individuals. Relationships include formation dates, participation in battles, reorganizations, and awards received.",
- "graph": "```json\n{\n \"nodes\": [\n {\n \"id\": \"52nd_infantry_division\",\n \"entity_name\": \"52nd Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the Imperial German Army during World War I.\"\n },\n {\n \"id\": \"imperial_german_army\",\n \"entity_name\": \"Imperial German Army\",\n \"entity_type\": \"Military\",\n \"entity_description\": \"The unified armed forces of Germany from 1871 to 1919.\"\n },\n {\n \"id\": \"world_war_i\",\n \"entity_name\": \"World War I\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A global war originating in Europe that lasted from 28 July 1914 to 11 November 1918.\"\n },\n {\n \"id\": \"66th_magdeburg_infantry_regiment\",\n \"entity_name\": \"66th Magdeburg Infantry Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A regiment taken from the 7th Infantry Division to form the 52nd Infantry Division.\"\n },\n {\n \"id\": \"169th_infantry_regiment\",\n \"entity_name\": \"169th Infantry Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A regiment taken from Baden's 29th Infantry Division to form the 52nd Infantry Division.\"\n },\n {\n \"id\": \"170th_infantry_regiment\",\n \"entity_name\": \"170th Infantry Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A regiment taken from Baden's 29th Infantry Division to form the 52nd Infantry Division.\"\n },\n {\n \"id\": \"111th_infantry_regiment\",\n \"entity_name\": \"111th Infantry Regiment 'Margrave Ludwig Wilhelm'\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A regiment from Baden that replaced the 66th Magdeburg Infantry Regiment in the 52nd Infantry Division on April 6, 1917.\"\n },\n {\n \"id\": \"argonne_forest\",\n \"entity_name\": \"Argonne Forest\",\n \"entity_type\": \"Location\",\n \"entity_description\": \"A forested, hilly area in northeastern France that was the scene of heavy fighting during World War I.\"\n },\n {\n \"id\": \"cornay\",\n \"entity_name\": \"Cornay\",\n \"entity_type\": \"Location\",\n \"entity_description\": \"A location in France where heavy fighting occurred on October 8, 1918, during World War I.\"\n },\n {\n \"id\": \"82nd_us_infantry_division\",\n \"entity_name\": \"82nd US Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the United States Army that launched attacks in the Argonne Forest area during World War I.\"\n },\n {\n \"id\": \"alvin_c_york\",\n \"entity_name\": \"Cpl Alvin C. York\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"A United States Army corporal who captured 132 German soldiers and was awarded the US Medal of Honor for his actions.\"\n },\n {\n \"id\": \"us_medal_of_honor\",\n \"entity_name\": \"US Medal of Honor\",\n \"entity_type\": \"Award\",\n \"entity_description\": \"The highest and most prestigious personal military decoration that may be awarded to recognize U.S. military service members who have distinguished themselves by acts of valor.\"\n },\n {\n \"id\": \"102nd_infantry_division\",\n \"entity_name\": \"102nd Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A German military infantry division that served on the Eastern Front during World War II.\"\n },\n {\n \"id\": \"walter_e_lauer\",\n \"entity_name\": \"Major General Walter E. Lauer\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"A senior United States Army officer who fought in both World War I and World War II.\"\n },\n {\n \"id\": \"99th_infantry_division\",\n \"entity_name\": \"99th Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the United States Army commanded by Walter E. Lauer during the Battle of the Bulge in World War II.\"\n },\n {\n \"id\": \"battle_of_the_bulge\",\n \"entity_name\": \"Battle of the Bulge\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A major German offensive campaign on the Western Front during World War II.\"\n },\n {\n \"id\": \"operation_roland\",\n \"entity_name\": \"Operation Roland\",\n \"entity_type\": \"Military Operation\",\n \"entity_description\": \"A local German offensive inside the Soviet Union during the Second World War on the Eastern Front.\"\n },\n {\n \"id\": \"37th_field_artillery_regiment\",\n \"entity_name\": \"37th Field Artillery Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A field artillery regiment of the United States Army.\"\n },\n {\n \"id\": \"operation_citadel\",\n \"entity_name\": \"Operation Citadel\",\n \"entity_type\": \"Military Operation\",\n \"entity_description\": \"A German offensive operation against Soviet forces at the Kursk salient during the Second World War on the Eastern Front.\"\n },\n {\n \"id\": \"16th_panzer_division\",\n \"entity_name\": \"16th Panzer Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A formation of the German Army during World War II.\"\n },\n {\n \"id\": \"52nd_lowland_infantry_division\",\n \"entity_name\": \"52nd (Lowland) Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"An infantry division of the British Army that served during both World Wars.\"\n },\n {\n \"id\": \"battle_of_kursk\",\n \"entity_name\": \"Battle of Kursk\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A Second World War engagement between German and Soviet forces on the Eastern Front near Kursk in the Soviet Union.\"\n }\n ],\n \"edges\": [\n {\n \"source_node_id\": \"52nd_infantry_division\",\n \"target_node_id\": \"imperial_german_army\",\n \"relationship_name\": \"part_of\"\n },\n {\n \"source_node_id\": \"52nd_infantry_division\",\n \"target_node_id\": \"world_war_i\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"66th_magdeburg_infantry_regiment\",\n \"target_node_id\": \"52nd_infantry_division\",\n \"relationship_name\": \"part_of_initially\"\n },\n {\n \"source_node_id\": \"169th_infantry_regiment\",\n \"target_node_id\": \"52nd_infantry_division\",\n \"relationship_name\": \"part_of_initially\"\n },\n {\n \"source_node_id\": \"170th_infantry_regiment\",\n \"target_node_id\": \"52nd_infantry_division\",\n \"relationship_name\": \"part_of_initially\"\n },\n {\n \"source_node_id\": \"111th_infantry_regiment\",\n \"target_node_id\": \"52nd_infantry_division\",\n \"relationship_name\": \"replaced_66th_magdeburg\"\n },\n {\n \"source_node_id\": \"82nd_us_infantry_division\",\n \"target_node_id\": \"argonne_forest\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"82nd_us_infantry_division\",\n \"target_node_id\": \"cornay\",\n \"relationship_name\": \"fought_at\"\n },\n {\n \"source_node_id\": \"alvin_c_york\",\n \"target_node_id\": \"us_medal_of_honor\",\n \"relationship_name\": \"awarded\"\n },\n {\n \"source_node_id\": \"102nd_infantry_division\",\n \"target_node_id\": \"world_war_ii\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"walter_e_lauer\",\n \"target_node_id\": \"99th_infantry_division\",\n \"relationship_name\": \"commanded\"\n },\n {\n \"source_node_id\": \"99th_infantry_division\",\n \"target_node_id\": \"battle_of_the_bulge\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"operation_roland\",\n \"target_node_id\": \"world_war_ii\",\n \"relationship_name\": \"part_of\"\n },\n {\n \"source_node_id\": \"37th_field_artillery_regiment\",\n \"target_node_id\": \"world_war_i\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"37th_field_artillery_regiment\",\n \"target_node_id\": \"world_war_ii\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"operation_citadel\",\n \"target_node_id\": \"battle_of_kursk\",\n \"relationship_name\": \"part_of\"\n },\n {\n \"source_node_id\": \"16th_panzer_division\",\n \"target_node_id\": \"world_war_ii\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"52nd_lowland_infantry_division\",\n \"target_node_id\": \"world_war_i\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"52nd_lowland_infantry_division\",\n \"target_node_id\": \"world_war_ii\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"battle_of_kursk\",\n \"target_node_id\": \"world_war_ii\",\n \"relationship_name\": \"part_of\"\n }\n ]\n}\n```\n\nThis graph represents the entities and their relationships as described in the text. Each node represents an entity such as a military unit, person, event, or location, and each edge represents a relationship between two entities, such as \"part_of\", \"fought_in\", \"replaced\", or \"awarded\"."
+ "text": "Rick Timmons ( , St. Petersburg , Florida ) American painter . attending Art Institute Dallas , joined Dallas Fire Department 1981 spent next thirteen years . commissioned oil portrait paintings picked numerous southwest art galleries 1987\/1988 chosen commemorative paintings New York Texas Firefighter 's Associations . 1994 Timmons left Dallas Fire Department became full-time painter . works mainly focused firefighting , portraits , equine art , southwest art bar murals . Duk Sung Son ( Hangul : \uc190\ub355\uc131 , Hanja : \u5b6b\u5fb7\u6210 ) ( June 17 , 1922 \u2013 March 29 , 2011 ) martial artist , Grand Master , 9th degree black belt , Co-Founder Korean martial art Tae Kwon , successor Kuk Lee leader Chung Kwan school ( 1950\u20131959 ) . also chief Instructor South Korean Army Eighth U.S. Army , founder president World Tae Kwon Association author books `` Korean Karate , Art Tae Kwon \u201d \u201c Black Belt Korean Karate `` . Nam Suk Lee ( June 28 , 1925 \u2013 August 29 , 2000 ) born city Yeo Joo , credited co-founding traditional Korean martial art Chang Moo Kwan mid-1940s , promoting expanding globally . Chang Moo Kwan one five original Kwans became Tae Kwon mid 1950s . later life Nam Suk Lee make seaside community San Pedro , California home , reestablished traditional roots Chang Moo Kwan . 75 still actively teaching Chang Moo Kwan San Pedro YMCA . Nam Suk Lee died neighboring Southern California community Torrance August 29 , 2000 , due stroke . Southwest Art magazine published F+W specializes fine art depicting artwork American Southwest . Tae Kwon Times magazine devoted martial art taekwondo , published United States America . title suggests focuses taekwondo exclusively , magazine also covers Korean martial arts . `` Tae Kwon Times '' published articles wide range authors , including He-Young Kimm , Thomas Kurz , Scott Shaw , Mark Van Schuyver . Rhee Taekwon-Do ( \ub9ac\ud0dc\uad8c\ub3c4 ; \u674e\u8dc6\u62f3\u9053 ) , also known Rhee Tae Kwon-Do , Rhee Tae Kwon , Rhee Taekwondo , martial art school Australia New Zealand teaching Korean martial art taekwondo . full name `` Rhee International Taekwon-Do '' `` ( Australia ) '' `` ( New Zealand ) '' appended . Chong Chul Rhee , one original masters taekwondo , founded school mid-1960s . Two Rhee 's brothers , Chong Hyup Rhee Chong Yoon Rhee , later came assist 1970s . Cho Hee Il ( born October 13 , 1940 ) prominent Korean-American master taekwondo , holding rank 9th `` dan '' martial art . written 11 martial art books , produced 70 martial art training videos , appeared 70 martial arts magazine covers . Cho several national international competitions taekwondo competitor , appeared several films , including `` Fight Win '' , `` Best Best '' , `` Bloodsport II '' , `` Bloodsport III '' . founded Action International Martial Arts Association ( AIMAA ) 1980 , President . Cho member `` Black Belt '' magazine 's Hall Fame `` Tae Kwon Times '' magazine 's Hall Fame . Yeon Hwan Park ( born June 29 , 1952 ) South Korean master taekwondo . currently earned ninth-degree black belt holds title kwan jang-nim ( Grandmaster ) direction Kukkiwon . Park undefeated Korean national champion Tae Kwon 1971 1975 former coach U.S. Olympic Pan-American Tae Kwon team . Scott Shaw ( often spelled Scott Shaw ! ) United States cartoonist animator , historian comics . Among Scott 's comic-book work Hanna-Barbera 's `` Flintstones '' ( Marvel Comics Harvey Comics ) , `` Captain Carrot Amazing Zoo Crew '' ( DC Comics ) , `` Simpsons Comics '' ( Bongo Comics ) . also first artist Archie Comics ' `` Sonic Hedgehog '' comic book series . Edward B . Sell ( died February 5 , 2014 ) American martial arts instructor , highest ranking non-Korean practitioner tae kwon , holding rank 9th degree black belt art .",
+ "reasoning": "produce the graph. We will identify each individual, their attributes, and their relationships to concepts, organizations, or other individuals. We will also identify publications and martial arts styles as entities and their relationships to individuals and each other.",
+ "graph": "{\n \"nodes\": [\n {\n \"id\": \"rick_timmons\",\n \"entity_name\": \"Rick Timmons\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American painter from St. Petersburg, Florida\"\n },\n {\n \"id\": \"art_institute_dallas\",\n \"entity_name\": \"Art Institute Dallas\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Educational institution attended by Rick Timmons\"\n },\n {\n \"id\": \"dallas_fire_department\",\n \"entity_name\": \"Dallas Fire Department\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Organization where Rick Timmons worked for thirteen years\"\n },\n {\n \"id\": \"duk_sung_son\",\n \"entity_name\": \"Duk Sung Son\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Martial artist, Grand Master, and co-founder of Tae Kwon\"\n },\n {\n \"id\": \"tae_kwon\",\n \"entity_name\": \"Tae Kwon\",\n \"entity_type\": \"Martial Art\",\n \"entity_description\": \"Korean martial art co-founded by Duk Sung Son\"\n },\n {\n \"id\": \"chung_kwan_school\",\n \"entity_name\": \"Chung Kwan school\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Martial arts school led by Duk Sung Son from 1950 to 1959\"\n },\n {\n \"id\": \"nam_suk_lee\",\n \"entity_name\": \"Nam Suk Lee\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Co-founder of the traditional Korean martial art Chang Moo Kwan\"\n },\n {\n \"id\": \"chang_moo_kwan\",\n \"entity_name\": \"Chang Moo Kwan\",\n \"entity_type\": \"Martial Art\",\n \"entity_description\": \"Traditional Korean martial art co-founded by Nam Suk Lee\"\n },\n {\n \"id\": \"southwest_art_magazine\",\n \"entity_name\": \"Southwest Art magazine\",\n \"entity_type\": \"Publication\",\n \"entity_description\": \"Magazine specializing in fine art of the American Southwest\"\n },\n {\n \"id\": \"tae_kwon_times_magazine\",\n \"entity_name\": \"Tae Kwon Times magazine\",\n \"entity_type\": \"Publication\",\n \"entity_description\": \"Magazine devoted to the martial art of taekwondo\"\n },\n {\n \"id\": \"rhee_taekwon_do\",\n \"entity_name\": \"Rhee Taekwon-Do\",\n \"entity_type\": \"Martial Art School\",\n \"entity_description\": \"Martial art school in Australia and New Zealand teaching taekwondo\"\n },\n {\n \"id\": \"chong_chul_rhee\",\n \"entity_name\": \"Chong Chul Rhee\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Founder of Rhee Taekwon-Do\"\n },\n {\n \"id\": \"cho_hee_il\",\n \"entity_name\": \"Cho Hee Il\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Korean-American master of taekwondo\"\n },\n {\n \"id\": \"aimaa\",\n \"entity_name\": \"Action International Martial Arts Association\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Founded by Cho Hee Il in 1980\"\n },\n {\n \"id\": \"yeon_hwan_park\",\n \"entity_name\": \"Yeon Hwan Park\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"South Korean master of taekwondo\"\n },\n {\n \"id\": \"scott_shaw\",\n \"entity_name\": \"Scott Shaw\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"United States cartoonist, animator, and historian of comics\"\n },\n {\n \"id\": \"edward_b_sell\",\n \"entity_name\": \"Edward B. Sell\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American martial arts instructor and high-ranking non-Korean practitioner of tae kwon\"\n }\n ],\n \"edges\": [\n {\n \"source_node_id\": \"rick_timmons\",\n \"target_node_id\": \"art_institute_dallas\",\n \"relationship_name\": \"attended\"\n },\n {\n \"source_node_id\": \"rick_timmons\",\n \"target_node_id\": \"dallas_fire_department\",\n \"relationship_name\": \"joined\"\n },\n {\n \"source_node_id\": \"duk_sung_son\",\n \"target_node_id\": \"tae_kwon\",\n \"relationship_name\": \"co-founded\"\n },\n {\n \"source_node_id\": \"duk_sung_son\",\n \"target_node_id\": \"chung_kwan_school\",\n \"relationship_name\": \"led\"\n },\n {\n \"source_node_id\": \"nam_suk_lee\",\n \"target_node_id\": \"chang_moo_kwan\",\n \"relationship_name\": \"co-founded\"\n },\n {\n \"source_node_id\": \"rhee_taekwon_do\",\n \"target_node_id\": \"chong_chul_rhee\",\n \"relationship_name\": \"founded_by\"\n },\n {\n \"source_node_id\": \"cho_hee_il\",\n \"target_node_id\": \"aimaa\",\n \"relationship_name\": \"founded\"\n },\n {\n \"source_node_id\": \"tae_kwon_times_magazine\",\n \"target_node_id\": \"tae_kwon\",\n \"relationship_name\": \"covers\"\n },\n {\n \"source_node_id\": \"southwest_art_magazine\",\n \"target_node_id\": \"rick_timmons\",\n \"relationship_name\": \"features_work_of\"\n }\n \/\/ Additional edges can be added following the same pattern.\n ]\n}\n\nNote: The graph provided is a partial representation and can be expanded with more nodes and edges to capture all the relationships mentioned in the text. For brevity, not all relationships are included in this example."
},
{
"augmented": true,
- "text": "52nd Infantry Division ( `` 52.Infanterie-Division '' ) division Imperial German Army World War . division formed March 6 , 1915 , units taken divisions newly raised . division initially mixed , two infantry regiments Grand Duchy Baden , one infantry regiment Prussian Saxony , Prussian Baden support units ( cavalry , artillery , engineers , service support units ) . infantry regiments divisional cavalry squadron regular army units , rest division made reserve units units formed war . 66th Magdeburg Infantry Regiment taken 7th Infantry Division , 169th 170th Infantry Regiments taken Baden 's 29th Infantry Division . 52nd Infantry Division became Baden war progressed , 66th Magdeburg Infantry Regiment , regiment Prussian Saxony , replaced April 6 , 1917 , Baden 's 111th Infantry Regiment `` Margrave Ludwig Wilhelm '' . October 8 , 1918 , Argonne Forest ( ) . Cornay scene particularly heavy fighting October 8 , 1918 . 82nd US Infantry Division launched series attacks area , 1st Battalion , 328 Infantry regiment ( 82nd Division ) attacking liberate Cornay 2nd Battalion , 328th Infantry Regiment attacking Argonne Forest Chatel Chehery ( south Cornay ) . Around 10:30 , German 125th Landwehr Wuerttemberg Regiment 212th Prussian Reserve Regiment launched determined counterattack American forces , inflicted heavy casualties Americans , 100 captured . 82nd Division forced retreat Cornay . town retaken Americans next day . Three kilometers south , Cpl Alvin C. York Company G , 328th Infantry Regiment , 82nd Infantry Division , aid 7 soldiers , captured 132 German soldiers . actions York awarded US Medal Honor . 102nd Infantry Division German military infantry division World War II . served Eastern Front , fighting Rzhev salient Battle Kursk . destroyed latter stages Soviet Red Army 's East Prussian Offensive 1945 . Major General Walter E. Lauer ( 20 June 1893 \u2013 13 October 1966 ) senior United States Army officer fought World War World War II . World War II commanded 99th Infantry Division Battle Bulge . green troops 99th , along battle-tested 2nd Infantry Division , held key sector controlling access Spa Leige large repositories ammunition , fuel , supplies . Despite outnumbered German forces least five one , Battle Elsenborn Ridge yield . sector American front lines German offensive Germans failed advance . Lauer veteran World War II . Operation Roland local German offensive inside Soviet Union Second World War Eastern Front , conducted local operation within overarching German summer offensive , Operation Citadel , southern side Kursk salient . German forces III Panzer Corps 2nd SS Panzergrenadier Division Das Reich II SS Panzer Corps attempted envelop destroy Soviet forces Voronezh Front . operation necessitated failure German II SS Panzer Corps break Soviet forces Battle Prokhorovka 12 July . Therefore , German commanders decided first link III Panzer Corps , lagging behind due heavy Soviet resistance , II SS Panzer Corps , order consolidate German positions continuous frontline without inward bulges enable two panzer corps overrun Soviet forces defending Prokhoravka together . linking two German pincers planned effectuate envelopment Soviet 69th Army supporting units . 37th Field Artillery Regiment field artillery regiment United States Army , parent regiment U.S. Army Regimental System . regiment first constituted 5 July 1918 National Army . regiment served 10th Division World War , 2nd Infantry Division World War II . Elements regiment served 2nd Infantry Division , 6th Infantry Division , 79th Infantry Division , 172nd Infantry Brigade , among units . Two battalions regiment currently active , 1st Battalion , 37th Field Artillery direct support cannon battalion , support 1st Stryker Brigade Combat Team , 2nd Infantry Division 6th Battalion , 37th Field Artillery Multiple Launch Rocket System battalion 210th Field Artillery Brigade . Operation Citadel ( German : `` Unternehmen Zitadelle '' ) German offensive operation Soviet forces Kursk salient Second World War Eastern Front initiated Battle Kursk . deliberate defensive operation Soviets implemented repel German offensive referred Kursk Strategic Defensive Operation . German offensive countered two Soviet counter-offensives , Operation Polkovodets Rumyantsev ( Russian : \u041f\u043e\u043b\u043a\u043e\u0432\u043e\u0434\u0435\u0446 \u0420\u0443\u043c\u044f\u043d\u0446\u0435\u0432 ) Operation Kutuzov ( Russian : \u041a\u0443\u0442\u0443\u0437\u043e\u0432 ) . Germans , battle final strategic offensive able launch Eastern Front . Allied invasion Sicily began Adolf Hitler forced divert troops training France meet Allied threats Mediterranean , rather use strategic reserve Eastern Front . Germany 's extensive loss men tanks ensured victorious Soviet Red Army enjoyed strategic initiative remainder war . 16th Panzer Division ( German : `` 16 . Panzer-Division '' ) formation German Army World War II . formed November 1940 16th Infantry Division . took part Operation Barbarossa , invasion Soviet Union June 1941 , operating southern sector Eastern Front . Soviet offensive November 1942 division trapped Stalingrad , surrendered February 1943 . new 16th Panzer Division formed 1943 sent Italy part unsuccessful German defense Allied invasion Italy . Sent back Eastern Front November 1943 division saw action southern sector , taking part relief operation Korsun-Cherkassy Pocket part Kamenets-Podolsky pocket . eventually surrendered Soviet US American forces Czechoslovakia May 1945 . 52nd ( Lowland ) Infantry Division infantry division British Army originally formed Lowland Division , 1908 part Territorial Force . later became 52nd ( Lowland ) Division 1915 . 52nd ( Lowland ) Division fought First World War disbanded , rest Territorial Force , 1920 . Territorial Force later reformed Territorial Army division raised , inter-war years , 52nd ( Lowland ) Infantry Division - 1st Line Territorial Army Infantry Division - went serve Second World War . war , division merged 51st ( Highland ) Infantry Division 1948 . history division carried 52nd Lowland Brigade , later 52nd Lowland Regiment . Battle Kursk Second World War engagement German Soviet forces Eastern Front near Kursk ( 450 km south-west Moscow ) Soviet Union July August 1943 . battle began launch German offensive , Operation Citadel ( German : `` Unternehmen Zitadelle '' ) , 5 July , objective pinching Kursk salient attacks base salient north south simultaneously . German offensive stalled northern side salient , 12 July Soviets commenced Kursk Strategic Offensive Operation launch Operation Kutuzov ( Russian : \u041a\u0443\u0442\u0443\u0437\u043e\u0432 ) rear German forces northern side . southern side , Soviets also launched powerful counterattacks day , one led large armoured clash , Battle Prokhorovka . 3 August , Soviets began second phase Kursk Strategic Offensive Operation launch Operation Polkovodets Rumyantsev ( Russian : \u041f\u043e\u043b\u043a\u043e\u0432\u043e\u0434\u0435\u0446 \u0420\u0443\u043c\u044f\u043d\u0446\u0435\u0432 ) German forces southern side Kursk salient .",
- "error_graph_0": "ValueError(\"Don't write anything after the final json ```\")",
- "reasoning": "produce the graph. We will identify entities and their types, such as divisions, regiments, battles, operations, and individuals. Then, we will establish relationships between these entities based on the text provided.",
- "graph": "```json\n{\n \"nodes\": [\n {\n \"id\": \"52nd_infantry_division\",\n \"entity_name\": \"52nd Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the Imperial German Army during World War I, formed on March 6, 1915.\"\n },\n {\n \"id\": \"imperial_german_army\",\n \"entity_name\": \"Imperial German Army\",\n \"entity_type\": \"Military Organization\",\n \"entity_description\": \"The land forces component of the German Empire during World War I.\"\n },\n {\n \"id\": \"grand_duchy_of_baden\",\n \"entity_name\": \"Grand Duchy of Baden\",\n \"entity_type\": \"Historical Region\",\n \"entity_description\": \"A historical German territory from which two infantry regiments of the 52nd Infantry Division were sourced.\"\n },\n {\n \"id\": \"prussian_saxony\",\n \"entity_name\": \"Prussian Saxony\",\n \"entity_type\": \"Historical Region\",\n \"entity_description\": \"A historical German territory from which one infantry regiment of the 52nd Infantry Division was sourced.\"\n },\n {\n \"id\": \"66th_magdeburg_infantry_regiment\",\n \"entity_name\": \"66th Magdeburg Infantry Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"An infantry regiment taken from the 7th Infantry Division to form part of the 52nd Infantry Division.\"\n },\n {\n \"id\": \"7th_infantry_division\",\n \"entity_name\": \"7th Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the Imperial German Army from which the 66th Magdeburg Infantry Regiment was taken.\"\n },\n {\n \"id\": \"169th_infantry_regiment\",\n \"entity_name\": \"169th Infantry Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"An infantry regiment taken from Baden's 29th Infantry Division to form part of the 52nd Infantry Division.\"\n },\n {\n \"id\": \"170th_infantry_regiment\",\n \"entity_name\": \"170th Infantry Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"An infantry regiment taken from Baden's 29th Infantry Division to form part of the 52nd Infantry Division.\"\n },\n {\n \"id\": \"29th_infantry_division\",\n \"entity_name\": \"29th Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the Imperial German Army from which the 169th and 170th Infantry Regiments were taken.\"\n },\n {\n \"id\": \"111th_infantry_regiment_margrave_ludwig_wilhelm\",\n \"entity_name\": \"111th Infantry Regiment 'Margrave Ludwig Wilhelm'\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A Baden regiment that replaced the 66th Magdeburg Infantry Regiment in the 52nd Infantry Division on April 6, 1917.\"\n },\n {\n \"id\": \"argonne_forest\",\n \"entity_name\": \"Argonne Forest\",\n \"entity_type\": \"Geographic Location\",\n \"entity_description\": \"A forest in northeastern France that was the scene of heavy fighting during World War I.\"\n },\n {\n \"id\": \"cornay\",\n \"entity_name\": \"Cornay\",\n \"entity_type\": \"Geographic Location\",\n \"entity_description\": \"A location in the Argonne Forest where heavy fighting took place on October 8, 1918.\"\n },\n {\n \"id\": \"82nd_us_infantry_division\",\n \"entity_name\": \"82nd US Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the United States Army that launched attacks in the Argonne Forest area during World War I.\"\n },\n {\n \"id\": \"328th_infantry_regiment\",\n \"entity_name\": \"328th Infantry Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A regiment of the 82nd US Infantry Division that participated in the liberation of Cornay and attacks in the Argonne Forest.\"\n },\n {\n \"id\": \"125th_landwehr_wuerttemberg_regiment\",\n \"entity_name\": \"125th Landwehr Wuerttemberg Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A German regiment that launched a counterattack against American forces on October 8, 1918.\"\n },\n {\n \"id\": \"212th_prussian_reserve_regiment\",\n \"entity_name\": \"212th Prussian Reserve Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A German regiment that participated in the counterattack against American forces on October 8, 1918.\"\n },\n {\n \"id\": \"alvin_c_york\",\n \"entity_name\": \"Cpl Alvin C. York\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"A corporal in the United States Army who captured 132 German soldiers and was awarded the US Medal of Honor.\"\n },\n {\n \"id\": \"102nd_infantry_division\",\n \"entity_name\": \"102nd Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A German military infantry division that served on the Eastern Front during World War II.\"\n },\n {\n \"id\": \"walter_e_lauer\",\n \"entity_name\": \"Major General Walter E. Lauer\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"A senior United States Army officer who commanded the 99th Infantry Division during the Battle of the Bulge in World War II.\"\n },\n {\n \"id\": \"99th_infantry_division\",\n \"entity_name\": \"99th Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the United States Army that held a key sector during the Battle of the Bulge.\"\n },\n {\n \"id\": \"2nd_infantry_division\",\n \"entity_name\": \"2nd Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A division of the United States Army that, along with the 99th Infantry Division, held a key sector during the Battle of the Bulge.\"\n },\n {\n \"id\": \"operation_roland\",\n \"entity_name\": \"Operation Roland\",\n \"entity_type\": \"Military Operation\",\n \"entity_description\": \"A local German offensive conducted within Operation Citadel on the southern side of the Kursk salient during World War II.\"\n },\n {\n \"id\": \"iii_panzer_corps\",\n \"entity_name\": \"III Panzer Corps\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A German corps that participated in Operation Roland during World War II.\"\n },\n {\n \"id\": \"2nd_ss_panzergrenadier_division_das_reich\",\n \"entity_name\": \"2nd SS Panzergrenadier Division Das Reich\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A German division that participated in Operation Roland during World War II.\"\n },\n {\n \"id\": \"ii_ss_panzer_corps\",\n \"entity_name\": \"II SS Panzer Corps\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A German corps that attempted to break Soviet forces during the Battle of Prokhorovka.\"\n },\n {\n \"id\": \"37th_field_artillery_regiment\",\n \"entity_name\": \"37th Field Artillery Regiment\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A field artillery regiment of the United States Army with a history dating back to World War I.\"\n },\n {\n \"id\": \"operation_citadel\",\n \"entity_name\": \"Operation Citadel\",\n \"entity_type\": \"Military Operation\",\n \"entity_description\": \"A German offensive operation against Soviet forces at the Kursk salient during World War II.\"\n },\n {\n \"id\": \"operation_polkovodets_rumyantsev\",\n \"entity_name\": \"Operation Polkovodets Rumyantsev\",\n \"entity_type\": \"Military Operation\",\n \"entity_description\": \"A Soviet counter-offensive during the Battle of Kursk in World War II.\"\n },\n {\n \"id\": \"operation_kutuzov\",\n \"entity_name\": \"Operation Kutuzov\",\n \"entity_type\": \"Military Operation\",\n \"entity_description\": \"A Soviet counter-offensive during the Battle of Kursk in World War II.\"\n },\n {\n \"id\": \"16th_panzer_division\",\n \"entity_name\": \"16th Panzer Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A German Army division that participated in World War II, including the Battle of Stalingrad.\"\n },\n {\n \"id\": \"52nd_lowland_infantry_division\",\n \"entity_name\": \"52nd (Lowland) Infantry Division\",\n \"entity_type\": \"Military Unit\",\n \"entity_description\": \"A British Army division that fought in both World Wars.\"\n },\n {\n \"id\": \"battle_of_kursk\",\n \"entity_name\": \"Battle of Kursk\",\n \"entity_type\": \"Military Conflict\",\n \"entity_description\": \"A major battle between German and Soviet forces in 1943 during World War II.\"\n }\n ],\n \"edges\": [\n {\n \"source_node_id\": \"52nd_infantry_division\",\n \"target_node_id\": \"imperial_german_army\",\n \"relationship_name\": \"part_of\"\n },\n {\n \"source_node_id\": \"52nd_infantry_division\",\n \"target_node_id\": \"grand_duchy_of_baden\",\n \"relationship_name\": \"sourced_regiments_from\"\n },\n {\n \"source_node_id\": \"52nd_infantry_division\",\n \"target_node_id\": \"prussian_saxony\",\n \"relationship_name\": \"sourced_regiments_from\"\n },\n {\n \"source_node_id\": \"66th_magdeburg_infantry_regiment\",\n \"target_node_id\": \"7th_infantry_division\",\n \"relationship_name\": \"taken_from\"\n },\n {\n \"source_node_id\": \"169th_infantry_regiment\",\n \"target_node_id\": \"29th_infantry_division\",\n \"relationship_name\": \"taken_from\"\n },\n {\n \"source_node_id\": \"170th_infantry_regiment\",\n \"target_node_id\": \"29th_infantry_division\",\n \"relationship_name\": \"taken_from\"\n },\n {\n \"source_node_id\": \"111th_infantry_regiment_margrave_ludwig_wilhelm\",\n \"target_node_id\": \"52nd_infantry_division\",\n \"relationship_name\": \"replaced_regiment_in\"\n },\n {\n \"source_node_id\": \"82nd_us_infantry_division\",\n \"target_node_id\": \"argonne_forest\",\n \"relationship_name\": \"fought_in\"\n },\n {\n \"source_node_id\": \"328th_infantry_regiment\",\n \"target_node_id\": \"82nd_us_infantry_division\",\n \"relationship_name\": \"part_of\"\n },\n {\n \"source_node_id\": \"125th_landwehr_wuerttemberg_regiment\",\n \"target_node_id\": \"cornay\",\n \"relationship_name\": \"counterattacked_at\"\n },\n {\n \"source_node_id\": \"212th_prussian_reserve_regiment\",\n \"target_node_id\": \"cornay\",\n \"relationship_name\": \"counterattacked_at\"\n },\n {\n \"source_node_id\": \"alvin_c_york\",\n \"target_node_id\": \"328th_infantry_regiment\",\n \"relationship_name\": \"served_in\"\n },\n {\n \"source_node_id\": \"102nd_infantry_division\",\n \"target_node_id\": \"imperial_german_army\",\n \"relationship_name\": \"part_of\"\n },\n {\n \"source_node_id\": \"walter_e_lauer\",\n \"target_node_id\": \"99th_infantry_division\",\n \"relationship_name\": \"commanded\"\n },\n {\n \"source_node_id\": \"99th_infantry_division\",\n \"target_node_id\": \"2nd_infantry_division\",\n \"relationship_name\": \"fought_alongside\"\n },\n {\n \"source_node_id\": \"operation_roland\",\n \"target_node_id\": \"iii_panzer_corps\",\n \"relationship_name\": \"included\"\n },\n {\n \"source_node_id\": \"operation_roland\",\n \"target_node_id\": \"2nd_ss_panzergrenadier_division_das_reich\",\n \"relationship_name\": \"included\"\n },\n {\n \"source_node_id\": \"ii_ss_panzer_corps\",\n \"target_node_id\": \"operation_roland\",\n \"relationship_name\": \"participated_in\"\n },\n {\n \"source_node_id\": \"37th_field_artillery_regiment\",\n \"target_node_id\": \"2nd_infantry_division\",\n \"relationship_name\": \"served_with\"\n },\n {\n \"source_node_id\": \"operation_citadel\",\n \"target_node_id\": \"battle_of_kursk\",\n \"relationship_name\": \"was_part_of\"\n },\n {\n \"source_node_id\": \"operation_polkovodets_rumyantsev\",\n \"target_node_id\": \"battle_of_kursk\",\n \"relationship_name\": \"was_part_of\"\n },\n {\n \"source_node_id\": \"operation_kutuzov\",\n \"target_node_id\": \"battle_of_kursk\",\n \"relationship_name\": \"was_part_of\"\n },\n {\n \"source_node_id\": \"16th_panzer_division\",\n \"target_node_id\": \"imperial_german_army\",\n \"relationship_name\": \"part_of\"\n },\n {\n \"source_node_id\": \"52nd_lowland_infantry_division\",\n \"target_node_id\": \"british_army\",\n \"relationship_name\": \"part_of\"\n }\n ]\n}\n```"
+ "text": "Rick Timmons ( , St. Petersburg , Florida ) American painter . attending Art Institute Dallas , joined Dallas Fire Department 1981 spent next thirteen years . commissioned oil portrait paintings picked numerous southwest art galleries 1987\/1988 chosen commemorative paintings New York Texas Firefighter 's Associations . 1994 Timmons left Dallas Fire Department became full-time painter . works mainly focused firefighting , portraits , equine art , southwest art bar murals . Duk Sung Son ( Hangul : \uc190\ub355\uc131 , Hanja : \u5b6b\u5fb7\u6210 ) ( June 17 , 1922 \u2013 March 29 , 2011 ) martial artist , Grand Master , 9th degree black belt , Co-Founder Korean martial art Tae Kwon , successor Kuk Lee leader Chung Kwan school ( 1950\u20131959 ) . also chief Instructor South Korean Army Eighth U.S. Army , founder president World Tae Kwon Association author books `` Korean Karate , Art Tae Kwon \u201d \u201c Black Belt Korean Karate `` . Nam Suk Lee ( June 28 , 1925 \u2013 August 29 , 2000 ) born city Yeo Joo , credited co-founding traditional Korean martial art Chang Moo Kwan mid-1940s , promoting expanding globally . Chang Moo Kwan one five original Kwans became Tae Kwon mid 1950s . later life Nam Suk Lee make seaside community San Pedro , California home , reestablished traditional roots Chang Moo Kwan . 75 still actively teaching Chang Moo Kwan San Pedro YMCA . Nam Suk Lee died neighboring Southern California community Torrance August 29 , 2000 , due stroke . Southwest Art magazine published F+W specializes fine art depicting artwork American Southwest . Tae Kwon Times magazine devoted martial art taekwondo , published United States America . title suggests focuses taekwondo exclusively , magazine also covers Korean martial arts . `` Tae Kwon Times '' published articles wide range authors , including He-Young Kimm , Thomas Kurz , Scott Shaw , Mark Van Schuyver . Rhee Taekwon-Do ( \ub9ac\ud0dc\uad8c\ub3c4 ; \u674e\u8dc6\u62f3\u9053 ) , also known Rhee Tae Kwon-Do , Rhee Tae Kwon , Rhee Taekwondo , martial art school Australia New Zealand teaching Korean martial art taekwondo . full name `` Rhee International Taekwon-Do '' `` ( Australia ) '' `` ( New Zealand ) '' appended . Chong Chul Rhee , one original masters taekwondo , founded school mid-1960s . Two Rhee 's brothers , Chong Hyup Rhee Chong Yoon Rhee , later came assist 1970s . Cho Hee Il ( born October 13 , 1940 ) prominent Korean-American master taekwondo , holding rank 9th `` dan '' martial art . written 11 martial art books , produced 70 martial art training videos , appeared 70 martial arts magazine covers . Cho several national international competitions taekwondo competitor , appeared several films , including `` Fight Win '' , `` Best Best '' , `` Bloodsport II '' , `` Bloodsport III '' . founded Action International Martial Arts Association ( AIMAA ) 1980 , President . Cho member `` Black Belt '' magazine 's Hall Fame `` Tae Kwon Times '' magazine 's Hall Fame . Yeon Hwan Park ( born June 29 , 1952 ) South Korean master taekwondo . currently earned ninth-degree black belt holds title kwan jang-nim ( Grandmaster ) direction Kukkiwon . Park undefeated Korean national champion Tae Kwon 1971 1975 former coach U.S. Olympic Pan-American Tae Kwon team . Scott Shaw ( often spelled Scott Shaw ! ) United States cartoonist animator , historian comics . Among Scott 's comic-book work Hanna-Barbera 's `` Flintstones '' ( Marvel Comics Harvey Comics ) , `` Captain Carrot Amazing Zoo Crew '' ( DC Comics ) , `` Simpsons Comics '' ( Bongo Comics ) . also first artist Archie Comics ' `` Sonic Hedgehog '' comic book series . Edward B . Sell ( died February 5 , 2014 ) American martial arts instructor , highest ranking non-Korean practitioner tae kwon , holding rank 9th degree black belt art .",
+ "error_graph_0": "ValueError('json output should start and end with { and }')",
+ "reasoning": "produce the graph. We will identify each individual entity and concept mentioned in the text, along with their attributes and relationships. We will then create nodes for each entity and concept, and edges to represent the relationships between them.",
+ "graph": "```json\n{\n \"nodes\": [\n {\n \"id\": \"rick_timmons\",\n \"entity_name\": \"Rick Timmons\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American painter from St. Petersburg, Florida\"\n },\n {\n \"id\": \"art_institute_dallas\",\n \"entity_name\": \"Art Institute Dallas\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Educational institution attended by Rick Timmons\"\n },\n {\n \"id\": \"dallas_fire_department\",\n \"entity_name\": \"Dallas Fire Department\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Organization where Rick Timmons worked for thirteen years\"\n },\n {\n \"id\": \"duk_sung_son\",\n \"entity_name\": \"Duk Sung Son\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Martial artist, Grand Master, and co-founder of Tae Kwon Do\"\n },\n {\n \"id\": \"tae_kwon_do\",\n \"entity_name\": \"Tae Kwon Do\",\n \"entity_type\": \"Martial Art\",\n \"entity_description\": \"Korean martial art co-founded by Duk Sung Son and others\"\n },\n {\n \"id\": \"chung_kwan_school\",\n \"entity_name\": \"Chung Kwan School\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Martial arts school led by Duk Sung Son from 1950 to 1959\"\n },\n {\n \"id\": \"nam_suk_lee\",\n \"entity_name\": \"Nam Suk Lee\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Co-founder of the traditional Korean martial art Chang Moo Kwan\"\n },\n {\n \"id\": \"chang_moo_kwan\",\n \"entity_name\": \"Chang Moo Kwan\",\n \"entity_type\": \"Martial Art\",\n \"entity_description\": \"Traditional Korean martial art co-founded by Nam Suk Lee\"\n },\n {\n \"id\": \"southwest_art_magazine\",\n \"entity_name\": \"Southwest Art Magazine\",\n \"entity_type\": \"Publication\",\n \"entity_description\": \"Magazine specializing in fine art of the American Southwest\"\n },\n {\n \"id\": \"tae_kwon_times_magazine\",\n \"entity_name\": \"Tae Kwon Times Magazine\",\n \"entity_type\": \"Publication\",\n \"entity_description\": \"Magazine devoted to the martial art of taekwondo\"\n },\n {\n \"id\": \"rhee_taekwon_do\",\n \"entity_name\": \"Rhee Taekwon-Do\",\n \"entity_type\": \"Martial Art School\",\n \"entity_description\": \"Martial art school in Australia and New Zealand teaching taekwondo\"\n },\n {\n \"id\": \"cho_hee_il\",\n \"entity_name\": \"Cho Hee Il\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Korean-American master of taekwondo\"\n },\n {\n \"id\": \"aimaa\",\n \"entity_name\": \"Action International Martial Arts Association\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Martial arts organization founded by Cho Hee Il\"\n },\n {\n \"id\": \"yeon_hwan_park\",\n \"entity_name\": \"Yeon Hwan Park\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"South Korean master of taekwondo\"\n },\n {\n \"id\": \"scott_shaw\",\n \"entity_name\": \"Scott Shaw\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"United States cartoonist, animator, and historian of comics\"\n },\n {\n \"id\": \"edward_b_sell\",\n \"entity_name\": \"Edward B. Sell\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American martial arts instructor and high-ranking practitioner of tae kwon do\"\n }\n ],\n \"edges\": [\n {\n \"source_node_id\": \"rick_timmons\",\n \"target_node_id\": \"art_institute_dallas\",\n \"relationship_name\": \"attended\"\n },\n {\n \"source_node_id\": \"rick_timmons\",\n \"target_node_id\": \"dallas_fire_department\",\n \"relationship_name\": \"joined\"\n },\n {\n \"source_node_id\": \"duk_sung_son\",\n \"target_node_id\": \"tae_kwon_do\",\n \"relationship_name\": \"co-founded\"\n },\n {\n \"source_node_id\": \"duk_sung_son\",\n \"target_node_id\": \"chung_kwan_school\",\n \"relationship_name\": \"led\"\n },\n {\n \"source_node_id\": \"nam_suk_lee\",\n \"target_node_id\": \"chang_moo_kwan\",\n \"relationship_name\": \"co-founded\"\n },\n {\n \"source_node_id\": \"cho_hee_il\",\n \"target_node_id\": \"aimaa\",\n \"relationship_name\": \"founded\"\n },\n {\n \"source_node_id\": \"yeon_hwan_park\",\n \"target_node_id\": \"tae_kwon_do\",\n \"relationship_name\": \"is a master of\"\n },\n {\n \"source_node_id\": \"scott_shaw\",\n \"target_node_id\": \"tae_kwon_times_magazine\",\n \"relationship_name\": \"contributed to\"\n },\n {\n \"source_node_id\": \"edward_b_sell\",\n \"target_node_id\": \"tae_kwon_do\",\n \"relationship_name\": \"practitioner of\"\n }\n ]\n}\n```\n\nThis graph represents the entities and their relationships as described in the text. Each node is an entity with a unique ID, name, type, and description. The edges represent the relationships between these entities, such as \"attended,\" \"joined,\" \"co-founded,\" \"led,\" \"founded,\" \"is a master of,\" \"contributed to,\" and \"practitioner of.\""
},
{
"augmented": true,
- "text": "Dunsinane 2010 play David Greig . premiered Royal Shakespeare Company production Hampstead Theatre 10 February 6 March 2010 , directed RSC Associate Director Roxana Silbert leads including Siobhan Redmond Jonny Phillips . Teresa Banham , also known credited Theresa Banham ( born 1964 ) British television theatre actress perhaps best known playing role Broadfell Prison Governor first part `` Doctor '' Christmas special , `` End Time '' role `` Rebecca '' television show `` Robin Hood '' . 2012 , appeared Sor Sebastiana original Royal Shakespeare Company production Helen Edmundson 's `` Heresy Love '' . Quvenzhan\u00e9 Wallis ( ; born August 28 , 2003 ) American child actress . known role Hushpuppy drama film `` Beasts Southern Wild '' ( 2012 ) , became youngest actress ever receive nomination Academy Award Best Actress , first person born 21st century nominated acting Oscar . Short film Shore directed Terry George , appears Ciar\u00e1n Hinds , Conleth Hill Kerry Condon , Academy award Short Film , Live Action category 84th Academy Awards February 2012 . October 1983 , Riverside Shakespeare Company , New York City 's year-round professional Shakespeare theatre company , inaugurated `` Shakespeare Project '' , based theatre company 's home Upper West Side Manhattan , Shakespeare Center . `` Shakespeare Project '' first major New York residency actors Royal Shakespeare Company - Edwin Richfield , Heather Canning , Christopher Ravenscroft , Jennie Stoller John Kane ( later two Peter Brook 's `` Midsummer Night 's Dream '' ) - week public workshops , panel discussions , seminars performances company 's Upper West Side theatre , Shakespeare Center . event launched luncheon Shakespeare Room Algonquin Hotel attended Joseph Papp , Helen Hayes , Frank Rich , Gloria Skurski , W. Stuart McDowell , members Royal Shakespeare Company mid October 1983 . According `` New York Times '' , one thousand actors , students , teachers stage directors , ages 15 87 , signed 22 sessions taught leading actors London 's Royal Shakespeare Company . Stephen Boxer ( born 19 May 1950 ) English actor appeared films , television stage perhaps best known appearing Joe BBC One daytime soap opera `` Doctors '' . took break show mid-2008 appear Petruchio Royal Shakespeare Company production `` Taming Shrew '' , returning Mill surgery episodes November 2010 . Mary Badham ( born October 7 , 1952 ) American actress , known portrayal Jean Louise `` Scout '' Finch `` Kill Mockingbird '' ( 1962 ) , nominated Academy Award Best Supporting Actress . time , Badham ( aged 10 ) youngest actress ever nominated category . Macbeth 1979 videotaped version Trevor Nunn 's Royal Shakespeare Company production play William Shakespeare . Produced Thames Television , features Ian McKellen Macbeth Judi Dench Lady Macbeth . TV version directed Philip Casson . Royal Shakespeare Theatre ( RST ) 1,040+ seat thrust stage theatre owned Royal Shakespeare Company dedicated English playwright poet William Shakespeare . located town Stratford-upon-Avon \u2013 Shakespeare 's birthplace \u2013 English Midlands , beside River Avon . Royal Shakespeare Swan Theatres re-opened November 2010 undergoing major renovation known Transformation Project . Kerry Condon ( born 4 January 1983 ) Irish television film actress , best known role Octavia Julii HBO\/BBC series `` Rome , '' Stacey Ehrmantraut AMC 's `` Better Call Saul '' voice F.R.I.D.A.Y . various films Marvel Cinematic Universe . also youngest actress ever play Ophelia Royal Shakespeare Company production `` Hamlet . ''",
- "reasoning": "produce the graph. We will identify entities such as people, organizations, titles of works, and events, and then establish the relationships between them.",
- "graph": "```json\n{\n \"nodes\": [\n {\n \"id\": \"dunsinane_2010_play\",\n \"entity_name\": \"Dunsinane\",\n \"entity_type\": \"Play\",\n \"entity_description\": \"A 2010 play by David Greig\"\n },\n {\n \"id\": \"david_greig\",\n \"entity_name\": \"David Greig\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Playwright of Dunsinane\"\n },\n {\n \"id\": \"royal_shakespeare_company\",\n \"entity_name\": \"Royal Shakespeare Company\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"A major British theatre company\"\n },\n {\n \"id\": \"hampstead_theatre\",\n \"entity_name\": \"Hampstead Theatre\",\n \"entity_type\": \"Venue\",\n \"entity_description\": \"Theatre where Dunsinane premiered\"\n },\n {\n \"id\": \"roxana_silbert\",\n \"entity_name\": \"Roxana Silbert\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Director and RSC Associate Director\"\n },\n {\n \"id\": \"siobhan_redmond\",\n \"entity_name\": \"Siobhan Redmond\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actress who led in Dunsinane\"\n },\n {\n \"id\": \"jonny_phillips\",\n \"entity_name\": \"Jonny Phillips\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actor who led in Dunsinane\"\n },\n {\n \"id\": \"teresa_banham\",\n \"entity_name\": \"Teresa Banham\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"British television and theatre actress\"\n },\n {\n \"id\": \"doctor_who\",\n \"entity_name\": \"Doctor Who\",\n \"entity_type\": \"Television Show\",\n \"entity_description\": \"British science fiction television series\"\n },\n {\n \"id\": \"robin_hood\",\n \"entity_name\": \"Robin Hood\",\n \"entity_type\": \"Television Show\",\n \"entity_description\": \"Television show in which Teresa Banham played 'Rebecca'\"\n },\n {\n \"id\": \"heresy_of_love\",\n \"entity_name\": \"Heresy of Love\",\n \"entity_type\": \"Play\",\n \"entity_description\": \"A play by Helen Edmundson\"\n },\n {\n \"id\": \"quvenzhane_wallis\",\n \"entity_name\": \"Quvenzhan\u00e9 Wallis\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American child actress\"\n },\n {\n \"id\": \"beasts_of_the_southern_wild\",\n \"entity_name\": \"Beasts of the Southern Wild\",\n \"entity_type\": \"Film\",\n \"entity_description\": \"Drama film where Quvenzhan\u00e9 Wallis played Hushpuppy\"\n },\n {\n \"id\": \"academy_award_best_actress_nomination\",\n \"entity_name\": \"Academy Award for Best Actress\",\n \"entity_type\": \"Award\",\n \"entity_description\": \"Award for which Quvenzhan\u00e9 Wallis was nominated\"\n },\n {\n \"id\": \"the_shore\",\n \"entity_name\": \"The Shore\",\n \"entity_type\": \"Short Film\",\n \"entity_description\": \"Short film directed by Terry George\"\n },\n {\n \"id\": \"terry_george\",\n \"entity_name\": \"Terry George\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Director of The Shore\"\n },\n {\n \"id\": \"ciaran_hinds\",\n \"entity_name\": \"Ciar\u00e1n Hinds\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actor who appears in The Shore\"\n },\n {\n \"id\": \"conleth_hill\",\n \"entity_name\": \"Conleth Hill\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actor who appears in The Shore\"\n },\n {\n \"id\": \"kerry_condon\",\n \"entity_name\": \"Kerry Condon\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actress who appears in The Shore\"\n },\n {\n \"id\": \"academy_award_short_film_live_action\",\n \"entity_name\": \"Academy Award for Short Film, Live Action\",\n \"entity_type\": \"Award\",\n \"entity_description\": \"Award category at the 84th Academy Awards\"\n },\n {\n \"id\": \"riverside_shakespeare_company\",\n \"entity_name\": \"Riverside Shakespeare Company\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"New York City's year-round professional Shakespeare theatre company\"\n },\n {\n \"id\": \"shakespeare_project\",\n \"entity_name\": \"Shakespeare Project\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A residency by actors of the Royal Shakespeare Company in New York\"\n },\n {\n \"id\": \"shakespeare_center\",\n \"entity_name\": \"Shakespeare Center\",\n \"entity_type\": \"Venue\",\n \"entity_description\": \"Home of the Riverside Shakespeare Company\"\n },\n {\n \"id\": \"algonquin_hotel\",\n \"entity_name\": \"Algonquin Hotel\",\n \"entity_type\": \"Venue\",\n \"entity_description\": \"Location of the luncheon that launched the Shakespeare Project\"\n },\n {\n \"id\": \"joseph_papp\",\n \"entity_name\": \"Joseph Papp\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Theatre producer who attended the Shakespeare Project launch\"\n },\n {\n \"id\": \"helen_hayes\",\n \"entity_name\": \"Helen Hayes\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actress who attended the Shakespeare Project launch\"\n },\n {\n \"id\": \"frank_rich\",\n \"entity_name\": \"Frank Rich\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Journalist who attended the Shakespeare Project launch\"\n },\n {\n \"id\": \"gloria_skurski\",\n \"entity_name\": \"Gloria Skurski\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Person associated with the Shakespeare Project launch\"\n },\n {\n \"id\": \"w_stuart_mcdowell\",\n \"entity_name\": \"W. Stuart McDowell\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Person associated with the Shakespeare Project launch\"\n },\n {\n \"id\": \"stephen_boxer\",\n \"entity_name\": \"Stephen Boxer\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"English actor known for appearing in 'Doctors'\"\n },\n {\n \"id\": \"doctors_tv_show\",\n \"entity_name\": \"Doctors\",\n \"entity_type\": \"Television Show\",\n \"entity_description\": \"BBC One daytime soap opera\"\n },\n {\n \"id\": \"taming_of_the_shrew\",\n \"entity_name\": \"Taming of the Shrew\",\n \"entity_type\": \"Play\",\n \"entity_description\": \"Play by William Shakespeare\"\n },\n {\n \"id\": \"mary_badham\",\n \"entity_name\": \"Mary Badham\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actress known for playing Scout in 'To Kill a Mockingbird'\"\n },\n {\n \"id\": \"to_kill_a_mockingbird\",\n \"entity_name\": \"To Kill a Mockingbird\",\n \"entity_type\": \"Film\",\n \"entity_description\": \"Film where Mary Badham played Jean Louise 'Scout' Finch\"\n },\n {\n \"id\": \"academy_award_best_supporting_actress_nomination\",\n \"entity_name\": \"Academy Award for Best Supporting Actress\",\n \"entity_type\": \"Award\",\n \"entity_description\": \"Award for which Mary Badham was nominated\"\n },\n {\n \"id\": \"macbeth_1979_film\",\n \"entity_name\": \"Macbeth\",\n \"entity_type\": \"Film\",\n \"entity_description\": \"1979 videotaped version of the Royal Shakespeare Company production\"\n },\n {\n \"id\": \"trevor_nunn\",\n \"entity_name\": \"Trevor Nunn\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Director of the Royal Shakespeare Company production of Macbeth\"\n },\n {\n \"id\": \"ian_mckellen\",\n \"entity_name\": \"Ian McKellen\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actor who played Macbeth in the 1979 film\"\n },\n {\n \"id\": \"judi_dench\",\n \"entity_name\": \"Judi Dench\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actress who played Lady Macbeth in the 1979 film\"\n },\n {\n \"id\": \"philip_casson\",\n \"entity_name\": \"Philip Casson\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Director of the TV version of Macbeth\"\n },\n {\n \"id\": \"royal_shakespeare_theatre\",\n \"entity_name\": \"Royal Shakespeare Theatre\",\n \"entity_type\": \"Venue\",\n \"entity_description\": \"Theatre owned by the Royal Shakespeare Company\"\n },\n {\n \"id\": \"swan_theatre\",\n \"entity_name\": \"Swan Theatre\",\n \"entity_type\": \"Venue\",\n \"entity_description\": \"Theatre re-opened alongside the Royal Shakespeare Theatre in 2010\"\n },\n {\n \"id\": \"transformation_project\",\n \"entity_name\": \"Transformation Project\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"Major renovation of the Royal Shakespeare and Swan Theatres\"\n },\n {\n \"id\": \"rome_tv_series\",\n \"entity_name\": \"Rome\",\n \"entity_type\": \"Television Series\",\n \"entity_description\": \"HBO\/BBC series in which Kerry Condon played Octavia Julii\"\n },\n {\n \"id\": \"better_call_saul\",\n \"entity_name\": \"Better Call Saul\",\n \"entity_type\": \"Television Series\",\n \"entity_description\": \"AMC series in which Kerry Condon played Stacey Ehrmantraut\"\n },\n {\n \"id\": \"friday\",\n \"entity_name\": \"F.R.I.D.A.Y.\",\n \"entity_type\": \"Character\",\n \"entity_description\": \"Character voiced by Kerry Condon in the Marvel Cinematic Universe\"\n },\n {\n \"id\": \"marvel_cinematic_universe\",\n \"entity_name\": \"Marvel Cinematic Universe\",\n \"entity_type\": \"Franchise\",\n \"entity_description\": \"Media franchise and shared universe centered on a series of superhero films\"\n },\n {\n \"id\": \"hamlet\",\n \"entity_name\": \"Hamlet\",\n \"entity_type\": \"Play\",\n \"entity_description\": \"Play by William Shakespeare\"\n }\n ],\n \"edges\": [\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"david_greig\",\n \"relationship_name\": \"written_by\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"royal_shakespeare_company\",\n \"relationship_name\": \"premiered_by\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"hampstead_theatre\",\n \"relationship_name\": \"premiered_at\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"roxana_silbert\",\n \"relationship_name\": \"directed_by\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"siobhan_redmond\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"jonny_phillips\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"teresa_banham\",\n \"target_node_id\": \"doctor_who\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"teresa_banham\",\n \"target_node_id\": \"robin_hood\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"teresa_banham\",\n \"target_node_id\": \"heresy_of_love\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"quvenzhane_wallis\",\n \"target_node_id\": \"beasts_of_the_southern_wild\",\n \"relationship_name\": \"starred_in\"\n },\n {\n \"source_node_id\": \"quvenzhane_wallis\",\n \"target_node_id\": \"academy_award_best_actress_nomination\",\n \"relationship_name\": \"nominated_for\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"terry_george\",\n \"relationship_name\": \"directed_by\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"ciaran_hinds\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"conleth_hill\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"kerry_condon\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"academy_award_short_film_live_action\",\n \"relationship_name\": \"won\"\n },\n {\n \"source_node_id\": \"riverside_shakespeare_company\",\n \"target_node_id\": \"shakespeare_project\",\n \"relationship_name\": \"inaugurated\"\n },\n {\n \"source_node_id\": \"shakespeare_project\",\n \"target_node_id\": \"shakespeare_center\",\n \"relationship_name\": \"based_at\"\n },\n {\n \"source_node_id\": \"shakespeare_project\",\n \"target_node_id\": \"algonquin_hotel\",\n \"relationship_name\": \"launched_at\"\n },\n {\n \"source_node_id\": \"shakespeare_project\",\n \"target_node_id\": \"joseph_papp\",\n \"relationship_name\": \"attended_by\"\n },\n {\n \"source_node_id\": \"shakespeare_project\",\n \"target_node_id\": \"helen_hayes\",\n \"relationship_name\": \"attended_by\"\n },\n {\n \"source_node_id\": \"shakespeare_project\",\n \"target_node_id\": \"frank_rich\",\n \"relationship_name\": \"attended_by\"\n },\n {\n \"source_node_id\": \"shakespeare_project\",\n \"target_node_id\": \"gloria_skurski\",\n \"relationship_name\": \"attended_by\"\n },\n {\n \"source_node_id\": \"shakespeare_project\",\n \"target_node_id\": \"w_stuart_mcdowell\",\n \"relationship_name\": \"attended_by\"\n },\n {\n \"source_node_id\": \"stephen_boxer\",\n \"target_node_id\": \"doctors_tv_show\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"stephen_boxer\",\n \"target_node_id\": \"taming_of_the_shrew\",\n \"relationship_name\": \"performed_in\"\n },\n {\n \"source_node_id\": \"mary_badham\",\n \"target_node_id\": \"to_kill_a_mockingbird\",\n \"relationship_name\": \"starred_in\"\n },\n {\n \"source_node_id\": \"mary_badham\",\n \"target_node_id\": \"academy_award_best_supporting_actress_nomination\",\n \"relationship_name\": \"nominated_for\"\n },\n {\n \"source_node_id\": \"macbeth_1979_film\",\n \"target_node_id\": \"trevor_nunn\",\n \"relationship_name\": \"directed_by\"\n },\n {\n \"source_node_id\": \"macbeth_1979_film\",\n \"target_node_id\": \"ian_mckellen\",\n \"relationship_name\": \"starred_in\"\n },\n {\n \"source_node_id\": \"macbeth_1979_film\",\n \"target_node_id\": \"judi_dench\",\n \"relationship_name\": \"starred_in\"\n },\n {\n \"source_node_id\": \"macbeth_1979_film\",\n \"target_node_id\": \"philip_casson\",\n \"relationship_name\": \"TV_version_directed_by\"\n },\n {\n \"source_node_id\": \"royal_shakespeare_theatre\",\n \"target_node_id\": \"royal_shakespeare_company\",\n \"relationship_name\": \"owned_by\"\n },\n {\n \"source_node_id\": \"swan_theatre\",\n \"target_node_id\": \"transformation_project\",\n \"relationship_name\": \"renovated_during\"\n },\n {\n \"source_node_id\": \"kerry_condon\",\n \"target_node_id\": \"rome_tv_series\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"kerry_condon\",\n \"target_node_id\": \"better_call_saul\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"kerry_condon\",\n \"target_node_id\": \"friday\",\n \"relationship_name\": \"voiced\"\n },\n {\n \"source_node_id\": \"friday\",\n \"target_node_id\": \"marvel_cinematic_universe\",\n \"relationship_name\": \"part_of\"\n },\n {\n \"source_node_id\": \"kerry_condon\",\n \"target_node_id\": \"hamlet\",\n \"relationship_name\": \"played_Ophelia_in\"\n }\n ]\n}\n```\n\nThis graph represents the entities and their relationships as described in the text. Each node represents an entity such as a person, play, film, theatre, or organization, and each edge represents a relationship between two entities, such as \"written_by,\" \"starred_in,\" \"directed_by,\" \"appeared_in,\" \"owned_by,\" \"nominated_for,\" \"won,\" \"launched_at,\" \"attended_by,\" \"performed_in,\" \"renovated_during,\" \"voiced,\" and \"part_of"
+ "text": "Rick Timmons ( , St. Petersburg , Florida ) American painter . attending Art Institute Dallas , joined Dallas Fire Department 1981 spent next thirteen years . commissioned oil portrait paintings picked numerous southwest art galleries 1987\/1988 chosen commemorative paintings New York Texas Firefighter 's Associations . 1994 Timmons left Dallas Fire Department became full-time painter . works mainly focused firefighting , portraits , equine art , southwest art bar murals . Duk Sung Son ( Hangul : \uc190\ub355\uc131 , Hanja : \u5b6b\u5fb7\u6210 ) ( June 17 , 1922 \u2013 March 29 , 2011 ) martial artist , Grand Master , 9th degree black belt , Co-Founder Korean martial art Tae Kwon , successor Kuk Lee leader Chung Kwan school ( 1950\u20131959 ) . also chief Instructor South Korean Army Eighth U.S. Army , founder president World Tae Kwon Association author books `` Korean Karate , Art Tae Kwon \u201d \u201c Black Belt Korean Karate `` . Nam Suk Lee ( June 28 , 1925 \u2013 August 29 , 2000 ) born city Yeo Joo , credited co-founding traditional Korean martial art Chang Moo Kwan mid-1940s , promoting expanding globally . Chang Moo Kwan one five original Kwans became Tae Kwon mid 1950s . later life Nam Suk Lee make seaside community San Pedro , California home , reestablished traditional roots Chang Moo Kwan . 75 still actively teaching Chang Moo Kwan San Pedro YMCA . Nam Suk Lee died neighboring Southern California community Torrance August 29 , 2000 , due stroke . Southwest Art magazine published F+W specializes fine art depicting artwork American Southwest . Tae Kwon Times magazine devoted martial art taekwondo , published United States America . title suggests focuses taekwondo exclusively , magazine also covers Korean martial arts . `` Tae Kwon Times '' published articles wide range authors , including He-Young Kimm , Thomas Kurz , Scott Shaw , Mark Van Schuyver . Rhee Taekwon-Do ( \ub9ac\ud0dc\uad8c\ub3c4 ; \u674e\u8dc6\u62f3\u9053 ) , also known Rhee Tae Kwon-Do , Rhee Tae Kwon , Rhee Taekwondo , martial art school Australia New Zealand teaching Korean martial art taekwondo . full name `` Rhee International Taekwon-Do '' `` ( Australia ) '' `` ( New Zealand ) '' appended . Chong Chul Rhee , one original masters taekwondo , founded school mid-1960s . Two Rhee 's brothers , Chong Hyup Rhee Chong Yoon Rhee , later came assist 1970s . Cho Hee Il ( born October 13 , 1940 ) prominent Korean-American master taekwondo , holding rank 9th `` dan '' martial art . written 11 martial art books , produced 70 martial art training videos , appeared 70 martial arts magazine covers . Cho several national international competitions taekwondo competitor , appeared several films , including `` Fight Win '' , `` Best Best '' , `` Bloodsport II '' , `` Bloodsport III '' . founded Action International Martial Arts Association ( AIMAA ) 1980 , President . Cho member `` Black Belt '' magazine 's Hall Fame `` Tae Kwon Times '' magazine 's Hall Fame . Yeon Hwan Park ( born June 29 , 1952 ) South Korean master taekwondo . currently earned ninth-degree black belt holds title kwan jang-nim ( Grandmaster ) direction Kukkiwon . Park undefeated Korean national champion Tae Kwon 1971 1975 former coach U.S. Olympic Pan-American Tae Kwon team . Scott Shaw ( often spelled Scott Shaw ! ) United States cartoonist animator , historian comics . Among Scott 's comic-book work Hanna-Barbera 's `` Flintstones '' ( Marvel Comics Harvey Comics ) , `` Captain Carrot Amazing Zoo Crew '' ( DC Comics ) , `` Simpsons Comics '' ( Bongo Comics ) . also first artist Archie Comics ' `` Sonic Hedgehog '' comic book series . Edward B . Sell ( died February 5 , 2014 ) American martial arts instructor , highest ranking non-Korean practitioner tae kwon , holding rank 9th degree black belt art .",
+ "error_graph_0": "ValueError('json output should start and end with { and }')",
+ "error_graph_1": "ValueError(\"Don't write anything after the final json ```\")",
+ "reasoning": "produce the graph. We will identify entities and their types, such as people, places, organizations, and concepts. Then, we will establish relationships between these entities based on the text provided.",
+ "graph": "```json\n{\n \"nodes\": [\n {\n \"id\": \"rick_timmons\",\n \"entity_name\": \"Rick Timmons\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American painter from St. Petersburg, Florida\"\n },\n {\n \"id\": \"art_institute_dallas\",\n \"entity_name\": \"Art Institute Dallas\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Educational institution attended by Rick Timmons\"\n },\n {\n \"id\": \"dallas_fire_department\",\n \"entity_name\": \"Dallas Fire Department\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Organization where Rick Timmons worked for thirteen years\"\n },\n {\n \"id\": \"duk_sung_son\",\n \"entity_name\": \"Duk Sung Son\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Martial artist, Grand Master, and Co-Founder of Tae Kwon\"\n },\n {\n \"id\": \"tae_kwon\",\n \"entity_name\": \"Tae Kwon\",\n \"entity_type\": \"Martial Art\",\n \"entity_description\": \"Korean martial art co-founded by Duk Sung Son\"\n },\n {\n \"id\": \"chung_kwan_school\",\n \"entity_name\": \"Chung Kwan school\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Martial arts school led by Duk Sung Son from 1950 to 1959\"\n },\n {\n \"id\": \"nam_suk_lee\",\n \"entity_name\": \"Nam Suk Lee\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Co-founder of the traditional Korean martial art Chang Moo Kwan\"\n },\n {\n \"id\": \"chang_moo_kwan\",\n \"entity_name\": \"Chang Moo Kwan\",\n \"entity_type\": \"Martial Art\",\n \"entity_description\": \"Traditional Korean martial art co-founded by Nam Suk Lee\"\n },\n {\n \"id\": \"san_pedro_california\",\n \"entity_name\": \"San Pedro, California\",\n \"entity_type\": \"Location\",\n \"entity_description\": \"Seaside community where Nam Suk Lee reestablished Chang Moo Kwan\"\n },\n {\n \"id\": \"southwest_art_magazine\",\n \"entity_name\": \"Southwest Art magazine\",\n \"entity_type\": \"Publication\",\n \"entity_description\": \"Magazine specializing in fine art of the American Southwest\"\n },\n {\n \"id\": \"tae_kwon_times_magazine\",\n \"entity_name\": \"Tae Kwon Times magazine\",\n \"entity_type\": \"Publication\",\n \"entity_description\": \"Magazine devoted to the martial art of taekwondo\"\n },\n {\n \"id\": \"rhee_taekwon_do\",\n \"entity_name\": \"Rhee Taekwon-Do\",\n \"entity_type\": \"Martial Art School\",\n \"entity_description\": \"Martial art school in Australia and New Zealand teaching taekwondo\"\n },\n {\n \"id\": \"chong_chul_rhee\",\n \"entity_name\": \"Chong Chul Rhee\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Founder of Rhee Taekwon-Do\"\n },\n {\n \"id\": \"cho_hee_il\",\n \"entity_name\": \"Cho Hee Il\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Korean-American master of taekwondo\"\n },\n {\n \"id\": \"aimaa\",\n \"entity_name\": \"Action International Martial Arts Association\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"Martial arts association founded by Cho Hee Il\"\n },\n {\n \"id\": \"yeon_hwan_park\",\n \"entity_name\": \"Yeon Hwan Park\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"South Korean master of taekwondo\"\n },\n {\n \"id\": \"scott_shaw\",\n \"entity_name\": \"Scott Shaw\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"United States cartoonist, animator, and historian of comics\"\n },\n {\n \"id\": \"edward_b_sell\",\n \"entity_name\": \"Edward B. Sell\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American martial arts instructor and high-ranking practitioner of tae kwon\"\n }\n ],\n \"edges\": [\n {\n \"source_node_id\": \"rick_timmons\",\n \"target_node_id\": \"art_institute_dallas\",\n \"relationship_name\": \"attended\"\n },\n {\n \"source_node_id\": \"rick_timmons\",\n \"target_node_id\": \"dallas_fire_department\",\n \"relationship_name\": \"joined\"\n },\n {\n \"source_node_id\": \"duk_sung_son\",\n \"target_node_id\": \"tae_kwon\",\n \"relationship_name\": \"co-founded\"\n },\n {\n \"source_node_id\": \"duk_sung_son\",\n \"target_node_id\": \"chung_kwan_school\",\n \"relationship_name\": \"led\"\n },\n {\n \"source_node_id\": \"nam_suk_lee\",\n \"target_node_id\": \"chang_moo_kwan\",\n \"relationship_name\": \"co-founded\"\n },\n {\n \"source_node_id\": \"nam_suk_lee\",\n \"target_node_id\": \"san_pedro_california\",\n \"relationship_name\": \"made_home\"\n },\n {\n \"source_node_id\": \"rhee_taekwon_do\",\n \"target_node_id\": \"chong_chul_rhee\",\n \"relationship_name\": \"founded_by\"\n },\n {\n \"source_node_id\": \"cho_hee_il\",\n \"target_node_id\": \"aimaa\",\n \"relationship_name\": \"founded\"\n },\n {\n \"source_node_id\": \"yeon_hwan_park\",\n \"target_node_id\": \"tae_kwon\",\n \"relationship_name\": \"expert_of\"\n },\n {\n \"source_node_id\": \"edward_b_sell\",\n \"target_node_id\": \"tae_kwon\",\n \"relationship_name\": \"practitioner_of\"\n }\n ]\n}\n```"
},
{
"augmented": true,
- "text": "Dunsinane 2010 play David Greig . premiered Royal Shakespeare Company production Hampstead Theatre 10 February 6 March 2010 , directed RSC Associate Director Roxana Silbert leads including Siobhan Redmond Jonny Phillips . Teresa Banham , also known credited Theresa Banham ( born 1964 ) British television theatre actress perhaps best known playing role Broadfell Prison Governor first part `` Doctor '' Christmas special , `` End Time '' role `` Rebecca '' television show `` Robin Hood '' . 2012 , appeared Sor Sebastiana original Royal Shakespeare Company production Helen Edmundson 's `` Heresy Love '' . Quvenzhan\u00e9 Wallis ( ; born August 28 , 2003 ) American child actress . known role Hushpuppy drama film `` Beasts Southern Wild '' ( 2012 ) , became youngest actress ever receive nomination Academy Award Best Actress , first person born 21st century nominated acting Oscar . Short film Shore directed Terry George , appears Ciar\u00e1n Hinds , Conleth Hill Kerry Condon , Academy award Short Film , Live Action category 84th Academy Awards February 2012 . October 1983 , Riverside Shakespeare Company , New York City 's year-round professional Shakespeare theatre company , inaugurated `` Shakespeare Project '' , based theatre company 's home Upper West Side Manhattan , Shakespeare Center . `` Shakespeare Project '' first major New York residency actors Royal Shakespeare Company - Edwin Richfield , Heather Canning , Christopher Ravenscroft , Jennie Stoller John Kane ( later two Peter Brook 's `` Midsummer Night 's Dream '' ) - week public workshops , panel discussions , seminars performances company 's Upper West Side theatre , Shakespeare Center . event launched luncheon Shakespeare Room Algonquin Hotel attended Joseph Papp , Helen Hayes , Frank Rich , Gloria Skurski , W. Stuart McDowell , members Royal Shakespeare Company mid October 1983 . According `` New York Times '' , one thousand actors , students , teachers stage directors , ages 15 87 , signed 22 sessions taught leading actors London 's Royal Shakespeare Company . Stephen Boxer ( born 19 May 1950 ) English actor appeared films , television stage perhaps best known appearing Joe BBC One daytime soap opera `` Doctors '' . took break show mid-2008 appear Petruchio Royal Shakespeare Company production `` Taming Shrew '' , returning Mill surgery episodes November 2010 . Mary Badham ( born October 7 , 1952 ) American actress , known portrayal Jean Louise `` Scout '' Finch `` Kill Mockingbird '' ( 1962 ) , nominated Academy Award Best Supporting Actress . time , Badham ( aged 10 ) youngest actress ever nominated category . Macbeth 1979 videotaped version Trevor Nunn 's Royal Shakespeare Company production play William Shakespeare . Produced Thames Television , features Ian McKellen Macbeth Judi Dench Lady Macbeth . TV version directed Philip Casson . Royal Shakespeare Theatre ( RST ) 1,040+ seat thrust stage theatre owned Royal Shakespeare Company dedicated English playwright poet William Shakespeare . located town Stratford-upon-Avon \u2013 Shakespeare 's birthplace \u2013 English Midlands , beside River Avon . Royal Shakespeare Swan Theatres re-opened November 2010 undergoing major renovation known Transformation Project . Kerry Condon ( born 4 January 1983 ) Irish television film actress , best known role Octavia Julii HBO\/BBC series `` Rome , '' Stacey Ehrmantraut AMC 's `` Better Call Saul '' voice F.R.I.D.A.Y . various films Marvel Cinematic Universe . also youngest actress ever play Ophelia Royal Shakespeare Company production `` Hamlet . ''",
- "error_graph_0": "ValueError(\"Don't write anything after the final json ```\")",
- "reasoning": "produce the graph. We will identify entities such as people, organizations, titles of works, and events, and then establish the relationships between them. We will ensure that each node represents a unique entity or concept and that each edge accurately reflects the relationship between the nodes it connects.",
- "graph": "```json\n{\n \"nodes\": [\n {\n \"id\": \"dunsinane_2010_play\",\n \"entity_name\": \"Dunsinane\",\n \"entity_type\": \"Play\",\n \"entity_description\": \"A play from 2010 by David Greig\"\n },\n {\n \"id\": \"david_greig\",\n \"entity_name\": \"David Greig\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Playwright of Dunsinane\"\n },\n {\n \"id\": \"royal_shakespeare_company\",\n \"entity_name\": \"Royal Shakespeare Company\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"A major British theatre company\"\n },\n {\n \"id\": \"hampstead_theatre\",\n \"entity_name\": \"Hampstead Theatre\",\n \"entity_type\": \"Venue\",\n \"entity_description\": \"Theatre where Dunsinane premiered\"\n },\n {\n \"id\": \"roxana_silbert\",\n \"entity_name\": \"Roxana Silbert\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"RSC Associate Director who directed Dunsinane\"\n },\n {\n \"id\": \"siobhan_redmond\",\n \"entity_name\": \"Siobhan Redmond\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actress known for her lead role in Dunsinane\"\n },\n {\n \"id\": \"jonny_phillips\",\n \"entity_name\": \"Jonny Phillips\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actor known for his lead role in Dunsinane\"\n },\n {\n \"id\": \"teresa_banham\",\n \"entity_name\": \"Teresa Banham\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"British television and theatre actress\"\n },\n {\n \"id\": \"doctor_who\",\n \"entity_name\": \"Doctor Who\",\n \"entity_type\": \"Television Show\",\n \"entity_description\": \"British science fiction television series\"\n },\n {\n \"id\": \"robin_hood\",\n \"entity_name\": \"Robin Hood\",\n \"entity_type\": \"Television Show\",\n \"entity_description\": \"Television show in which Teresa Banham played 'Rebecca'\"\n },\n {\n \"id\": \"heresy_of_love\",\n \"entity_name\": \"Heresy of Love\",\n \"entity_type\": \"Play\",\n \"entity_description\": \"A play by Helen Edmundson\"\n },\n {\n \"id\": \"quvenzhane_wallis\",\n \"entity_name\": \"Quvenzhan\u00e9 Wallis\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American child actress\"\n },\n {\n \"id\": \"beasts_of_the_southern_wild\",\n \"entity_name\": \"Beasts of the Southern Wild\",\n \"entity_type\": \"Film\",\n \"entity_description\": \"Drama film where Quvenzhan\u00e9 Wallis played Hushpuppy\"\n },\n {\n \"id\": \"academy_award_for_best_actress\",\n \"entity_name\": \"Academy Award for Best Actress\",\n \"entity_type\": \"Award\",\n \"entity_description\": \"Award for which Quvenzhan\u00e9 Wallis was nominated\"\n },\n {\n \"id\": \"the_shore\",\n \"entity_name\": \"The Shore\",\n \"entity_type\": \"Short Film\",\n \"entity_description\": \"Short film directed by Terry George\"\n },\n {\n \"id\": \"terry_george\",\n \"entity_name\": \"Terry George\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Director of the short film The Shore\"\n },\n {\n \"id\": \"ciaran_hinds\",\n \"entity_name\": \"Ciar\u00e1n Hinds\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actor who appears in The Shore\"\n },\n {\n \"id\": \"conleth_hill\",\n \"entity_name\": \"Conleth Hill\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actor who appears in The Shore\"\n },\n {\n \"id\": \"kerry_condon\",\n \"entity_name\": \"Kerry Condon\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Irish television and film actress\"\n },\n {\n \"id\": \"riverside_shakespeare_company\",\n \"entity_name\": \"Riverside Shakespeare Company\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"New York City's year-round professional Shakespeare theatre company\"\n },\n {\n \"id\": \"shakespeare_project\",\n \"entity_name\": \"Shakespeare Project\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A residency of actors from the Royal Shakespeare Company in New York\"\n },\n {\n \"id\": \"shakespeare_center\",\n \"entity_name\": \"Shakespeare Center\",\n \"entity_type\": \"Venue\",\n \"entity_description\": \"Home of the Riverside Shakespeare Company\"\n },\n {\n \"id\": \"stephen_boxer\",\n \"entity_name\": \"Stephen Boxer\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"English actor known for appearing in Doctors and The Taming of the Shrew\"\n },\n {\n \"id\": \"doctors_tv_show\",\n \"entity_name\": \"Doctors\",\n \"entity_type\": \"Television Show\",\n \"entity_description\": \"BBC One daytime soap opera\"\n },\n {\n \"id\": \"taming_of_the_shrew\",\n \"entity_name\": \"The Taming of the Shrew\",\n \"entity_type\": \"Play\",\n \"entity_description\": \"A play by William Shakespeare\"\n },\n {\n \"id\": \"mary_badham\",\n \"entity_name\": \"Mary Badham\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"American actress known for playing Scout in To Kill a Mockingbird\"\n },\n {\n \"id\": \"to_kill_a_mockingbird\",\n \"entity_name\": \"To Kill a Mockingbird\",\n \"entity_type\": \"Film\",\n \"entity_description\": \"Film where Mary Badham played Jean Louise 'Scout' Finch\"\n },\n {\n \"id\": \"macbeth_1979_film\",\n \"entity_name\": \"Macbeth (1979 film)\",\n \"entity_type\": \"Film\",\n \"entity_description\": \"Videotaped version of Trevor Nunn's RSC production of Macbeth\"\n },\n {\n \"id\": \"ian_mckellen\",\n \"entity_name\": \"Ian McKellen\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actor who played Macbeth in the 1979 film\"\n },\n {\n \"id\": \"judi_dench\",\n \"entity_name\": \"Judi Dench\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Actress who played Lady Macbeth in the 1979 film\"\n },\n {\n \"id\": \"royal_shakespeare_theatre\",\n \"entity_name\": \"Royal Shakespeare Theatre\",\n \"entity_type\": \"Venue\",\n \"entity_description\": \"Theatre owned by the Royal Shakespeare Company\"\n },\n {\n \"id\": \"rome_tv_series\",\n \"entity_name\": \"Rome\",\n \"entity_type\": \"Television Series\",\n \"entity_description\": \"HBO\/BBC series in which Kerry Condon played Octavia Julii\"\n },\n {\n \"id\": \"better_call_saul\",\n \"entity_name\": \"Better Call Saul\",\n \"entity_type\": \"Television Series\",\n \"entity_description\": \"AMC series in which Kerry Condon played Stacey Ehrmantraut\"\n },\n {\n \"id\": \"friday_mcu\",\n \"entity_name\": \"F.R.I.D.A.Y.\",\n \"entity_type\": \"Character\",\n \"entity_description\": \"Character in the Marvel Cinematic Universe voiced by Kerry Condon\"\n },\n {\n \"id\": \"hamlet_play\",\n \"entity_name\": \"Hamlet\",\n \"entity_type\": \"Play\",\n \"entity_description\": \"A play by William Shakespeare\"\n }\n ],\n \"edges\": [\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"david_greig\",\n \"relationship_name\": \"written_by\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"royal_shakespeare_company\",\n \"relationship_name\": \"premiered_by\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"hampstead_theatre\",\n \"relationship_name\": \"premiered_at\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"roxana_silbert\",\n \"relationship_name\": \"directed_by\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"siobhan_redmond\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"dunsinane_2010_play\",\n \"target_node_id\": \"jonny_phillips\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"teresa_banham\",\n \"target_node_id\": \"doctor_who\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"teresa_banham\",\n \"target_node_id\": \"robin_hood\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"teresa_banham\",\n \"target_node_id\": \"heresy_of_love\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"quvenzhane_wallis\",\n \"target_node_id\": \"beasts_of_the_southern_wild\",\n \"relationship_name\": \"acted_in\"\n },\n {\n \"source_node_id\": \"quvenzhane_wallis\",\n \"target_node_id\": \"academy_award_for_best_actress\",\n \"relationship_name\": \"nominated_for\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"terry_george\",\n \"relationship_name\": \"directed_by\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"ciaran_hinds\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"conleth_hill\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"the_shore\",\n \"target_node_id\": \"kerry_condon\",\n \"relationship_name\": \"featured_actor\"\n },\n {\n \"source_node_id\": \"riverside_shakespeare_company\",\n \"target_node_id\": \"shakespeare_project\",\n \"relationship_name\": \"inaugurated\"\n },\n {\n \"source_node_id\": \"shakespeare_project\",\n \"target_node_id\": \"shakespeare_center\",\n \"relationship_name\": \"based_at\"\n },\n {\n \"source_node_id\": \"stephen_boxer\",\n \"target_node_id\": \"doctors_tv_show\",\n \"relationship_name\": \"appeared_in\"\n },\n {\n \"source_node_id\": \"stephen_boxer\",\n \"target_node_id\": \"taming_of_the_shrew\",\n \"relationship_name\": \"performed_in\"\n },\n {\n \"source_node_id\": \"mary_badham\",\n \"target_node_id\": \"to_kill_a_mockingbird\",\n \"relationship_name\": \"acted_in\"\n },\n {\n \"source_node_id\": \"macbeth_1979_film\",\n \"target_node_id\": \"ian_mckellen\",\n \"relationship_name\": \"starred_as\"\n },\n {\n \"source_node_id\": \"macbeth_1979_film\",\n \"target_node_id\": \"judi_dench\",\n \"relationship_name\": \"starred_as\"\n },\n {\n \"source_node_id\": \"royal_shakespeare_theatre\",\n \"target_node_id\": \"royal_shakespeare_company\",\n \"relationship_name\": \"owned_by\"\n },\n {\n \"source_node_id\": \"kerry_condon\",\n \"target_node_id\": \"rome_tv_series\",\n \"relationship_name\": \"acted_in\"\n },\n {\n \"source_node_id\": \"kerry_condon\",\n \"target_node_id\": \"better_call_saul\",\n \"relationship_name\": \"acted_in\"\n },\n {\n \"source_node_id\": \"kerry_condon\",\n \"target_node_id\": \"friday_mcu\",\n \"relationship_name\": \"voiced\"\n },\n {\n \"source_node_id\": \"kerry_condon\",\n \"target_node_id\": \"hamlet_play\",\n \"relationship_name\": \"performed_in\"\n }\n ]\n}\n```"
- },
- {
- "question": "The Victorians - Their Story In Pictures is a documentary series written by an author born in what year?",
- "context": "The Victorians - Their Story In Pictures is a 2009 British documentary series which focuses on Victorian art and culture. The four-part series is written and presented by Jeremy Paxman and debuted on BBC One at 9:00pm on Sunday 15 February 2009.\r\nMichael Wood's Story of England is a six-part BBC documentary series written and presented by Michael Wood and airing from 22 September 2010. It tells the story of one place, the Leicestershire village of Kibworth, throughout the whole of English history from the Roman era to modern times. The series focuses on tracing history through ordinary people in an ordinary English town, with current residents of Kibworth sharing what they know of their ancestors and participating in tracing their history. A four-part version aired on PBS in 2012.\r\nSteam Days is a 1986 BBC 2 television documentary series written and presented by Miles Kington. Each episode is themed around the history of British steam locomotives and railways, particularly highlighting preserved locomotives operating at the time of its filming. The series consists of six half-hour episodes. It aired on Public Television stations in the United States under the title Great Steam Trains. Two episodes, \"Going Great Western\" and \"The Fishing Line\" are available to watch on the BBC Archive website. The whole series has subsequently become available to watch on the BBC iPlayer.\r\nTyne O'Connell (full name Clementyne Rose O'Connell) is an English author born in Windsor, who lives and works in Mayfair, London. Mayfair serves as a backdrop for much of her contemporary women's fiction, including \"Making The A list\" (Headline Review, 1999) and \"Sex With The Ex\" (Red Dress Ink UK, 2004). She has written for publications such as \"Ms.\", \"Elle UK\" and \"Journal\". Her short stories appear in \"Girls' Night Out\" and \"Kid's Night In\". She is a contributor to \"Holiday Goddess\". O'Connell is The Eccentrics Club's (whose patron is HRH The Prince Philip, Duke of Edinburgh), \"Most Eccentric Thinker of the Year\" 2015.
Bloomsbury USA published a compilation of O'Connell's YA fiction 'Royal Match' and 'Royal Mess' in 2012 to coincide with the Royal Wedding. Soon after O'Connell was diagnosed with a brain tumour and began writing her history of eccentricity as a quintessential aspect of the British and Irish character. CNN Style in its documentary 'The Adorned' describes O'Connell \"The Mayfair-based author and socialite seems to have been torn straight from the pages of an Evelyn Waugh novel; with her cut-glass accent, perma-fixed tiara and layers of pearls.\r\nThe Smash Brothers is a 2013 nine-part documentary series written and directed by Travis 'Samox' Beauchamp. The documentary series examines the history of the competitive \"Super Smash Bros.\" community, in particular the game \"Super Smash Bros. Melee\" and eight of the most dominant players throughout its history, including Joel \"Isai\" Alvarado, Jason Zimmerman, Juan Debiedma, Joseph Marquez, PC Chris, and Ken Hoang. The film also features extensive commentary from other community figures including Chris \"Wife\" Fabiszak, Wynton \"Prog\" Smith, Kashan \"Chillindude\" Khan, Daniel \"ChuDat\" Rodriguez, and Lillian \"Milktea\" Chen. The series was crowdfunded through Kickstarter, receiving US$8,910. The series had a total budget of US$12,000. The series has received a combined total of over 4 million views on YouTube.\r\nTodd Sampson is a Canadian-born Australian award-winning documentary-maker, television presenter and former CEO of the communication company Leo Burnett Australia. He appears as a co-host on the marketing discussion program \"Gruen\" and as a guest host on \"The Project\". He wrote, produced and presented the science documentary series, \"Redesign My Brain\" which won Documentary of the Year. He wrote, produced and hosted BodyHack, an adventure science documentary for Discovery International which was nominated for Best Factual Series and Most Outstanding Documentary of the Year. He is the host and producer of the upcoming ABC science documentary series, LIFE ON THE LINE. In 2016, Todd also acted a small part as Provost in the Oscar-nominated feature film, LION. Todd is an adventurer and has climbed to the summit of Mount Everest.\r\nWhat the Victorians Did for Us is a 2001 BBC documentary series that examines the impact of the Victorian era on modern society. It concentrates primarily on the scientific and social advances of the era, which bore the Industrial Revolution and set the standards for polite society today.\r\nInto the Wild is an American documentary series written and directed by Jared Leto. The series tells the story behind the concert tour of the same name by American rock band Thirty Seconds to Mars, which propelled the group into arenas around the world and was certified by the \"Guinness World Records\" as the longest running tour in the history of rock music. The series is produced by Leto and Emma Ludbrook through the production company Sisyphus Corporation. \"Into the Wild\" premiered internationally on November 30, 2014, on the online platform VyRT.\r\nKingdom of Plants 3D is a natural history documentary series written and presented by David Attenborough, which explores the world of plants. It was filmed over the course of a year at the Royal Botanical Gardens, Kew.\r\nJeremy Dickson Paxman (born 11 May 1950) is an English broadcaster, journalist, and author. He is the question master of \"University Challenge\", having succeeded Bamber Gascoigne when the programme was revived in 1994.",
- "answer": "1950"
- },
- {
- "question": "Which is taller, the Empire State Building or the Bank of America Tower?",
- "context": "WOR TV Tower was a 760 ft lattice tower used for FM- and TV-broadcasting at North Bergen, New Jersey, USA. The 420-ton tower was built in 1949. At the time of its construction, it was the tenth-tallest man-made structure in the world. At the beginning of 1953, the TV transmissions were moved to Empire State Building, but the tower remained. On November 8, 1956, the top of the tower was hit by a small aircraft, which knocked off the top and killed six people. Afterwards the tower was dismantled.\r\nThe Empire State Building is a 102-story skyscraper located on Fifth Avenue between West 33rd and 34th Streets in Midtown, Manhattan, New York City. It has a roof height of 1,250 feet (381 m), and with its antenna included, it stands a total of 1454 ft tall. Its name is derived from the nickname for New York, the Empire State.\r\nIrven \"Jack\" Brod (November 29, 1909 \u2013 January 6, 2008) was an American businessman and innovator. He was the President of Empire Diamond and Gold Buying Service, currently a successful New York City-based jewellery business, which he established with his father in the Empire State Building two months after its opening in 1931. Brod was a tenant of the Empire State Building for around seventy-seven years, and was the last remaining original tenant at the time of his death.\r\nThe Fisk Towers is a front for the Kingpin (Wilson Fisk)'s public ventures as well as a base of operations for his criminal activities, until was destroyed by a reactive Reverbium. It is located at 439 West 38th Street (on the corner of West 38th Street and 5th Avenue), just north of the Empire State Building and a few blocks south east of the Bank of America tower. Despite its inherently illegal activities and being damaged or destroyed numerous times in superhuman battles, the Fisk Towers put up a convincing ploy for Fisk to appear as any other legitimate business within Manhattan's Financial District while secretly using it for his crimes as the Kingpin. Most recently, Fisk Towers were damaged after a large battle involving Spider-Man, The Black Cat, and the current Hobgoblin Phil Urich. During this battle as the building crumbled under the Hobgoblin's sonic scream, Montana, the Kingpin's right-hand man, fell to his death.\r\nThe John Hancock Center is a 100-story, 1,128-foot (343.7\u00a0m) supertall skyscraper at 875 North Michigan Avenue, Chicago, Illinois, United States. It was constructed under the supervision of Skidmore, Owings and Merrill, with chief designer Bruce Graham and structural engineer Fazlur Khan. When the building topped out on May 6, 1968, it was the second tallest building in the world and the tallest outside of New York City. It is currently the fourth-tallest building in Chicago and the eighth-tallest in the United States, after One World Trade Center, the Willis Tower, 432 Park Avenue, the Trump Tower Chicago, the Empire State Building, the Bank of America Tower, and the Aon Center. When measured to the top of its antenna masts, it stands at 1500 ft . The building is home to offices and restaurants, as well as about 700 condominiums, and contains the third highest residence in the world, after the Burj Khalifa in Dubai and the Trump Tower in Chicago. The building was named for John Hancock Mutual Life Insurance Company, a developer and original tenant of the building.\r\nThe Empire State Building B-25 crash was a 1945 aircraft accident in which a B-25 Mitchell bomber, piloted in thick fog over New York City, crashed into the Empire State Building. The accident did not compromise the building's structural integrity, but it did cause fourteen deaths (three crewmen and eleven people in the building) and damage estimated at $1,000,000 ($ in 2016 dollars).\r\nThe Bank of America Tower (BOAT) at One Bryant Park is a 1,200 ft skyscraper in the Midtown area of Manhattan in New York City. It is located on Avenue of the Americas, between 42nd and 43rd Streets, opposite Bryant Park.\r\nThe Dubai City Tower, also known as the Dubai Vertical City, is a proposed megatall skyscraper announced in 2008. The building is supposed to be 2400 m tall. The building, created by an architect to display possibly future technologies, is the third tallest building ever fully envisioned after the X-Seed 4000 (4,000 m) and the Ultima Tower (3,218 m). If ever constructed, the Dubai City Tower will be much taller than any other current man-made structure, at almost three times the height of the Burj Khalifa. The Dubai City Tower would be almost seven times taller than the Empire State Building.\r\nNew York City, the most populous city in the United States, is home to over 6486\u00a0completed high rise building of at least 35 meters, of which at least 113 completed are taller than 600 ft .The tallest building in New York is One World Trade Center, which rises 1776 ft . The 104-story skyscraper also stands as the tallest building in the United States, the tallest building in the Western Hemisphere, and the sixth-tallest building in the world. The second-tallest building in the city is 432 Park Avenue, standing at 1396 ft , and the third-tallest is the 102-story Empire State Building in Midtown Manhattan, which was finished in 1931 and rises to 1250 ft , increased to 1454 ft by its antenna. It is the fifth-tallest building in the United States and the 25th-tallest building in the world.\r\nThe L.P. Hollander Company Building is located at 3 East 57th Street, New York City. The edifice received the 1930 gold medal of the Fifth Avenue Association for the \"best structure\" built in the Fifth Avenue district during the year. The L.P. Hollander Company Building was erected prior to the Empire State Building and 500 Fifth Avenue, which were judged for the year 1931. The Empire State Building and the Lilly Dache Building were designed by William F. Lamb of Shreve, Lamb & Harmon, architects, who was responsible for planning the L.P. Hollander Building. The Hollander Building was built by Starrett Brothers & Eken.",
- "answer": "The Empire State Building"
- },
- {
- "question": "which American actor was Candace Kita guest starred with ",
- "context": "Charlie Babcock (born 1979) is an American actor born in Grosse Pointe, Michigan as Charles William Babcock. Babcock has guest starred on several present-day television programs which include a recurring role on the ABC series \"Desperate Housewives\" as Stu who was Lynette Scavo's assistant at Parcher & Murphy until he sued his boss (Joely Fisher) for a sexual harassment suit. Other guest star appearances include \"8 Simple Rules\" and \"Cold Case\". He is also known for parts in \"Special\" (2006), \"RewinD\" (2005) and \"Spoonaur\" (2004)\r\nThom Bierdz (born March 24, 1962) is an American actor best known for his portrayal of Phillip Chancellor III on the daytime drama \"The Young and the Restless\", appearing from 1986 to 1989, returning for a \"dream sequence\" in 2004, and in a surprising twist, returned to the role in May 2009, 2010 and 2011. He was also a recurring guest star on \"Melrose Place\" as Sarah's abusive boyfriend, Hank. Other TV credits include guest starred twice on \"Murder, She Wrote\" (1994, 1995), \"Matlock\" (1993), \"Robin's Hoods\" (1994) and \"Highway to Heaven\" (1986), \"Win, Lose or Draw\" (1989) and \"The New Hollywood Squares\" (1988, 1989). Bierdz played Bobby Burton on the web series \"Old Dogs New Tricks\" in 2012 and 2013.\r\nThe fourth season of the American comedy television series \"Scrubs\" premiered on NBC on August 31, 2004 and concluded on May 10, 2005 and consists of 25 episodes. Heather Graham guest starred for an extended run for the first 8 episodes, and then another appearance later in the season. Colin Farrell, Matthew Perry, Molly Shannon, Clay Aiken, and Tara Reid guest starred. This season was nominated for the Primetime Emmy Award for Outstanding Comedy Series.\r\nErnie Grunwald (born in Thornhill, Ontario, Canada) is a Canadian-born actor who has had made guest appearances in a number of notable television series. He has also had recurring roles on, \"One on One\", \"The Suite Life of Zack & Cody\" (as Mr. Forgess, Series 2 Episode 22), and \"Two of a Kind\" opposite Mary-Kate and Ashley Olsen. He has also guest starred on, \"Friends\", \"My Name Is Earl\", \"NYPD Blue\", \"Reno 911!\", \"ANT Farm\", \"Walker, Texas Ranger\", \"Supernatural\", \"Grey's Anatomy\", \"Bones\", \"The Mentalist\" and many other series. He has also had roles in the feature films, \"Cellular\", \"It Takes Two\", \"Men in Black II\", and \"Stealing Harvard\". He guest starred as a restaurant manager in \"Monk\" (\"Mr. Monk's 100th Case\") and as a bumbling government official in \"Psych\" (\"Death is In the Air\"). He also made a cameo appearance in the 1992 Disney film \"The Mighty Ducks\" as a fan.\r\nEdward Blatchford (sometimes credited as Ed Blatchford) is an American actor. He is best known for role as Peter Collins in the Peter Engel-produced sitcom \"Malibu, CA\". He worked with Engel on three other series, guest starring in \"Saved by the Bell\", \"Hang Time\" and \"City Guys\". He also guest starred in the series \"Crime Story\", \"The Adventures of Brisco County, Jr.\" and \"JAG\". His film credits include \"The Last of the Mohicans\" (1992) and \"Nowhere to Run\" (1993).\r\nJohari Johnson is an American actress, director, comedian, screenwriter and producer. She has guest starred in a number of notable television series including \"Moesha\", \"The Steve Harvey Show\", \"Smart Guy\", \"In the House\", \"Eve\", \"Cory in the House\", \"Mr. Show with Bob and David\" and among other series. She has also guest starred numerous times on \"The Fresh Prince of Bel-Air\" and the Disney Channel Original Series \"That's So Raven\", each time playing a different character on both series.\r\nKita's first role was as a news anchor in the 1991 movie \"Stealth Hunters\". Kita's first recurring television role was in Fox's \"Masked Rider\", from 1995 to 1996. She appeared as a series regular lead in all 40 episodes. Kita also portrayed a frantic stewardess in a music video directed by Mark Pellington for the British group, Catherine Wheel, titled, \"Waydown\" in 1995. In 1996, Kita also appeared in the film \"Barb Wire\" (1996) and guest starred on \"The Wayans Bros.\". She also guest starred in \"Miriam Teitelbaum: Homicide\" with \"Saturday Night Live\" alumni Nora Dunn, \"Wall To Wall Records\" with Jordan Bridges, \"Even Stevens\", \"Felicity\" with Keri Russell, \"V.I.P.\" with Pamela Anderson, \"Girlfriends\", \"The Sweet Spot\" with Bill Murray, and \"Movies at Our House\". She also had recurring roles on the FX spoof, \"Son of the Beach\" from 2001 to 2002, ABC-Family's \"Dance Fever\" and Oxygen Network's \"Running with Scissors\". Kita also appeared in the films \"Little Heroes\" (2002) and \"Rennie's Landing\" (2001).\r\nCandace Cameron Bure ( ; born Candace Helaine Cameron; April 6, 1976) is an American actress, producer, author, and talk show panelist. She is known for her role as D.J. Tanner on \"Full House\", which she reprised as D.J. Tanner-Fuller on \"Fuller House\". In 2014, she was a contestant on season 18 of \"Dancing with the Stars\", finishing in third place. She also starred as Summer van Horne on \"Make It or Break It\". She is the sister of actor Kirk Cameron, known for \"Growing Pains.\" From 2015 to 2016, she was a co-host of the daytime television talk show \"The View\".\r\nWilliam James Murray (born September 21, 1950) is an American actor, comedian, and writer. He first gained exposure on \"Saturday Night Live\", a series of performances that earned him his first Emmy Award, and later starred in comedy films\u2014including \"Meatballs\" (1979), \"Caddyshack\" (1980), \"Stripes\" (1981), \"Tootsie\" (1982), \"Ghostbusters\" (1984), \"Scrooged\" (1988), \"Ghostbusters II\" (1989), \"What About Bob?\" (1991), and \"Groundhog Day\" (1993). He also co-directed \"Quick Change\" (1990).\r\nGerald Raymond \"Gerry\" Rosenthal (born September 2, 1980) is an American actor, voice actor, singer-songwriter, and musician who started out acting in TV commercials at the age of 7. He has starred on films and short films and has guest starred in television series such as \"Law & Order\" and \"Celebrity Deathmatch\". He is perhaps best known for providing the voice for Jimmy Hopkins the main playable character in the 2006 video game \"Bully\" for which he was nominated for a 2006 Spike VGA award for best performance by a human male. He lives in Jersey City, New Jersey and now mostly works as a guitarist, bassist, keyboardist, and singer-songwriter. He teaches private music lessons and performs in gigs professionally. He plays bass in both a Beatles cover band called Hey Bulldog, as well as the Mama Doni Band, and guitar in a wedding band called The Jersey Joint. Gerry also writes, records, and plays guitar with his own original band, Big Wake. He freelances with as many different projects as possible, and performs solo and duo acoustic sets all over the area.",
- "answer": "Bill Murray"
- },
- {
- "question": "Having the combination of excellent foot speed and bat speed helped Eric Davis, create what kind of outfield for the Los Angeles Dodgers? ",
- "context": "John William Moses (born August 9, 1957), is a retired professional baseball player and manager who played outfield in the Major Leagues from 1982 to 1992. He later was a 1st Base\/Outfield Coach for the Seattle Mariners from 1998 to 2003 and the Cincinnati Reds in 2006. In 2007, he started off serving as the home field batting practice pitcher for the Mariners and then became the interim first base-coach after manager Mike Hargrove resigned. In 2008, he was hired by the Los Angeles Dodgers as the hitting coach for the AAA Las Vegas 51s. He remained with the Dodgers organization for 2009, as the hitting coach for their new AAA team, the Albuquerque Isotopes, a position he held until he was fired after the 2010 season.\r\nThe 1992 Los Angeles Dodgers season was a poor one for the team as it finished last in the Western Division of the National League with a record of 63 wins and 99 losses. Despite boasting what was nicknamed the \"Outfield of Dreams\", being manned by Eric Davis, Brett Butler, and Darryl Strawberry, injuries to key players and slumps from others contributed to the franchise's worst season since moving to Los Angeles. Additionally, the Dodgers cancelled four home games during the season due to the L.A. Riots. Despite the poor finish, the Dodgers had some hope for the future as first baseman Eric Karros won the National League Rookie of the Year Award, the first of five consecutive Dodger players to do so. The 1992 season also saw the Dodgers drop television station KTTV Ch.11 as their chief broadcaster of Dodger baseball, ending a 34 year-35 consecutive season association with that station. Additionally, it was the first time the Dodgers lost 90 games in a season since 1944.\r\nThe Arizona League Dodgers are the Rookie Level minor league affiliate of the Los Angeles Dodgers. They were formerly known as the Gulf Coast League (GCL) Dodgers and played in Vero Beach, Florida, at Dodgertown (specifically on the historic Field One). Dodgertown includes Holman Stadium, which is also the former spring training home to the Brooklyn and Los Angeles Dodgers. The team was composed mainly of players who were in their first year of professional baseball either as draftees or non-drafted free agents.\r\nEric Keith Davis (born May 29, 1962) is a former center fielder for several Major League Baseball teams. Davis was 21 years old when he broke into the big leagues on May 19, 1984 with the Cincinnati Reds, the team for which he is most remembered. Blessed with a rare combination of excellent foot speed and bat speed, Davis became the first major league player to hit at least 30 home runs and steal at least 50 bases in the same season in 1987.\r\nLarry Don Miller (born June 19, 1937) was a pitcher in Major League Baseball. He pitched from 1964 to 1966 for the Los Angeles Dodgers and New York Mets. Before the 1959 season he was signed by the Los Angeles Dodgers as an amateur free agent. Miller was traded by the Los Angeles Dodgers to the New York Mets for Dick Smith on October 15, 1964. His final game was September 17, 1966.\r\nWilliam Henry Davis, Jr. (April 15, 1940 \u2013 March 9, 2010) was a center fielder in Major League Baseball who played most of his career for the Los Angeles Dodgers. At the end of his career he ranked seventh in major league history in putouts (5449) and total chances (5719) in the outfield, and third in games in center field (2237). He was ninth in National League history in total outfield games (2274), and won Gold Glove Awards from 1971 to 1973. He had 13 seasons of 20 or more stolen bases, led the NL in triples twice, and retired with the fourth most triples (138) by any major leaguer since 1945. He holds Los Angeles club records (1958\u2013present) for career hits (2091), runs (1004), triples (110), at bats (7495), total bases (3094) and extra base hits (585). His 31-game hitting streak in 1969 remains the longest by a Dodger. At one point during the streak, when the team was playing at home, the big message board at Dodger Stadium quoted a message from a telegram sent to Davis and the team from Zack Wheat, the team's former record holder, at his home in Missouri.\r\nJorge Jarr\u00edn is a broadcaster for the Los Angeles Dodgers. He was a Los Angeles traffic reporter for radio station KABC. He was the helicopter reporter in \"Jet Copter 790\" from 1985 to 2011, earning the nickname \"Captain Jorge.\" Jorge also broadcast traffic reports on Spanish KSKQ. On October 26, 2011, Jorge was let go, one of 27 KABC\/KLOS employees to lose their jobs after Cumulus Media took over those stations from Citadel Broadcasting. Beginning in 2012, Jarr\u00edn was teamed with former Los Angeles Dodgers left fielder Manny Mota, doing Spanish-language telecasts of Dodgers games for Fox Deportes. He also co-hosted the \"Dodger Talk\" radio post-game show on KLAC along with Kevin Kennedy and David Vassegh. When the Dodgers started SportsNet LA in 2014, he and Mota called select games on the Spanish-language feed. In 2015, he was teamed with his father on the Dodgers radio broadcasts on KTNQ.\r\nThe Los Angeles metropolitan area is home to several professional and collegiate sports teams. The Greater Los Angeles Area has nine major league professional teams: the Anaheim Ducks, the Los Angeles Angels, the Los Angeles Chargers, the Los Angeles Clippers, the Los Angeles Dodgers, LA Galaxy, the Los Angeles Kings, the Los Angeles Lakers, and the Los Angeles Rams. Los Angeles FC will begin play as the area's tenth major team in 2018. USC Trojans football, UCLA Bruins men's basketball, USC Trojans baseball, USC Trojans track & field, and Cal State Fullerton Titans baseball are all historically premier organizations in college sports. Other major sports teams include UCLA Bruins Football, Los Angeles Sparks, Pepperdine Waves baseball, and formerly the Los Angeles Raiders and Los Angeles Aztecs. Between them, these Los Angeles area sports teams have won a combined 105 Championship Titles. Los Angeles area colleges have produced upwards of 200 National Championship Teams, primarily from USC Trojans and UCLA Bruins of the Pac-12 Conference. The 1932 and 1984 Summer Olympics were held in Los Angeles. In 2028 the city will host the Olympics for a third time.\r\nThe Dodgers\u2013Yankees rivalry is a Major League Baseball (MLB) rivalry between the Los Angeles Dodgers and the New York Yankees. The Dodgers are a member club of the National League (NL) West division, and the Yankees are a member club of the American League (AL) East division. The rivalry between the Dodgers and Yankees is one of the most well-known rivalries in Major League Baseball. The two teams have met 11 times in the World Series, more times than any other pair of teams from the American and National Leagues. The initial significance was embodied in the two teams' proximity in New York City, when the Dodgers initially played in Brooklyn. After the Dodgers moved to Los Angeles in 1958 , the rivalry retained its significance as the two teams represented the dominant cities on each coast of the United States, and since the 1980s, the two largest cities in the United States. The Dodgers currently lead the regular season series 8-6.\r\nSmith attended Tennessee State University. His professional career (1956\u201359; 1961\u201364) was spent in the Brooklyn\/Los Angeles Dodgers' organization until the Orioles purchased his contract from the Triple-A Omaha Dodgers in September 1962. In his first MLB at bat, Smith pinch hit for Oriole pitcher Wes Stock and singled off left-hander Ted Bowsfield of the Los Angeles Angels. He would collect one more hit, a double off another lefty, Jack Kralick of the Minnesota Twins, in his last MLB game.",
- "answer": "\"Outfield of Dreams\""
- },
- {
- "question": "Tombstone stared an actor born May 17, 1955 known as who?",
- "context": "William Paxton (May 17, 1955 \u2013 February 25, 2017) was an American actor and film director.\r\nMitsuo Hashimoto (\u6a4b\u672c \u5149\u96c4 , Hashimoto Mitsuo , May 1, 1931 \u2013 May 24, 1997) , better known by the stage name Kinpei Azusa (\u3042\u305a\u3055 \u6b23\u5e73 , Azusa Kinpei ) , was a Japanese voice actor born in Fukushima Prefecture, Japan. He was employed by the talent management firm Aoni Production.\r\nDennis Hopper (May 17, 1936May 29, 2010) was an American actor, filmmaker, photographer and artist. He made his first television appearance in 1955, and appeared in two films featuring James Dean, \"Rebel Without a Cause\" (1955) and \"Giant\" (1956). Over the next ten years, Hopper appeared frequently on television in guest roles, and by the end of the 1960s had played supporting roles in several films.\r\nMichael Chevalier (born May 14, 1933) is a German synchronis speaker and actor born in Berlin. He has provided the German dub voices for Charles Bronson (\"Once Upon a Time in the West\"), Richard Harris (\"The Wild Geese\"), Omar Sharif (\"Doctor Zhivago\"), Oliver Reed (\"Gladiator\"), Steve McQueen (\"The Cincinnati Kid\"), Dan Blocker (\"Bonanza\") and William Conrad (\"Jake and the Fatman\"). He has also provided dubs for Marlon Brando, Paul Newman and Sean Connery.\r\nWu Chien-ho (born May 2, 1993) is a Taiwanese actor, best known for his role as Hong Cheng-yi in the PTS miniseries \"Days We Stared at the Sun\". He has won the Best Supporting Actor award at the Golden Bell Awards two years in a row with his first and second drama works. Wu is a student of the Chinese Culture University, majoring in Chinese martial arts.\r\nTombstone is a 1993 American Western film directed by George P. Cosmatos, written by Kevin Jarre (who was also the original director, but was replaced early in production), and starring Kurt Russell and Val Kilmer, with Sam Elliott, Bill Paxton, Powers Boothe, Michael Biehn, and Dana Delany in supporting roles, as well as narration by Robert Mitchum.\r\nJoseph Michael \"Joe\" Acaba (born May 17, 1967) is an educator, hydrogeologist, and NASA astronaut. In May 2004 he became the first person of Puerto Rican heritage to be named as a NASA astronaut candidate, when he was selected as a member of NASA Astronaut Training Group 19. He completed his training on February 10, 2006 and was assigned to STS-119, which flew from March 15 to March 28, 2009 to deliver the final set of solar arrays to the International Space Station. Acaba served as a Flight Engineer aboard the International Space Station, having launched on May 15, 2012. He arrived at the space station on May 17 and returned to Earth on September 17, 2012 at 6:53am Moscow Standard Time when touchdown was officially recorded by the Russian Federal Space Agency. Acaba returned to the International Space Station in 2017 as a member of Expedition 53\/54.\r\nKourosh Zaim (Persian: \u06a9\u0648\u0631\u0634 \u0632\u0639\u06cc\u0645\u200e \u200e ; born May 17, 1939) is an Iranian author, inventor, engineer, translator, and nonviolent political activist. He was born in Kashan, Iran, on May 17, 1939. A vocal advocate of secular democracy and human rights since youth, Kourosh rose to prominence as a political analyst and Secretary to the Leadership Committee of Iran\u2019s National Front party, or Jebhe Melli, Iran's largest pro-democracy political organization. Membership in Jebhe Melli has been illegal since 1981.\r\nMarc Weiner (born May 17, 1955, in Queens, New York) is an American comedian, puppeteer, and actor. He creates and performs with \"head puppets\", which are human-sized heads atop small puppet bodies.\r\nDavid Vaughan (born May 17, 1924, London) is a dance archivist, historian and critic. He was the archivist of the Merce Cunningham Dance Company from 1976 until the company was disbanded in 2012. In his long career, Vaughan has been a dancer, choreographer, actor and singer whose work has been seen in London, Paris, and in New York, both on- and off-Broadway, as well as in regional theatres across the United States, in cabarets, on television and on film. Vaughan's ballet choreography was used in Stanley Kubrick's 1955 film \"Killer's Kiss\", danced by Kubrick's wife at the time, ballerina Ruth Sobotka. He has worked with both modern dance and ballet companies.",
- "answer": "Bill Paxton"
- },
- {
- "question": "Which American actress who made their film debut in the 1995 teen drama \"Kids\" was the co-founder of Voto Latino?",
- "context": "Evan Rachel Wood (born September 7, 1987) is an American actress, model and musician. She began acting in the 1990s, appearing in several television series, including \"American Gothic\" (1995\u201396) and \"Once and Again\" (1999\u20132002). Wood made her debut as a leading film actress at the age of nine in \"Digging to China\" (1998) and garnered acclaim for her Golden Globe-nominated role as the troubled teenager Tracy Freeland in the teen drama film \"Thirteen\" (2003).\r\nVoto Latino is a nonpartisan, non-profit organization in the United States founded in 2004. The organization's primary aim is to encourage young Hispanic and Latino voters to register to vote and become more politically involved. The organization was co-founded by Rosario Dawson, and Phil Colon. The current president is Maria Teresa Kumar.\r\nAmerican actress Shannen Doherty has appeared in numerous television programs and motion pictures. After her television debut in \"Father Murphy\" in 1981, she landed her first major role in the dramatic western television series \"Little House on the Prairie\" (1982\u20131983), and reprised her role in its three television specials. Doherty received two Young Artist Award nominations for playing the oldest Witherspoon sibling Kris in the family drama \"Our House\" (1986\u20131988). She appeared in four films during the 1980s, including the positively-received, animated film \"The Secret of NIMH\" (1982) and the cult classic \"Heathers\" (1988). Her breakthrough role was as Brenda Walsh in the teen drama \"Beverly Hills, 90210\" (1990-1994), but she was later dropped from the series because of backstage issues and her negative image as a \"bad girl\". She starred in television films in the early and mid-1990s, and played Rene Mosier in the romantic comedy \"Mallrats\" (1995) in an attempt to rebuild her career.\r\nRosario Isabel Dawson (born May 9, 1979) is an American actress, producer, singer, comic book writer, and political activist. She made her film debut in the 1995 teen drama \"Kids\". Her subsequent film roles include \"He Got Game\", \"Men in Black II\", \"25th Hour\", \"Rent\", \"Sin City\", \"Death Proof\", \"Seven Pounds\", \"\", and \"Top Five\". Dawson has also provided voice-over work for Disney and DC.\r\nMad Love is a 1995 teen romantic drama film directed by Antonia Bird and starring Drew Barrymore and Chris O'Donnell. The screenplay was written by Paula Milne. The original music score is composed by Andy Roberts.\r\nJennifer Love Hewitt (born February 21, 1979) is an American actress, television producer and director, singer\/songwriter and author. Hewitt began her acting career as a child by appearing in television commercials and the Disney Channel series \"Kids Incorporated\". She rose to fame for her role as Sarah Reeves Merrin on the Fox teen drama \"Party of Five\" (1995\u201399). She later starred in the horror film \"I Know What You Did Last Summer\" (1997) and its 1998 sequel.\r\nTaryn Manning (born November 6, 1978) is an American actress, singer-songwriter, and fashion designer. Manning made her film debut in the teen drama \"Crazy\/Beautiful\" (2001), followed by a lead part opposite Britney Spears in \"Crossroads\" (2002), which garnered her mainstream attention. She then appeared in \"8 Mile\" (2002), \"White Oleander\" (2002), \"A Lot Like Love\" (2005) and \"Hustle & Flow\" (2005). Manning has also had a main role on \"Hawaii Five-0\" and had recurring roles in television on \"Sons of Anarchy\", and plays the role of Tiffany \"Pennsatucky\" Doggett in the Netflix original series \"Orange Is the New Black\".\r\nShannon Purser (born June 27, 1997) is an American actress. She made her acting debut in the Netflix drama series \"Stranger Things\" as Barbara \"Barb\" Holland, and portrays Ethel Muggs in The CW's teen drama series \"Riverdale\". She made her film debut as June Acosta in the 2017 horror film \"Wish Upon\".\r\nJared Leto is an American entertainer who has had an extensive career in film, music, and television. He made his debut with minor roles in the television shows \"Camp Wilder\" (1992) and \"Almost Home\" (1993). He achieved recognition in 1994 for his role as Jordan Catalano in the teen drama television series \"My So-Called Life\". The show was praised for its portrayal of adolescence and gained a cult following, despite being canceled after only one season. The same year, he made his television film debut starring alongside Alicia Silverstone in \"Cool and the Crazy\". Leto's first film role was in the 1995 drama \"How to Make an American Quilt\". He later co-starred with Christina Ricci in \"The Last of the High Kings\" (1996) and received a supporting role in \"Switchback\" (1997). In 1997, Leto starred in the biopic \"Prefontaine\" in which he played the role of Olympic hopeful Steve Prefontaine. His portrayal received positive reviews from critics and is often considered his breakthrough role. The following year, Leto starred together with Alicia Witt in the horror \"Urban Legend\". He then acted alongside Sean Penn and Adrien Brody in the war film \"The Thin Red Line\" (1998). After playing supporting roles in \"Black and White\" and \"Girl, Interrupted\", Leto portrayed Angel Face in \"Fight Club\" (1999), which has since became a cult film.\r\nMichelle Williams is an American actress who has appeared in film, television and stage. Her first screen appearance was at the age of 13 in a 1993 episode of the television series \"Baywatch\", and she made her film debut as the love interest of the teenage lead in \"Lassie\" (1994). She subsequently had guest roles in the television sitcoms \"Step by Step\" and \"Home Improvement\" and played the younger version of Natasha Henstridge's character in the science fiction film \"Species\" (1995). Greater success came to Williams when she began starring as the sexually troubled teenager Jen Lindley in the teen drama \"Dawson's Creek\" (1998\u20132003). In 1999, she made her stage debut with the Tracy Letts-written play \"Killer Joe\", in which she played the naive young daughter of a dysfunctional family.",
- "answer": "Rosario Dawson"
- },
- {
- "question": "In what year was the club founded that played Manchester City in the 1972 FA Charity Shield",
- "context": "The 1985 FA Charity Shield (also known as the General Motors FA Charity Shield for sponsorship reasons) was the 63rd FA Charity Shield, an annual football match played between the winners of the previous season's First Division and FA Cup competitions. The match was played on 10 August 1985 at Wembley Stadium and contested by Everton, who had won the 1984\u201385 First Division, and Manchester United, who had won the 1984\u201385 FA Cup. Everton won 2\u20130 with goals from Trevor Steven and Adrian Heath. Trevor Steven put Everton into the lead when he swept home from six yards after a cross from the left in the first half. The second goal came in the second half when Manchester United goalkeeper Gary Bailey dropped a cross from the left to allow Adrian Heath to tip the ball past him into the left corner of the net.\r\nThe 1995 FA Charity Shield (also known as the Littlewoods FA Charity Shield for sponsorship reasons) was the 73rd FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup competitions. The match was played on 13 August 1995 at Wembley Stadium and contested by Blackburn Rovers, who had won the Premier League and FA Cup winners Everton. It was Blackburn's second successive Charity Shield appearance, while Everton were appearing in their eleventh and their first since 1987. Everton won the match 1\u20130 with a goal from Vinny Samways when he caught Tim Flowers off his line and lifted the ball over him from the left of the penalty area and into the right corner of the net. Dave Watson lifted the trophy for Everton.\r\nThe 1972 FA Charity Shield was contested between Manchester City and Aston Villa.\r\nThe 1997 FA Charity Shield (known as the Littlewoods FA Charity Shield for sponsorship reasons) was the 75th FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup competitions. The match was played on 3 August 1997 at Wembley Stadium and contested by Manchester United, who had won the 1996\u201397 FA Premier League, and Chelsea, who had won the 1996\u201397 FA Cup. Manchester United won the match 4\u20132 on penalties after the match had finished at 1\u20131 after 90 minutes.\r\nThe 1956 FA Charity Shield was the 34th FA Charity Shield, an annual football match held between the winners of the previous season's Football League and FA Cup competitions. The match was contested by Manchester United, who had won the 1955\u201356 Football League, and Manchester City, who had won the 1955\u201356 FA Cup, at Maine Road, Manchester, on 24 October 1956. Manchester United won the match 1\u20130, Dennis Viollet scoring the winning goal. Manchester United goalkeeper David Gaskell made his debut for the club during the game, taking the place of injured goalkeeper Ray Wood, and, at the age of 16 years and 19 days, became the youngest player ever to play for the club.\r\nThe 1937 FA Charity Shield was the 24th FA Charity Shield, a football match between the winners of the previous season's First Division and FA Cup competitions. The match was contested by league champions Manchester City and FA Cup winners Sunderland, and was played at Maine Road, the home ground of Manchester City. Manchester City won the game, 2\u20130.\r\nThe 2000 FA Charity Shield (also known as the One 2 One FA Charity Shield for sponsorship reasons) was the 78th FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup competitions. The match was played between Manchester United, who won the 1999\u20132000 Premier League, and Chelsea, who won the 1999\u20132000 FA Cup, and resulted in a 2\u20130 Chelsea win. The goals were scored by Jimmy Floyd Hasselbaink and Mario Melchiot. Roy Keane was sent off for a challenge on Gustavo Poyet and was the last person to be sent off at the old Wembley Stadium.\r\nThe 2001 FA Charity Shield (also known as the One 2 One FA Charity Shield for sponsorship reasons) was the 79th FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup. The match was contested between Liverpool, winners of the 2000\u201301 FA Cup and Manchester United, who won the 2000\u201301 Premier League on 12 August 2001. It was the first Shield match to be held at the Millennium Stadium following the closure of Wembley Stadium for reconstruction.\r\nAston Villa Football Club ( ; nicknamed Villa, The Villa, The Villans and The Lions) is a professional football club in Aston, Birmingham, that plays in the Championship, the second level of English football. Founded in 1874, they have played at their current home ground, Villa Park, since 1897. Aston Villa were one of the founder members of the Football League in 1888 and of the Premier League in 1992.\r\nThe 1996 FA Charity Shield (also known as the Littlewoods FA Charity Shield for sponsorship reasons) was the 74th FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup competitions. The match was played on 11 August 1996 at Wembley Stadium and contested by Manchester United, who had won the Double of Premier League and FA Cup in 1995\u201396, and Newcastle United, who had finished as runners-up in the Premier League. Manchester United won the match 4\u20130 with goals from Eric Cantona, Nicky Butt, David Beckham and Roy Keane.",
- "answer": "1874"
- },
- {
- "question": "Which company distributed this 1977 American animated film produced by Walt Disney Productions for which Sherman Brothers wrote songs?",
- "context": "Fantasia is a 1940 American animated film produced by Walt Disney and released by Walt Disney Productions. With story direction by Joe Grant and Dick Huemer, and production supervision by Ben Sharpsteen, it is the third Disney animated feature film. The film consists of eight animated segments set to pieces of classical music conducted by Leopold Stokowski, seven of which are performed by the Philadelphia Orchestra. Music critic and composer Deems Taylor acts as the film's Master of Ceremonies, providing a live-action introduction to each animated segment.\r\nMickey's House of Villains (also known as House of Mouse: The Villains) is a 2002 direct-to-video animated film produced by The Walt Disney Company (Walt Disney Television Animation and Toon City Animation, with animation coordination by Walt Disney Feature Animation Florida. It is based on the Disney Channel animated television series \"Disney's House of Mouse\" and a sequel to the direct-to-video animated film \"\", starring Mickey Mouse, Donald Duck, Minnie Mouse, Goofy, Daisy Duck and Disney Villains that have appeared in past Disney productions. It was released on both VHS and DVD by Walt Disney Home Video on September 3, 2002. It was followed by a 2004 direct-to-video animated film, \"\", produced by DisneyToon Studios, on August 17, 2004.\r\nThe Many Adventures of Winnie the Pooh is a 1977 American animated film produced by Walt Disney Productions and distributed by Buena Vista Distribution. It is the 22nd Disney animated feature film and was first released on March 11, 1977 on a double bill with \"The Littlest Horse Thieves\".\r\nRichard Morton Sherman (born June 12, 1928) is an American songwriter who specialized in musical films with his brother Robert Bernard Sherman. According to the official Walt Disney Company website and independent fact checkers, \"the Sherman Brothers were responsible for more motion picture musical song scores than any other songwriting team in film history.\" Some of the Sherman Brothers' best known songs were incorporated into live action and animation musical films including: \"Mary Poppins\", \"The Jungle Book\", \"The Many Adventures of Winnie the Pooh\", \"Chitty Chitty Bang Bang\", \"Snoopy Come Home\", \"Bedknobs and Broomsticks\", \"The Slipper and the Rose\", and \"Charlotte's Web\". Their most well known work, however, remains the theme park song \"It's a Small World (After All)\". According to Time.com, this song is the most performed song of all time.\r\nRobert Bernard Sherman (December 19, 1925 \u2013 March 6, 2012) was an American songwriter who specialized in musical films with his brother Richard Morton Sherman. According to the official Walt Disney Company website and independent fact checkers, \"the Sherman Brothers were responsible for more motion picture musical song scores than any other songwriting team in film history.\" Some of the Sherman Brothers' best known songs were incorporated into live action and animation musical films including: \"Mary Poppins\", \"The Jungle Book\", \"The Many Adventures of Winnie the Pooh\", \"Chitty Chitty Bang Bang\", \"The Slipper and the Rose\", and \"Charlotte's Web\". Their most well known work, however, remains the theme park song \"It's a Small World (After All)\". According to Time.com, this song is the most performed song of all time.\r\n\"Tall Paul\" is a song recorded by Annette Funicello and written by the Sherman Brothers. It marked the first time that a female singer reached a top ten slot for a rock and roll single. It also spotlighted Annette from amongst the other Mouseketeers on the Mickey Mouse Club and paved the way for the movie career which followed. Walt Disney personally took notice of the string of chart toppers which the Sherman Brothers were writing for Annette and subsequently asked the songwriters to work for him exclusively. The Sherman Brothers went on to win two Oscars for \"Mary Poppins\" several years later.\r\nThe Rescuers is a 1977 American animated comedy-drama adventure film produced by Walt Disney Productions and first released on June 22, 1977, by Buena Vista Distribution. The 23rd Disney animated feature film, the film is about the Rescue Aid Society, an international mouse organization headquartered in New York City and shadowing the United Nations, dedicated to helping abduction victims around the world at large. Two of these mice, jittery janitor Bernard (Bob Newhart) and his co-agent, the elegant Miss Bianca (Eva Gabor), set out to rescue Penny (Michelle Stacy), an orphan girl being held prisoner in the Devil's Bayou by treasure huntress Madame Medusa (Geraldine Page).\r\nThe Sword in the Stone is a 1963 American animated musical fantasy comedy film produced by Walt Disney and released by Buena Vista Distribution. The 18th Disney animated feature film, it was the final Disney animated film to be released before Walt Disney's death. The songs in the film were written and composed by the Sherman Brothers, who later wrote music for other Disney films like \"Mary Poppins\" (1964), \"The Jungle Book\" (1967), \"The Aristocats\" (1970), and \"Bedknobs and Broomsticks\" (1971).\r\nWinnie the Pooh and the Honey Tree is a 1966 animated featurette based on the first two chapters of the book \"Winnie-the-Pooh\" by A. A. Milne. The film combines live-action and animation, and was produced by Walt Disney Productions. Its songs were written by the Sherman Brothers (Richard M. Sherman and Robert B. Sherman) and the score was composed and conducted by Buddy Baker.\r\nA Symposium on Popular Songs is a special cartoon featurette made by Walt Disney Productions in 1962. It features songs written by the Sherman Brothers with music arrangements by Tutti Camarata. The Shermans also co-wrote the screenplay but are not credited for this. Host Ludwig Von Drake invites his audience into his mansion where he tells all about popular music through the years, introducing several songs illustrated with stop-motion photography. The film was nominated for an Academy Award for Best Animated Short Film. It was released on DVD in 2005 as part of the Walt Disney Treasures set \"Disney Rarities\".",
- "answer": "Buena Vista Distribution"
+ "text": "Vinay Kumar Jha ( born 21 June 1971 ) Nepalese cricket umpire . one umpires ICC Associates Affiliates Umpire Panel chosen International Cricket Council ( ICC ) . stood matches 2009 ICC World Cricket League Division Six tournament stood 2015\u201317 ICC World Cricket League Championship fixtures Nepal Kenya March 2017 . 2013 ICC World Twenty20 Qualifier played November 2013 United Arab Emirates part ICC World Twenty20 Qualifier series . edition qualifier 2014 ICC World Twenty20 expanded version comprising ten qualifiers regional Twenty20 tournaments addition top six finishers previous edition . groups announced ICC 7 August 2013 . Ireland meet Afghanistan final third time Ireland winning 2nd title Afghanistan 3rd title overall . top 6 nations qualified 2014 ICC World Twenty20 : Ireland , Afghanistan , Netherlands making World Twenty20 debut UAE , Nepal Hong Kong . Cricket popular sport United Arab Emirates . country currently hosts matches Pakistani cricket team due Lahore attacks Sri Lankan cricket team . UAE participated various competition International Cricket Council ( ICC ) associate member ICC . country also host games UAE cricket team ( Home Leg ) Afghanistan cricket team Sharjah Cricket Association Stadium , Sharjah 2011\u201313 ICC Intercontinental Cup 2011\u201313 ICC Intercontinental Cup One-Day . 2012 ICC World Twenty20 Qualifier also scheduled United Arab Emirates Dubai International Cricket Stadium , Dubai , ICC Global Cricket Academy ( Oval 2 ) , Dubai Sharjah Cricket Stadium , Sharjah . Currently Sheikh Zayed Stadium Abu Dhabi , Dubai Sports City Cricket Stadium Dubai Sharjah Cricket Association Stadium Sharjah used Pakistan international cricket matches . Aleem Sarwar Dar ( born 6 June 1968 ) Pakistani cricket umpire member ICC Elite umpire panel . three consecutive ICC Umpire Year awards 2009 , 2010 2011 , nominated twice 2005 2006 . Aleem Dar , Marais Erasmus , Richard Kettleborough , Kumar Dharmasena Simon Taufel umpires received award inception 2016 . becoming umpire , played first-class cricket Allied Bank , Gujranwala Cricket Association , Lahore Pakistan Railways right-handed batsman leg-break bowler . Since retirement player , gained prominence one leading umpires international cricket . educated Islamia College , Civil Lines , Lahore . Simon James Arthur Taufel , ( born 21 January 1971 St Leonards , New South Wales ) , retired Australian cricket umpire earlier member ICC Elite umpire panel . five consecutive ICC Umpire Year awards 2004 2008 , generally considered best umpire world time . 26 September 2012 announced retirement international cricket 2012 ICC World Twenty20 final . subsequently worked ICC 's Umpire Performance Training Manager October 2015 . Cricket Ireland long-established sport . governed Cricket Ireland , maintains Ireland men 's women 's cricket teams . Like several sports , cricket Ireland organised all-Ireland basis . Following team 's success 2007 Cricket World Cup , sport 's popularity increased Ireland . country associate member International Cricket Council plays tournaments like World Cricket League ICC Intercontinental Cup , qualifying rounds associate teams Cricket World Cup ICC World Twenty20 . Ireland qualified 2009 ICC World Twenty20 , 2011 Cricket World Cup 2010 ICC World Twenty20 . 2011 World Cup , beat England group matches . Aleem Dar Daryl Harper among 16 officials share umpiring duties ICC World Twenty20 . ICC World Twenty20 Qualifier international Twenty20 cricket tournament run auspices International Cricket Council . tournament serves final qualifying event ICC World Twenty20 associate affiliate members . first edition held 2008 , six teams . increased eight teams 2010 tournament 16 teams 2012 2013 editions , reduced 14 2015 edition . Currently , top six finishers qualifier move ICC World Twenty20 tournament . Ireland successful team , three tournaments ( including one shared Netherlands ) qualified World Twenty20 every occasion tournament played . ICC World Twenty20 first held 2007 . first decided every two years ICC World Twenty20 tournament take place , except event ICC Cricket World Cup scheduled year , case held year . first tournament 2007 South Africa India defeated Pakistan final . Two Associate teams played first tournament , selected 2007 ICC World Cricket League Division One , 50-over competition . December 2007 decided hold qualifying tournament 20-over format better prepare teams . six participants , two would qualify 2009 World Twenty20 would receive $ 250,000 prize money . second tournament Pakistan beat Sri Lanka 8 wickets England 21 June 2009 . 2010 ICC World Twenty20 tournament held West Indies May 2010 , England defeated Australia 7 wickets . 2012 ICC World Twenty20 West-Indies , defeating Sri Lanka finals . first time , host nation competed final ICC World Twenty20 . 12 participants title including Ireland Afghanistan 2012 ICC World Twenty20 Qualifier . first time World Twenty20 tournament took place Asian country . Pakistan team reach last four first four editions tournament . 2014 saw expansion 16 teams featuring three teams making debuts . Sri Lanka yet made Finals time winning two appearances previous finals . ICC World Twenty20 five champions five tournaments . 2012 ICC World Twenty20 fourth ICC World Twenty20 competition , international Twenty20 cricket tournament took place Sri Lanka 18 September 7 October 2012 West Indies . schedule posted International Cricket Council ( ICC ) . first World Twenty20 tournament held Asian country , last three held South Africa , England West Indies . Sri Lankan pacer Lasith Malinga chosen event ambassador tournament ICC . format four groups three teams preliminary round . India England group joined runner ICC World Twenty20 Qualifier , Afghanistan . champions ICC World Twenty20 Qualifier , Ireland , group West Indies Australia . Sri Lanka , South Africa Zimbabwe , Pakistan , New Zealand Bangladesh two groups .",
+ "reasoning": "produce the graph. We will identify entities such as people, organizations, events, and concepts, and then establish the relationships between them.",
+ "graph": "```json\n{\n \"nodes\": [\n {\n \"id\": \"vinay_kumar_jha\",\n \"entity_name\": \"Vinay Kumar Jha\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Nepalese cricket umpire\"\n },\n {\n \"id\": \"icc_associates_affiliates_umpire_panel\",\n \"entity_name\": \"ICC Associates and Affiliates Umpire Panel\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"A panel of umpires chosen by the International Cricket Council (ICC)\"\n },\n {\n \"id\": \"icc\",\n \"entity_name\": \"International Cricket Council\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"The global governing body for cricket\"\n },\n {\n \"id\": \"icc_world_cricket_league_division_six_2009\",\n \"entity_name\": \"2009 ICC World Cricket League Division Six\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A cricket tournament in which Vinay Kumar Jha stood as an umpire\"\n },\n {\n \"id\": \"icc_world_cricket_league_championship_2015_17\",\n \"entity_name\": \"2015\u201317 ICC World Cricket League Championship\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A cricket tournament in which Vinay Kumar Jha stood as an umpire for fixtures between Nepal and Kenya in March 2017\"\n },\n {\n \"id\": \"icc_world_twenty20_qualifier_2013\",\n \"entity_name\": \"2013 ICC World Twenty20 Qualifier\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A cricket tournament played in November 2013 in the United Arab Emirates\"\n },\n {\n \"id\": \"icc_world_twenty20_2014\",\n \"entity_name\": \"2014 ICC World Twenty20\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"An expanded version of the ICC World Twenty20 cricket tournament\"\n },\n {\n \"id\": \"ireland_cricket_team\",\n \"entity_name\": \"Ireland cricket team\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"The national cricket team of Ireland\"\n },\n {\n \"id\": \"afghanistan_cricket_team\",\n \"entity_name\": \"Afghanistan cricket team\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"The national cricket team of Afghanistan\"\n },\n {\n \"id\": \"uae_cricket_team\",\n \"entity_name\": \"UAE cricket team\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"The national cricket team of the United Arab Emirates\"\n },\n {\n \"id\": \"aleem_sarwar_dar\",\n \"entity_name\": \"Aleem Sarwar Dar\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Pakistani cricket umpire and member of the ICC Elite umpire panel\"\n },\n {\n \"id\": \"simon_james_arthur_taufel\",\n \"entity_name\": \"Simon James Arthur Taufel\",\n \"entity_type\": \"Person\",\n \"entity_description\": \"Retired Australian cricket umpire and former member of the ICC Elite umpire panel\"\n },\n {\n \"id\": \"cricket_ireland\",\n \"entity_name\": \"Cricket Ireland\",\n \"entity_type\": \"Organization\",\n \"entity_description\": \"The governing body for cricket in Ireland\"\n },\n {\n \"id\": \"icc_world_twenty20\",\n \"entity_name\": \"ICC World Twenty20\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"An international Twenty20 cricket tournament run by the International Cricket Council\"\n },\n {\n \"id\": \"icc_world_twenty20_qualifier\",\n \"entity_name\": \"ICC World Twenty20 Qualifier\",\n \"entity_type\": \"Event\",\n \"entity_description\": \"A tournament that serves as the final qualifying event for the ICC World Twenty20 for associate and affiliate members\"\n }\n ],\n \"edges\": [\n {\n \"source_node_id\": \"vinay_kumar_jha\",\n \"target_node_id\": \"icc_associates_affiliates_umpire_panel\",\n \"relationship_name\": \"is_member_of\"\n },\n {\n \"source_node_id\": \"icc_associates_affiliates_umpire_panel\",\n \"target_node_id\": \"icc\",\n \"relationship_name\": \"chosen_by\"\n },\n {\n \"source_node_id\": \"vinay_kumar_jha\",\n \"target_node_id\": \"icc_world_cricket_league_division_six_2009\",\n \"relationship_name\": \"umpired_in\"\n },\n {\n \"source_node_id\": \"vinay_kumar_jha\",\n \"target_node_id\": \"icc_world_cricket_league_championship_2015_17\",\n \"relationship_name\": \"umpired_in\"\n },\n {\n \"source_node_id\": \"icc_world_twenty20_qualifier_2013\",\n \"target_node_id\": \"icc_world_twenty20_2014\",\n \"relationship_name\": \"qualifier_for\"\n },\n {\n \"source_node_id\": \"ireland_cricket_team\",\n \"target_node_id\": \"icc_world_twenty20_2014\",\n \"relationship_name\": \"participant_in\"\n },\n {\n \"source_node_id\": \"afghanistan_cricket_team\",\n \"target_node_id\": \"icc_world_twenty20_2014\",\n \"relationship_name\": \"participant_in\"\n },\n {\n \"source_node_id\": \"uae_cricket_team\",\n \"target_node_id\": \"icc_world_twenty20_2014\",\n \"relationship_name\": \"participant_in\"\n },\n {\n \"source_node_id\": \"aleem_sarwar_dar\",\n \"target_node_id\": \"icc\",\n \"relationship_name\": \"member_of\"\n },\n {\n \"source_node_id\": \"simon_james_arthur_taufel\",\n \"target_node_id\": \"icc\",\n \"relationship_name\": \"former_member_of\"\n },\n {\n \"source_node_id\": \"cricket_ireland\",\n \"target_node_id\": \"icc\",\n \"relationship_name\": \"associated_with\"\n },\n {\n \"source_node_id\": \"icc_world_twenty20_qualifier\",\n \"target_node_id\": \"icc_world_twenty20\",\n \"relationship_name\": \"qualifier_for\"\n }\n ]\n}\n```\n\nThis graph represents the entities and their relationships as described in the text. It includes people like Vinay Kumar Jha, Aleem Sarwar Dar, and Simon James Arthur Taufel; organizations like the ICC, ICC Associates and Affiliates Umpire Panel, and national cricket teams; as well as events like the ICC World Cricket League and the ICC World Twenty20. The relationships show memberships, participations, and qualifications among these entities."
},
{
"question": "The Organisation that allows a community to influence their operation or use and to enjoy the benefits arisingwas founded in what year?",
"context": "Enjoy the Arts is a 501(c) nonprofit organization located in Cincinnati, Ohio. Founded in 1981 by socialite Irma Lazarus and Phyllis Weston, Enjoy the Arts aimed to connect young audiences with Cincinnati's arts, culture and entertainment. In 2017, Enjoy the Arts merged with ArtsWave, Greater Cincinnati's local arts agency and the nation's first and largest community campaign for the arts.\r\nThe .338-06 is a wildcat cartridge based on the .30-06. It allows heavier .338 caliber bullets to be used from the .30-06 non-belted case. This is a better choice for heavy bodied game such as moose, elk, and brown bear than the .30-06. 338 caliber bullets became more widely available after the introduction in the late 1950s of the .338 Winchester Magnum cartridge, frequently chambered in the Winchester Model 70 rifle. The .338-06 maintains much of the benefits of the .338 Magnum cartridge but has substantially less recoil, makes more efficient use of powder, and allows use of widely available .30-06 commercial and military cases. It is similar in concept to the .333 OKH as well as the .35 Whelen, which also use the .30-06 brass case as a basis for the cartridge. Thanks to the large number of rifles based on the .30-06 family of cartridges, having a .338-06 made usually only requires a simple barrel change by a competent gun smith. A-Square adopted the caliber as the .338-06 A-Square in approximately 1998, and was approved by SAAMI as a standardized caliber. Weatherby offered factory rifles and ammunition, but has now dropped the rifles from its inventory. The 338-06 A-Square tends to have a velocity advantage over the .35 Whelen and uses bullets that retain velocity and resist wind drift better than similar weight bullets fired from the .35 Whelen.\r\nA special needs trust is a trust designed for beneficiaries with disabilities, either physically or mentally challenged. It is written so the beneficiary can enjoy the use of property that is held in the trust for his or her benefit, while at the same time allowing the beneficiary to receive essential needs-based government benefits. In addition to the public benefits preservation reasons for such a trust, there will be administrative advantages of using a trust to hold and manage property intended for the benefit of the beneficiary if the beneficiary lacks the legal capacity to handle his or her own financial affairs. Special needs trusts are sometimes known as supplemental needs trusts in the United States.\r\nCommunity owned assets or organisations are those that are owned and controlled through some representative mechanism that allows a community to influence their operation or use and to enjoy the benefits arising.\r\nThe Central Kentucky Youth Orchestras (CKYO) is a youth orchestra founded in 1947 by Howard Pence and based in Lexington, Kentucky. CKYO has a storied tradition and is dedicated to the musical education and growth of its student members. It is one of the oldest independently chartered youth orchestra in the United States. Over 400 students from 15 counties and 60 area schools participate in CKYO. CKYO has performed at the Singletary Center for the Arts on the University of Kentucky campus, the Lyric Theatre and Cultural Arts Center, the Lexington Opera House in downtown Lexington, and other venues around the state. Children's concerts and benefits for community organizations and businesses are also part of each season for CKYO. Orchestra members enjoy a major performance tour every three years; in the summer of 2008, CKYO performed concerts in Portugal and Spain. CKYO offers six orchestras; Symphony, Concert, Repertory, Preparatory Strings, Jazz Arts, and Jazz Repertory, as well as three community initiatives CKYO in the Schools, Friends in Music, and North Limestone MusicWorks.\r\nA predictive marker is a particular protein or gene that indicates sensitivity or resistance to a specific therapy. The use of predictive markers is becoming increasingly relevant in cancer therapy as it allows for better identification of patients who will respond positively to the therapy. In the clinical setting, predictive markers are limited to use in breast cancer. Expression of estrogen and progesterone receptors can determine the benefits of hormone therapy, whilst the benefit of treating breast cancer patients with herceptin (Trastuzumab) is determined by the expression of HER2. There are many advantages to utilizing a predictive marker in cancer therapy including better patient management minimizing unnecessary suffering from side effects with ultimately the wrong treatment choice, reducing loss of precious time whilst determining whether a therapy will provide any benefit, and a reduction in cost to both the patient and the wider health community.\r\nCommunity Land Scotland is a charity and membership organisation for community landowners and aspiring community landowners. It was founded in 2010 to represent the interests of community landowners, promote legislation which empowers communities and provide a point of contact for community bodies interested in community land ownership.\r\nThe Columbia River Treaty is a 1964 agreement between Canada and the United States on the development and operation of dams in the upper Columbia River basin for power and flood control benefits in both countries. Four dams were constructed under this treaty: three in British Columbia, Canada (Duncan Dam, Mica Dam, Keenleyside Dam) and one in Montana in the United States (Libby Dam). The treaty provided for the sharing with Canada of one-half of the downstream U.S. power and flood benefits, and allows the operation of Treaty storage for other benefits. The long-term impacts of the treaty have been mixed: while the dams have provided enormous economic benefits to British Columbia and the U.S. Pacific Northwest through hydroelectric generation and flood control, there are longstanding concerns regarding social and economic impacts to the local communities, and the environmental effects associated with the construction and operation of large dams.\r\nEmployee voice refers to the participation of employees in influencing organisational decision making. Because research and analysis have grown around the voice concept in a variety of disciplines, \u2018employee voice\u2019 has become an elastic term meaning somewhat different things to different policy, academic and practitioner actors . In the many disciplines that cover voice, such as human resource management, political science, economics, organisational behaviour, psychology or law, perspectives toward the concept differ. Drawing on Dundon et al. voice can be seen with different lenses. First, voice is an articulation of individual dissatisfaction or concern that aims to address a specific problem or issue with management. Second, voice takes the form of collective organisation, where voice provides a countervailing source of power to management. Third, there is the role of voice as a contribution to management decision-making. Here the purpose is to gain employee input to improve work organisation and efficiency more generally, perhaps through quality circles or teamwork, or eliciting workforce engagement. Fourth voice can be seen as an instrument for mutual gain, with productive collaboration between capital and labour increasing the long-term viability of an organisation and economic well-being of employees The editors of the Elgar Handbook of Employee Voice define employee voice as the ways and means through which employees attempt to have a say and potentially influence organisational affairs about issues that affect their work and the interests of managers and owners. This definition combines a variety of voice mechanisms that analysts often group in separate boxes (e.g. involvement or bargaining; union and non-union). It allows for employer implemented Non-union Employee Representative (NER) systems as a collective form of voice, be it chosen to marginalise a union presence or to provide an alternative to union influence In general, employee voice is about how employees are able to have a say over work activities and decisions within the organizations in which they work, regardless of the institutional channel through which it operates\u2014whether through speak-up programmes, quality circles, teamwork, or collective negotiation.\r\nIn biology, optimality models are a tool used to evaluate the costs and benefits of different organismal features, traits, and characteristics, including behavior, in the natural world. This evaluation allows researchers to make predictions about an organisms\u2019s optimal behavior or other aspects of its phenotype. Optimality modeling is the modeling aspect of optimization theory. It allows for the calculation and visualization of the costs and benefits that influence the outcome of a decision, and contributes to an understanding of adaptations. The approach based on optimality mmodels in biology is sometimes called optimality theory.",
"answer": "2010"
},
+ {
+ "question": "The Victorians - Their Story In Pictures is a documentary series written by an author born in what year?",
+ "context": "The Victorians - Their Story In Pictures is a 2009 British documentary series which focuses on Victorian art and culture. The four-part series is written and presented by Jeremy Paxman and debuted on BBC One at 9:00pm on Sunday 15 February 2009.\r\nMichael Wood's Story of England is a six-part BBC documentary series written and presented by Michael Wood and airing from 22 September 2010. It tells the story of one place, the Leicestershire village of Kibworth, throughout the whole of English history from the Roman era to modern times. The series focuses on tracing history through ordinary people in an ordinary English town, with current residents of Kibworth sharing what they know of their ancestors and participating in tracing their history. A four-part version aired on PBS in 2012.\r\nSteam Days is a 1986 BBC 2 television documentary series written and presented by Miles Kington. Each episode is themed around the history of British steam locomotives and railways, particularly highlighting preserved locomotives operating at the time of its filming. The series consists of six half-hour episodes. It aired on Public Television stations in the United States under the title Great Steam Trains. Two episodes, \"Going Great Western\" and \"The Fishing Line\" are available to watch on the BBC Archive website. The whole series has subsequently become available to watch on the BBC iPlayer.\r\nTyne O'Connell (full name Clementyne Rose O'Connell) is an English author born in Windsor, who lives and works in Mayfair, London. Mayfair serves as a backdrop for much of her contemporary women's fiction, including \"Making The A list\" (Headline Review, 1999) and \"Sex With The Ex\" (Red Dress Ink UK, 2004). She has written for publications such as \"Ms.\", \"Elle UK\" and \"Journal\". Her short stories appear in \"Girls' Night Out\" and \"Kid's Night In\". She is a contributor to \"Holiday Goddess\". O'Connell is The Eccentrics Club's (whose patron is HRH The Prince Philip, Duke of Edinburgh), \"Most Eccentric Thinker of the Year\" 2015.
Bloomsbury USA published a compilation of O'Connell's YA fiction 'Royal Match' and 'Royal Mess' in 2012 to coincide with the Royal Wedding. Soon after O'Connell was diagnosed with a brain tumour and began writing her history of eccentricity as a quintessential aspect of the British and Irish character. CNN Style in its documentary 'The Adorned' describes O'Connell \"The Mayfair-based author and socialite seems to have been torn straight from the pages of an Evelyn Waugh novel; with her cut-glass accent, perma-fixed tiara and layers of pearls.\r\nThe Smash Brothers is a 2013 nine-part documentary series written and directed by Travis 'Samox' Beauchamp. The documentary series examines the history of the competitive \"Super Smash Bros.\" community, in particular the game \"Super Smash Bros. Melee\" and eight of the most dominant players throughout its history, including Joel \"Isai\" Alvarado, Jason Zimmerman, Juan Debiedma, Joseph Marquez, PC Chris, and Ken Hoang. The film also features extensive commentary from other community figures including Chris \"Wife\" Fabiszak, Wynton \"Prog\" Smith, Kashan \"Chillindude\" Khan, Daniel \"ChuDat\" Rodriguez, and Lillian \"Milktea\" Chen. The series was crowdfunded through Kickstarter, receiving US$8,910. The series had a total budget of US$12,000. The series has received a combined total of over 4 million views on YouTube.\r\nTodd Sampson is a Canadian-born Australian award-winning documentary-maker, television presenter and former CEO of the communication company Leo Burnett Australia. He appears as a co-host on the marketing discussion program \"Gruen\" and as a guest host on \"The Project\". He wrote, produced and presented the science documentary series, \"Redesign My Brain\" which won Documentary of the Year. He wrote, produced and hosted BodyHack, an adventure science documentary for Discovery International which was nominated for Best Factual Series and Most Outstanding Documentary of the Year. He is the host and producer of the upcoming ABC science documentary series, LIFE ON THE LINE. In 2016, Todd also acted a small part as Provost in the Oscar-nominated feature film, LION. Todd is an adventurer and has climbed to the summit of Mount Everest.\r\nWhat the Victorians Did for Us is a 2001 BBC documentary series that examines the impact of the Victorian era on modern society. It concentrates primarily on the scientific and social advances of the era, which bore the Industrial Revolution and set the standards for polite society today.\r\nInto the Wild is an American documentary series written and directed by Jared Leto. The series tells the story behind the concert tour of the same name by American rock band Thirty Seconds to Mars, which propelled the group into arenas around the world and was certified by the \"Guinness World Records\" as the longest running tour in the history of rock music. The series is produced by Leto and Emma Ludbrook through the production company Sisyphus Corporation. \"Into the Wild\" premiered internationally on November 30, 2014, on the online platform VyRT.\r\nKingdom of Plants 3D is a natural history documentary series written and presented by David Attenborough, which explores the world of plants. It was filmed over the course of a year at the Royal Botanical Gardens, Kew.\r\nJeremy Dickson Paxman (born 11 May 1950) is an English broadcaster, journalist, and author. He is the question master of \"University Challenge\", having succeeded Bamber Gascoigne when the programme was revived in 1994.",
+ "answer": "1950"
+ },
+ {
+ "question": "Which American actress who made their film debut in the 1995 teen drama \"Kids\" was the co-founder of Voto Latino?",
+ "context": "Evan Rachel Wood (born September 7, 1987) is an American actress, model and musician. She began acting in the 1990s, appearing in several television series, including \"American Gothic\" (1995\u201396) and \"Once and Again\" (1999\u20132002). Wood made her debut as a leading film actress at the age of nine in \"Digging to China\" (1998) and garnered acclaim for her Golden Globe-nominated role as the troubled teenager Tracy Freeland in the teen drama film \"Thirteen\" (2003).\r\nVoto Latino is a nonpartisan, non-profit organization in the United States founded in 2004. The organization's primary aim is to encourage young Hispanic and Latino voters to register to vote and become more politically involved. The organization was co-founded by Rosario Dawson, and Phil Colon. The current president is Maria Teresa Kumar.\r\nAmerican actress Shannen Doherty has appeared in numerous television programs and motion pictures. After her television debut in \"Father Murphy\" in 1981, she landed her first major role in the dramatic western television series \"Little House on the Prairie\" (1982\u20131983), and reprised her role in its three television specials. Doherty received two Young Artist Award nominations for playing the oldest Witherspoon sibling Kris in the family drama \"Our House\" (1986\u20131988). She appeared in four films during the 1980s, including the positively-received, animated film \"The Secret of NIMH\" (1982) and the cult classic \"Heathers\" (1988). Her breakthrough role was as Brenda Walsh in the teen drama \"Beverly Hills, 90210\" (1990-1994), but she was later dropped from the series because of backstage issues and her negative image as a \"bad girl\". She starred in television films in the early and mid-1990s, and played Rene Mosier in the romantic comedy \"Mallrats\" (1995) in an attempt to rebuild her career.\r\nRosario Isabel Dawson (born May 9, 1979) is an American actress, producer, singer, comic book writer, and political activist. She made her film debut in the 1995 teen drama \"Kids\". Her subsequent film roles include \"He Got Game\", \"Men in Black II\", \"25th Hour\", \"Rent\", \"Sin City\", \"Death Proof\", \"Seven Pounds\", \"\", and \"Top Five\". Dawson has also provided voice-over work for Disney and DC.\r\nMad Love is a 1995 teen romantic drama film directed by Antonia Bird and starring Drew Barrymore and Chris O'Donnell. The screenplay was written by Paula Milne. The original music score is composed by Andy Roberts.\r\nJennifer Love Hewitt (born February 21, 1979) is an American actress, television producer and director, singer\/songwriter and author. Hewitt began her acting career as a child by appearing in television commercials and the Disney Channel series \"Kids Incorporated\". She rose to fame for her role as Sarah Reeves Merrin on the Fox teen drama \"Party of Five\" (1995\u201399). She later starred in the horror film \"I Know What You Did Last Summer\" (1997) and its 1998 sequel.\r\nTaryn Manning (born November 6, 1978) is an American actress, singer-songwriter, and fashion designer. Manning made her film debut in the teen drama \"Crazy\/Beautiful\" (2001), followed by a lead part opposite Britney Spears in \"Crossroads\" (2002), which garnered her mainstream attention. She then appeared in \"8 Mile\" (2002), \"White Oleander\" (2002), \"A Lot Like Love\" (2005) and \"Hustle & Flow\" (2005). Manning has also had a main role on \"Hawaii Five-0\" and had recurring roles in television on \"Sons of Anarchy\", and plays the role of Tiffany \"Pennsatucky\" Doggett in the Netflix original series \"Orange Is the New Black\".\r\nShannon Purser (born June 27, 1997) is an American actress. She made her acting debut in the Netflix drama series \"Stranger Things\" as Barbara \"Barb\" Holland, and portrays Ethel Muggs in The CW's teen drama series \"Riverdale\". She made her film debut as June Acosta in the 2017 horror film \"Wish Upon\".\r\nJared Leto is an American entertainer who has had an extensive career in film, music, and television. He made his debut with minor roles in the television shows \"Camp Wilder\" (1992) and \"Almost Home\" (1993). He achieved recognition in 1994 for his role as Jordan Catalano in the teen drama television series \"My So-Called Life\". The show was praised for its portrayal of adolescence and gained a cult following, despite being canceled after only one season. The same year, he made his television film debut starring alongside Alicia Silverstone in \"Cool and the Crazy\". Leto's first film role was in the 1995 drama \"How to Make an American Quilt\". He later co-starred with Christina Ricci in \"The Last of the High Kings\" (1996) and received a supporting role in \"Switchback\" (1997). In 1997, Leto starred in the biopic \"Prefontaine\" in which he played the role of Olympic hopeful Steve Prefontaine. His portrayal received positive reviews from critics and is often considered his breakthrough role. The following year, Leto starred together with Alicia Witt in the horror \"Urban Legend\". He then acted alongside Sean Penn and Adrien Brody in the war film \"The Thin Red Line\" (1998). After playing supporting roles in \"Black and White\" and \"Girl, Interrupted\", Leto portrayed Angel Face in \"Fight Club\" (1999), which has since became a cult film.\r\nMichelle Williams is an American actress who has appeared in film, television and stage. Her first screen appearance was at the age of 13 in a 1993 episode of the television series \"Baywatch\", and she made her film debut as the love interest of the teenage lead in \"Lassie\" (1994). She subsequently had guest roles in the television sitcoms \"Step by Step\" and \"Home Improvement\" and played the younger version of Natasha Henstridge's character in the science fiction film \"Species\" (1995). Greater success came to Williams when she began starring as the sexually troubled teenager Jen Lindley in the teen drama \"Dawson's Creek\" (1998\u20132003). In 1999, she made her stage debut with the Tracy Letts-written play \"Killer Joe\", in which she played the naive young daughter of a dysfunctional family.",
+ "answer": "Rosario Dawson"
+ },
+ {
+ "question": "which American actor was Candace Kita guest starred with ",
+ "context": "Charlie Babcock (born 1979) is an American actor born in Grosse Pointe, Michigan as Charles William Babcock. Babcock has guest starred on several present-day television programs which include a recurring role on the ABC series \"Desperate Housewives\" as Stu who was Lynette Scavo's assistant at Parcher & Murphy until he sued his boss (Joely Fisher) for a sexual harassment suit. Other guest star appearances include \"8 Simple Rules\" and \"Cold Case\". He is also known for parts in \"Special\" (2006), \"RewinD\" (2005) and \"Spoonaur\" (2004)\r\nThom Bierdz (born March 24, 1962) is an American actor best known for his portrayal of Phillip Chancellor III on the daytime drama \"The Young and the Restless\", appearing from 1986 to 1989, returning for a \"dream sequence\" in 2004, and in a surprising twist, returned to the role in May 2009, 2010 and 2011. He was also a recurring guest star on \"Melrose Place\" as Sarah's abusive boyfriend, Hank. Other TV credits include guest starred twice on \"Murder, She Wrote\" (1994, 1995), \"Matlock\" (1993), \"Robin's Hoods\" (1994) and \"Highway to Heaven\" (1986), \"Win, Lose or Draw\" (1989) and \"The New Hollywood Squares\" (1988, 1989). Bierdz played Bobby Burton on the web series \"Old Dogs New Tricks\" in 2012 and 2013.\r\nThe fourth season of the American comedy television series \"Scrubs\" premiered on NBC on August 31, 2004 and concluded on May 10, 2005 and consists of 25 episodes. Heather Graham guest starred for an extended run for the first 8 episodes, and then another appearance later in the season. Colin Farrell, Matthew Perry, Molly Shannon, Clay Aiken, and Tara Reid guest starred. This season was nominated for the Primetime Emmy Award for Outstanding Comedy Series.\r\nErnie Grunwald (born in Thornhill, Ontario, Canada) is a Canadian-born actor who has had made guest appearances in a number of notable television series. He has also had recurring roles on, \"One on One\", \"The Suite Life of Zack & Cody\" (as Mr. Forgess, Series 2 Episode 22), and \"Two of a Kind\" opposite Mary-Kate and Ashley Olsen. He has also guest starred on, \"Friends\", \"My Name Is Earl\", \"NYPD Blue\", \"Reno 911!\", \"ANT Farm\", \"Walker, Texas Ranger\", \"Supernatural\", \"Grey's Anatomy\", \"Bones\", \"The Mentalist\" and many other series. He has also had roles in the feature films, \"Cellular\", \"It Takes Two\", \"Men in Black II\", and \"Stealing Harvard\". He guest starred as a restaurant manager in \"Monk\" (\"Mr. Monk's 100th Case\") and as a bumbling government official in \"Psych\" (\"Death is In the Air\"). He also made a cameo appearance in the 1992 Disney film \"The Mighty Ducks\" as a fan.\r\nEdward Blatchford (sometimes credited as Ed Blatchford) is an American actor. He is best known for role as Peter Collins in the Peter Engel-produced sitcom \"Malibu, CA\". He worked with Engel on three other series, guest starring in \"Saved by the Bell\", \"Hang Time\" and \"City Guys\". He also guest starred in the series \"Crime Story\", \"The Adventures of Brisco County, Jr.\" and \"JAG\". His film credits include \"The Last of the Mohicans\" (1992) and \"Nowhere to Run\" (1993).\r\nJohari Johnson is an American actress, director, comedian, screenwriter and producer. She has guest starred in a number of notable television series including \"Moesha\", \"The Steve Harvey Show\", \"Smart Guy\", \"In the House\", \"Eve\", \"Cory in the House\", \"Mr. Show with Bob and David\" and among other series. She has also guest starred numerous times on \"The Fresh Prince of Bel-Air\" and the Disney Channel Original Series \"That's So Raven\", each time playing a different character on both series.\r\nKita's first role was as a news anchor in the 1991 movie \"Stealth Hunters\". Kita's first recurring television role was in Fox's \"Masked Rider\", from 1995 to 1996. She appeared as a series regular lead in all 40 episodes. Kita also portrayed a frantic stewardess in a music video directed by Mark Pellington for the British group, Catherine Wheel, titled, \"Waydown\" in 1995. In 1996, Kita also appeared in the film \"Barb Wire\" (1996) and guest starred on \"The Wayans Bros.\". She also guest starred in \"Miriam Teitelbaum: Homicide\" with \"Saturday Night Live\" alumni Nora Dunn, \"Wall To Wall Records\" with Jordan Bridges, \"Even Stevens\", \"Felicity\" with Keri Russell, \"V.I.P.\" with Pamela Anderson, \"Girlfriends\", \"The Sweet Spot\" with Bill Murray, and \"Movies at Our House\". She also had recurring roles on the FX spoof, \"Son of the Beach\" from 2001 to 2002, ABC-Family's \"Dance Fever\" and Oxygen Network's \"Running with Scissors\". Kita also appeared in the films \"Little Heroes\" (2002) and \"Rennie's Landing\" (2001).\r\nCandace Cameron Bure ( ; born Candace Helaine Cameron; April 6, 1976) is an American actress, producer, author, and talk show panelist. She is known for her role as D.J. Tanner on \"Full House\", which she reprised as D.J. Tanner-Fuller on \"Fuller House\". In 2014, she was a contestant on season 18 of \"Dancing with the Stars\", finishing in third place. She also starred as Summer van Horne on \"Make It or Break It\". She is the sister of actor Kirk Cameron, known for \"Growing Pains.\" From 2015 to 2016, she was a co-host of the daytime television talk show \"The View\".\r\nWilliam James Murray (born September 21, 1950) is an American actor, comedian, and writer. He first gained exposure on \"Saturday Night Live\", a series of performances that earned him his first Emmy Award, and later starred in comedy films\u2014including \"Meatballs\" (1979), \"Caddyshack\" (1980), \"Stripes\" (1981), \"Tootsie\" (1982), \"Ghostbusters\" (1984), \"Scrooged\" (1988), \"Ghostbusters II\" (1989), \"What About Bob?\" (1991), and \"Groundhog Day\" (1993). He also co-directed \"Quick Change\" (1990).\r\nGerald Raymond \"Gerry\" Rosenthal (born September 2, 1980) is an American actor, voice actor, singer-songwriter, and musician who started out acting in TV commercials at the age of 7. He has starred on films and short films and has guest starred in television series such as \"Law & Order\" and \"Celebrity Deathmatch\". He is perhaps best known for providing the voice for Jimmy Hopkins the main playable character in the 2006 video game \"Bully\" for which he was nominated for a 2006 Spike VGA award for best performance by a human male. He lives in Jersey City, New Jersey and now mostly works as a guitarist, bassist, keyboardist, and singer-songwriter. He teaches private music lessons and performs in gigs professionally. He plays bass in both a Beatles cover band called Hey Bulldog, as well as the Mama Doni Band, and guitar in a wedding band called The Jersey Joint. Gerry also writes, records, and plays guitar with his own original band, Big Wake. He freelances with as many different projects as possible, and performs solo and duo acoustic sets all over the area.",
+ "answer": "Bill Murray"
+ },
+ {
+ "question": "Samantha Cristoforetti and Mark Shuttleworth are both best known for being first in their field to go where? ",
+ "context": "Honeybus were a 1960s pop group formed in April 1967, in London. They are best known for their 1968 UK Top 10 hit single, \"I Can't Let Maggie Go\", written by Pete Dello who also composed their previous single \"(Do I Figure) In Your Life\", later recorded by Dave Berry, Ian Matthews, Joe Cocker, Dave Stewart, Paul Carrack, Samantha Jones, Dana and Pierce Turner.\r\nMark Richard Shuttleworth (born 18 September 1973) is a South African entrepreneur who is the founder and CEO of Canonical Ltd., the company behind the development of the Linux-based Ubuntu operating system. In 2002, he became the first citizen of an independent African country to travel to space as a space tourist. He currently lives on the Isle of Man and holds dual citizenship from South Africa and the United Kingdom.\r\nCesar Mora is an Australian professional vert skater. Cesar is the poster boy for professionalism in rollerblading. He has strong beliefs in being a role model, as he has never believed in the use of drugs, alcohol, or cigarettes Cesar is the only vert skater to compete in all of the 1st ten X Games. In 1998, he won vert gold, and he has two vert silver medals ('95, '99) and a bronze ('00). A number one ranked skater and world champion several times. Skating for Roces skates from 1994 to 1998 then switching to K2 skates from 1999 to 2004. Born in Madrid, Spain, 3 February, and having lived most of his life in Sydney Australia, Cesar represented Australia also in soccer at a youth level, travelling to US and England before landing in his city of birth Madrid and training with professional Spanish side Rayo Vallecano for several months who at the time were in the 4th division of the Spanish league. He returned to Sydney and started skating at the beautiful Bondi Beach where he honed his skills on the ramp and launched himself on an international skating career that took him around the world and back several times. Always creative, explosive and exciting to watch, Cesar made his mark on many up and coming skaters offering a drug-free life style and a healthy living. An artist, not only on the ramp and soccer field, Cesar also loves art, illustration, creative drawing and is a qualified graphic designer. His many achievements didn't go un-noticed and at the change of the century he headlined a video game called Roll, sharing the titles with some of the best skaters in the world. Sometimes referred to as the king of vert, Cesar pushed the sport in 1998 by being the 1st skater in history to land a 1080 and later on that year a reverse 1260. Hailing from the very innovative Australian skating scene he always tried to push the boundaries and try new things, create new ways of performing tricks and innovating, adding his unique style to everything he did, and with these efforts and risks comes injuries, he certainly had his share but somehow managed to avoid broken bones until the end of 2000 whilst performing at the melbourne planet x games he fell and broke his left arm and wrist. The physical recovery was fast but the mental recovery took some time, and that year he took on less competitions and concentrated on healing and safety. Once the confidence returned the usual big tricks were on display and among the variety of spins, flips and airs for many years he was known for his giant backflips, always a crowd pleaser. Cesar, ever the showman, never left a ramp without giving his all, whether it be the x games or a small show in a village in Peru where the ramp may have been less than appropriate. He always wanted to leave the kids and fans with something special and signed every autograph. He relished his position as a role model and this made him actually wear a helmet, because when he started and on his 1st tour of the states he never liked wearing a helmet and was told no helmet-no skate. A proud person with an enviable list of achievements, he relished his time on tour and is always grateful of anyone who helped him along the way.\r\nCh. Salilyn 'N Erin's Shameless (born 1995) also known as Samantha, was an English Springer Spaniel, best known for being Best in Show at the Westminster Kennel Club Dog Show in February 2000. Her sire was Ch. Salilyn's Condor, Best in Show winner at Westminster in 1993, Samantha became the first offspring of a previous Best in Show winner at Westminster to take the same prize.\r\nJustin Salter (born August 6, 1984) is an American musician, drummer, film composer, and record producer. He is best known as the drummer from the American rock band Scary Kids Scaring Kids. (RCA, Immortal) He went on to engineer and assist for many artists and producers including Snoop Dogg, Jonas Brothers, Lil' Wayne, Alicia Keys, Young MC, Talib Kweli, Aaliyah, Mark McKenzie,John Fields and Andra\u00e9 Crouch. He recently composed the original score for the film documentary , the soundtrack for the film features music by Thirty Seconds to Mars, Andrea Bocelli and CKY . He also recently produced and wrote music for the America's Got Talent star Anna Graceman. Salter produced Samantha Scarlette's 2011 EP \"Into The Darkness EP & Demos\".\r\nStephen W. Raudenbush (born 1946) is the Lewis-Sebring Professor of Sociology and Chairman of the Committee on Education at the University of Chicago. He is best known for his development and application of hierarchical linear models (HLM) in the field of education but he has also published on other subjects such as health and crime. Hierarchical linear models, which go by many other names, are used to study many natural processes. To use an example from education, a three level hierarchical model might account for the fact that students are nested in classrooms which are nested in schools. With the right data one could go further and note that schools are nested in districts which are nested in states. Repeated measures of the same individuals can be studied with these models as observations nested in people.\r\nMark Elliot (born September 24, 1939) is an American voice-over artist best known as the primary voice for Walt Disney Entertainment from 1983 to 2008. He also provided voice overs for trailers of non-Disney films, logos, feature presentation bumpers and commercials. He's well known for his voice overs in theatrical and home video trailers for films produced by The Walt Disney Studios from the 1980s to the 2000s. He was also the voice of CBS and FOX throughout the 1980s and 1990s, and various theatrical trailers for such non-Disney animated movies as \"All Dogs Go to Heaven\", \"The Seventh Brother\", \"Rover Dangerfield\", \"Rock-A-Doodle\", \"\", \"The Magic Voyage\", \"The Thief and the Cobbler\", \"Once Upon a Forest\", \"The Princess And The Goblin\", \"Andre\", \"Asterix Conquers America\", \"The Swan Princess\", \"The Pagemaster\", \"The Pebble and the Penguin\", \"Balto\", \"All Dogs Go to Heaven 2\", \"Tiny Heroes\" (\"Vacak 2 - az erd\u0151 h\u0151se\"), \"Zeus and Roxanne\", \"The Fearless Four\", \"The Prince of Egypt\", \"The Adventures of Brer Rabbit\", \"\", \"House Arrest\", and \"\". In addition to his behind-the-scenes work, Elliott starred with four other notable voice artists in the 1997 short film \"5 Men and a Limo\". One of his most well-known voice-overs for Disney is the catchphrase \"And now, our feature presentation,\" which he says at the start of most animated Disney films on video on a \"Feature Presentation\" bumper.\r\nAndrew Mangham (born 1979) is a literary critic and lecturer at the University of Reading, UK. He is best known for his work on the sensation novel, having published three books and numerous articles on the genre, but he has also published critical work on Dickens and the Gothic. Mangham was born in Thurnscoe, a coal-mining village near Barnsley, South Yorkshire, and got his bachelor's degree from the University of Huddersfield. He gained distinction in his master's degree in Victorian Literature from the University of Leeds, and moved to the University of Sheffield to study for a PhD with Sally Shuttleworth. The subject of his PhD thesis became the basis of his first book \"Violent Women and Sensation Fiction\", which was published in 2007.\r\nSamantha Rose (born 1954 in Jamaica) was a lovers rock reggae singer, who was active from the mid 1970s to the beginning of the 1990s. She recorded in London for producers that included Winston Curtis and Les Cliff and is perhaps best known for her interpretation of Marlena Shaw's version of the much covered \"Go Away Little Boy\" and for her cover of \"Angel of the Morning\". Other successes included her duet with Les Cliff \"Together in Love\", and with Ray Mondo on \"Easy Lovin'\".\r\nSamantha Cristoforetti (] ; born 26 April 1977 in Milan) is an Italian European Space Agency astronaut, Italian Air Force pilot and engineer. She holds the record for the longest uninterrupted spaceflight of a European astronaut (199 days, 16 hours), and until June 2017 held the record for the longest single space flight by a woman until this was broken by Peggy Whitson. She is also the first Italian woman in space. Samantha Cristoforetti is also known as the first person who brewed an espresso coffee in space.",
+ "answer": "space"
+ },
+ {
+ "question": "What is the code name for the German offensive that started this Second World War engagement on the Eastern Front (a few hundred kilometers from Moscow) between Soviet and German forces, which included 102nd Infantry Division?",
+ "context": "The 52nd Infantry Division (\"52.Infanterie-Division\") was a division of the Imperial German Army during World War I. The division was formed on March 6, 1915, from units taken from other divisions or newly raised. The division was initially mixed, with two infantry regiments from the Grand Duchy of Baden, one infantry regiment from Prussian Saxony, and Prussian and Baden support units (cavalry, artillery, engineers, and service and support units). While the infantry regiments and the divisional cavalry squadron were regular army units, the rest of the division was made up of reserve units and units formed during the war. The 66th Magdeburg Infantry Regiment was taken from the 7th Infantry Division, and the 169th and 170th Infantry Regiments were taken from Baden's 29th Infantry Division. The 52nd Infantry Division became more Baden as the war progressed, as the 66th Magdeburg Infantry Regiment, the regiment from Prussian Saxony, was replaced on April 6, 1917, by Baden's 111th Infantry Regiment \"Margrave Ludwig Wilhelm\".\r\nOn October 8, 1918, in the Argonne Forest ( ). Cornay was the scene of particularly heavy fighting on October 8, 1918. The 82nd US Infantry Division launched a series of attacks in the area, with 1st Battalion, 328 Infantry regiment (82nd Division) attacking to liberate Cornay and 2nd Battalion, 328th Infantry Regiment attacking into the Argonne Forest through Chatel Chehery (south of Cornay). Around 10:30 am, the German 125th Landwehr Wuerttemberg Regiment and 212th Prussian Reserve Regiment launched a determined counterattack against the American forces, which inflicted heavy casualties on the Americans, with more than 100 being captured. The 82nd Division was forced to retreat from Cornay. The town was retaken by the Americans the next day. Three kilometers to the south, Cpl Alvin C. York from Company G, 328th Infantry Regiment, 82nd Infantry Division, with the aid of 7 other soldiers, captured 132 German soldiers. For his actions York was awarded the US Medal of Honor.\r\nThe 102nd Infantry Division was a German military infantry division during World War II. It served on the Eastern Front, fighting in the Rzhev salient and the Battle of Kursk. It was destroyed during the latter stages of the Soviet Red Army's East Prussian Offensive in 1945.\r\nMajor General Walter E. Lauer (20 June 1893 \u2013 13 October 1966) was a senior United States Army officer who fought in both World War I and World War II. During World War II he commanded the 99th Infantry Division in the Battle of the Bulge. The green troops of the 99th, along with the battle-tested 2nd Infantry Division, held a key sector controlling access to Spa and Leige and large repositories of ammunition, fuel, and supplies. Despite being outnumbered by German forces at least five to one, during the Battle of Elsenborn Ridge they did not yield. It was the only sector of the American front lines during the German offensive where the Germans failed to advance. Lauer was a veteran of both World War I and II.\r\nOperation Roland was a local German offensive inside the Soviet Union during the Second World War on the Eastern Front, and was conducted as a local operation within the overarching German summer offensive, Operation Citadel, on the southern side of the Kursk salient. The German forces of the III Panzer Corps and the 2nd SS Panzergrenadier Division Das Reich of the II SS Panzer Corps attempted to envelop and destroy Soviet forces of the Voronezh Front. This operation was necessitated by the failure of the German II SS Panzer Corps to break through Soviet forces during the Battle of Prokhorovka on 12 July. Therefore, German commanders decided to first link up the III Panzer Corps, which had been lagging behind due to heavy Soviet resistance, with the II SS Panzer Corps, in order to consolidate the German positions into a continuous frontline without inward bulges and enable the two panzer corps to overrun Soviet forces defending Prokhoravka together. The linking up of the two German pincers was planned to effectuate the envelopment of the Soviet 69th Army and other supporting units.\r\nThe 37th Field Artillery Regiment is a field artillery regiment of the United States Army, and parent regiment under the U.S. Army Regimental System. The regiment was first constituted 5 July 1918 in the National Army. The regiment served with the 10th Division during World War I, and the 2nd Infantry Division during World War II. Elements of the regiment have served with the 2nd Infantry Division, 6th Infantry Division, 79th Infantry Division, and 172nd Infantry Brigade, among other units. Two battalions of the regiment are currently active, the 1st Battalion, 37th Field Artillery is the direct support cannon battalion, in support of the 1st Stryker Brigade Combat Team, 2nd Infantry Division and the 6th Battalion, 37th Field Artillery is a Multiple Launch Rocket System battalion in the 210th Field Artillery Brigade.\r\nOperation Citadel (German: \"Unternehmen Zitadelle\" ) was a German offensive operation against Soviet forces in the Kursk salient during the Second World War on the Eastern Front that initiated the Battle of Kursk. The deliberate defensive operation that the Soviets implemented to repel the German offensive is referred to as the Kursk Strategic Defensive Operation. The German offensive was countered by two Soviet counter-offensives, Operation Polkovodets Rumyantsev (Russian: \u041f\u043e\u043b\u043a\u043e\u0432\u043e\u0434\u0435\u0446 \u0420\u0443\u043c\u044f\u043d\u0446\u0435\u0432 ) and Operation Kutuzov (Russian: \u041a\u0443\u0442\u0443\u0437\u043e\u0432 ). For the Germans, the battle was the final strategic offensive that they were able to launch on the Eastern Front. As the Allied invasion of Sicily began Adolf Hitler was forced to divert troops training in France to meet the Allied threats in the Mediterranean, rather than use them as a strategic reserve for the Eastern Front. Germany's extensive loss of men and tanks ensured that the victorious Soviet Red Army enjoyed the strategic initiative for the remainder of the war.\r\nThe 16th Panzer Division (German: \"16. Panzer-Division\" ) was a formation of the German Army in World War II. It was formed in November 1940 from the 16th Infantry Division. It took part in Operation Barbarossa, the invasion of the Soviet Union in June 1941, operating in the southern sector of the Eastern Front. After the Soviet offensive in November 1942 the division was trapped in Stalingrad, where it surrendered in February 1943. A new 16th Panzer Division was formed in 1943 and sent to Italy where it was part of the unsuccessful German defense against the Allied invasion of Italy. Sent back to the Eastern Front in November 1943 the division once more saw action in the southern sector, taking part in the relief operation of the Korsun-Cherkassy Pocket and being part of the Kamenets-Podolsky pocket. It eventually surrendered to Soviet and US American forces in Czechoslovakia in May 1945.\r\nThe 52nd (Lowland) Infantry Division was an infantry division of the British Army that was originally formed as the Lowland Division, in 1908 as part of the Territorial Force. It later became the 52nd (Lowland) Division in 1915. The 52nd (Lowland) Division fought in the First World War before being disbanded, with the rest of the Territorial Force, in 1920. The Territorial Force was later reformed as the Territorial Army and the division was again raised, during the inter-war years, as the 52nd (Lowland) Infantry Division - a 1st Line Territorial Army Infantry Division - and went on to serve during the Second World War. After the war, the division was merged with the 51st (Highland) Infantry Division in 1948. The history of the division was carried on by the 52nd Lowland Brigade, and later the 52nd Lowland Regiment.\r\nThe Battle of Kursk was a Second World War engagement between German and Soviet forces on the Eastern Front near Kursk (450 km south-west of Moscow) in the Soviet Union during July and August 1943. The battle began with the launch of the German offensive, Operation Citadel (German: \"Unternehmen Zitadelle\" ), on 5 July, which had the objective of pinching off the Kursk salient with attacks on the base of the salient from north and south simultaneously. After the German offensive stalled on the northern side of the salient, on 12 July the Soviets commenced their Kursk Strategic Offensive Operation with the launch of Operation Kutuzov (Russian: \u041a\u0443\u0442\u0443\u0437\u043e\u0432 ) against the rear of the German forces in the northern side. On the southern side, the Soviets also launched powerful counterattacks the same day, one of which led to a large armoured clash, the Battle of Prokhorovka. On 3 August, the Soviets began the second phase of the Kursk Strategic Offensive Operation with the launch of Operation Polkovodets Rumyantsev (Russian: \u041f\u043e\u043b\u043a\u043e\u0432\u043e\u0434\u0435\u0446 \u0420\u0443\u043c\u044f\u043d\u0446\u0435\u0432 ) against the German forces in the southern side of the Kursk salient.",
+ "answer": "Operation Citadel"
+ },
+ {
+ "question": "Tombstone stared an actor born May 17, 1955 known as who?",
+ "context": "William Paxton (May 17, 1955 \u2013 February 25, 2017) was an American actor and film director.\r\nMitsuo Hashimoto (\u6a4b\u672c \u5149\u96c4 , Hashimoto Mitsuo , May 1, 1931 \u2013 May 24, 1997) , better known by the stage name Kinpei Azusa (\u3042\u305a\u3055 \u6b23\u5e73 , Azusa Kinpei ) , was a Japanese voice actor born in Fukushima Prefecture, Japan. He was employed by the talent management firm Aoni Production.\r\nDennis Hopper (May 17, 1936May 29, 2010) was an American actor, filmmaker, photographer and artist. He made his first television appearance in 1955, and appeared in two films featuring James Dean, \"Rebel Without a Cause\" (1955) and \"Giant\" (1956). Over the next ten years, Hopper appeared frequently on television in guest roles, and by the end of the 1960s had played supporting roles in several films.\r\nMichael Chevalier (born May 14, 1933) is a German synchronis speaker and actor born in Berlin. He has provided the German dub voices for Charles Bronson (\"Once Upon a Time in the West\"), Richard Harris (\"The Wild Geese\"), Omar Sharif (\"Doctor Zhivago\"), Oliver Reed (\"Gladiator\"), Steve McQueen (\"The Cincinnati Kid\"), Dan Blocker (\"Bonanza\") and William Conrad (\"Jake and the Fatman\"). He has also provided dubs for Marlon Brando, Paul Newman and Sean Connery.\r\nWu Chien-ho (born May 2, 1993) is a Taiwanese actor, best known for his role as Hong Cheng-yi in the PTS miniseries \"Days We Stared at the Sun\". He has won the Best Supporting Actor award at the Golden Bell Awards two years in a row with his first and second drama works. Wu is a student of the Chinese Culture University, majoring in Chinese martial arts.\r\nTombstone is a 1993 American Western film directed by George P. Cosmatos, written by Kevin Jarre (who was also the original director, but was replaced early in production), and starring Kurt Russell and Val Kilmer, with Sam Elliott, Bill Paxton, Powers Boothe, Michael Biehn, and Dana Delany in supporting roles, as well as narration by Robert Mitchum.\r\nJoseph Michael \"Joe\" Acaba (born May 17, 1967) is an educator, hydrogeologist, and NASA astronaut. In May 2004 he became the first person of Puerto Rican heritage to be named as a NASA astronaut candidate, when he was selected as a member of NASA Astronaut Training Group 19. He completed his training on February 10, 2006 and was assigned to STS-119, which flew from March 15 to March 28, 2009 to deliver the final set of solar arrays to the International Space Station. Acaba served as a Flight Engineer aboard the International Space Station, having launched on May 15, 2012. He arrived at the space station on May 17 and returned to Earth on September 17, 2012 at 6:53am Moscow Standard Time when touchdown was officially recorded by the Russian Federal Space Agency. Acaba returned to the International Space Station in 2017 as a member of Expedition 53\/54.\r\nKourosh Zaim (Persian: \u06a9\u0648\u0631\u0634 \u0632\u0639\u06cc\u0645\u200e \u200e ; born May 17, 1939) is an Iranian author, inventor, engineer, translator, and nonviolent political activist. He was born in Kashan, Iran, on May 17, 1939. A vocal advocate of secular democracy and human rights since youth, Kourosh rose to prominence as a political analyst and Secretary to the Leadership Committee of Iran\u2019s National Front party, or Jebhe Melli, Iran's largest pro-democracy political organization. Membership in Jebhe Melli has been illegal since 1981.\r\nMarc Weiner (born May 17, 1955, in Queens, New York) is an American comedian, puppeteer, and actor. He creates and performs with \"head puppets\", which are human-sized heads atop small puppet bodies.\r\nDavid Vaughan (born May 17, 1924, London) is a dance archivist, historian and critic. He was the archivist of the Merce Cunningham Dance Company from 1976 until the company was disbanded in 2012. In his long career, Vaughan has been a dancer, choreographer, actor and singer whose work has been seen in London, Paris, and in New York, both on- and off-Broadway, as well as in regional theatres across the United States, in cabarets, on television and on film. Vaughan's ballet choreography was used in Stanley Kubrick's 1955 film \"Killer's Kiss\", danced by Kubrick's wife at the time, ballerina Ruth Sobotka. He has worked with both modern dance and ballet companies.",
+ "answer": "Bill Paxton"
+ },
+ {
+ "question": "Which is taller, the Empire State Building or the Bank of America Tower?",
+ "context": "WOR TV Tower was a 760 ft lattice tower used for FM- and TV-broadcasting at North Bergen, New Jersey, USA. The 420-ton tower was built in 1949. At the time of its construction, it was the tenth-tallest man-made structure in the world. At the beginning of 1953, the TV transmissions were moved to Empire State Building, but the tower remained. On November 8, 1956, the top of the tower was hit by a small aircraft, which knocked off the top and killed six people. Afterwards the tower was dismantled.\r\nThe Empire State Building is a 102-story skyscraper located on Fifth Avenue between West 33rd and 34th Streets in Midtown, Manhattan, New York City. It has a roof height of 1,250 feet (381 m), and with its antenna included, it stands a total of 1454 ft tall. Its name is derived from the nickname for New York, the Empire State.\r\nIrven \"Jack\" Brod (November 29, 1909 \u2013 January 6, 2008) was an American businessman and innovator. He was the President of Empire Diamond and Gold Buying Service, currently a successful New York City-based jewellery business, which he established with his father in the Empire State Building two months after its opening in 1931. Brod was a tenant of the Empire State Building for around seventy-seven years, and was the last remaining original tenant at the time of his death.\r\nThe Fisk Towers is a front for the Kingpin (Wilson Fisk)'s public ventures as well as a base of operations for his criminal activities, until was destroyed by a reactive Reverbium. It is located at 439 West 38th Street (on the corner of West 38th Street and 5th Avenue), just north of the Empire State Building and a few blocks south east of the Bank of America tower. Despite its inherently illegal activities and being damaged or destroyed numerous times in superhuman battles, the Fisk Towers put up a convincing ploy for Fisk to appear as any other legitimate business within Manhattan's Financial District while secretly using it for his crimes as the Kingpin. Most recently, Fisk Towers were damaged after a large battle involving Spider-Man, The Black Cat, and the current Hobgoblin Phil Urich. During this battle as the building crumbled under the Hobgoblin's sonic scream, Montana, the Kingpin's right-hand man, fell to his death.\r\nThe John Hancock Center is a 100-story, 1,128-foot (343.7\u00a0m) supertall skyscraper at 875 North Michigan Avenue, Chicago, Illinois, United States. It was constructed under the supervision of Skidmore, Owings and Merrill, with chief designer Bruce Graham and structural engineer Fazlur Khan. When the building topped out on May 6, 1968, it was the second tallest building in the world and the tallest outside of New York City. It is currently the fourth-tallest building in Chicago and the eighth-tallest in the United States, after One World Trade Center, the Willis Tower, 432 Park Avenue, the Trump Tower Chicago, the Empire State Building, the Bank of America Tower, and the Aon Center. When measured to the top of its antenna masts, it stands at 1500 ft . The building is home to offices and restaurants, as well as about 700 condominiums, and contains the third highest residence in the world, after the Burj Khalifa in Dubai and the Trump Tower in Chicago. The building was named for John Hancock Mutual Life Insurance Company, a developer and original tenant of the building.\r\nThe Empire State Building B-25 crash was a 1945 aircraft accident in which a B-25 Mitchell bomber, piloted in thick fog over New York City, crashed into the Empire State Building. The accident did not compromise the building's structural integrity, but it did cause fourteen deaths (three crewmen and eleven people in the building) and damage estimated at $1,000,000 ($ in 2016 dollars).\r\nThe Bank of America Tower (BOAT) at One Bryant Park is a 1,200 ft skyscraper in the Midtown area of Manhattan in New York City. It is located on Avenue of the Americas, between 42nd and 43rd Streets, opposite Bryant Park.\r\nThe Dubai City Tower, also known as the Dubai Vertical City, is a proposed megatall skyscraper announced in 2008. The building is supposed to be 2400 m tall. The building, created by an architect to display possibly future technologies, is the third tallest building ever fully envisioned after the X-Seed 4000 (4,000 m) and the Ultima Tower (3,218 m). If ever constructed, the Dubai City Tower will be much taller than any other current man-made structure, at almost three times the height of the Burj Khalifa. The Dubai City Tower would be almost seven times taller than the Empire State Building.\r\nNew York City, the most populous city in the United States, is home to over 6486\u00a0completed high rise building of at least 35 meters, of which at least 113 completed are taller than 600 ft .The tallest building in New York is One World Trade Center, which rises 1776 ft . The 104-story skyscraper also stands as the tallest building in the United States, the tallest building in the Western Hemisphere, and the sixth-tallest building in the world. The second-tallest building in the city is 432 Park Avenue, standing at 1396 ft , and the third-tallest is the 102-story Empire State Building in Midtown Manhattan, which was finished in 1931 and rises to 1250 ft , increased to 1454 ft by its antenna. It is the fifth-tallest building in the United States and the 25th-tallest building in the world.\r\nThe L.P. Hollander Company Building is located at 3 East 57th Street, New York City. The edifice received the 1930 gold medal of the Fifth Avenue Association for the \"best structure\" built in the Fifth Avenue district during the year. The L.P. Hollander Company Building was erected prior to the Empire State Building and 500 Fifth Avenue, which were judged for the year 1931. The Empire State Building and the Lilly Dache Building were designed by William F. Lamb of Shreve, Lamb & Harmon, architects, who was responsible for planning the L.P. Hollander Building. The Hollander Building was built by Starrett Brothers & Eken.",
+ "answer": "The Empire State Building"
+ },
+ {
+ "question": "Who acted in the shot film The Shore and is also the youngest actress ever to play Ophelia in a Royal Shakespeare Company production of \"Hamlet.\" ?",
+ "context": "Dunsinane is a 2010 play by David Greig. It premiered in a Royal Shakespeare Company production at the Hampstead Theatre from 10 February to 6 March 2010, directed by RSC Associate Director Roxana Silbert and with leads including Siobhan Redmond and Jonny Phillips.\r\nTeresa Banham, also known and credited as Theresa Banham (born 1964) is a British television and theatre actress perhaps best known for playing the role of the Broadfell Prison Governor in the first part of the \"Doctor Who\" Christmas special, \"The End of Time\" and the role of \"Rebecca\" on the television show \"Robin Hood\". In 2012, she appeared as Sor Sebastiana in the original Royal Shakespeare Company production of Helen Edmundson's \"The Heresy of Love\".\r\nQuvenzhan\u00e9 Wallis ( ; born August 28, 2003) is an American child actress. She is known for her role as Hushpuppy in the drama film \"Beasts of the Southern Wild\" (2012), for which she became the youngest actress ever to receive a nomination for the Academy Award for Best Actress, and the first person born in the 21st century nominated for an acting Oscar.\r\nThe Short film The Shore directed by Terry George, in which she appears with Ciar\u00e1n Hinds, Conleth Hill and Kerry Condon, won the Academy award in the Short Film, Live Action category at 84th Academy Awards in February 2012.\r\nIn October 1983, the Riverside Shakespeare Company, then New York City's only year-round professional Shakespeare theatre company, inaugurated \"The Shakespeare Project\", based at the theatre company's home on the Upper West Side of Manhattan, The Shakespeare Center. \"The Shakespeare Project\" was the first major New York residency of actors from the Royal Shakespeare Company - with Edwin Richfield, Heather Canning, Christopher Ravenscroft, Jennie Stoller and John Kane (the later two from Peter Brook's \"A Midsummer Night's Dream\") - for a week of public workshops, panel discussions, seminars and performances at the company's Upper West Side theatre, The Shakespeare Center. The event was launched at a luncheon in the Shakespeare Room of the Algonquin Hotel attended by Joseph Papp, Helen Hayes, Frank Rich, Gloria Skurski, W. Stuart McDowell, and members of the Royal Shakespeare Company in mid October 1983. According to the \"New York Times\", over one thousand actors, students, teachers and stage directors, from the ages of 15 to 87, signed up for 22 sessions taught by some of the leading actors from London's Royal Shakespeare Company.\r\nStephen Boxer (born 19 May 1950) is an English actor who has appeared in films, on television and on stage and is perhaps best known for appearing as Joe in the BBC One daytime soap opera \"Doctors\". He took a break from the show in mid-2008 to appear as Petruchio in the Royal Shakespeare Company production of \"The Taming of the Shrew\", returning to The Mill surgery for a few episodes in November 2010.\r\nMary Badham (born October 7, 1952) is an American actress, known for her portrayal of Jean Louise \"Scout\" Finch in \"To Kill a Mockingbird\" (1962), for which she was nominated for an Academy Award for Best Supporting Actress. At the time, Badham (aged 10) was the youngest actress ever nominated in this category.\r\nMacbeth is a 1979 videotaped version of Trevor Nunn's Royal Shakespeare Company production of the play by William Shakespeare. Produced by Thames Television, it features Ian McKellen as Macbeth and Judi Dench as Lady Macbeth. The TV version was directed by Philip Casson.\r\nThe Royal Shakespeare Theatre (RST) is a 1,040+ seat thrust stage theatre owned by the Royal Shakespeare Company dedicated to the English playwright and poet William Shakespeare. It is located in the town of Stratford-upon-Avon \u2013 Shakespeare's birthplace \u2013 in the English Midlands, beside the River Avon. The Royal Shakespeare and Swan Theatres re-opened in November 2010 after undergoing a major renovation known as the Transformation Project.\r\nKerry Condon (born 4 January 1983) is an Irish television and film actress, best known for her role as Octavia of the Julii in the HBO\/BBC series \"Rome,\" as Stacey Ehrmantraut in AMC's \"Better Call Saul\" and as the voice of F.R.I.D.A.Y. in various films in the Marvel Cinematic Universe. She is also the youngest actress ever to play Ophelia in a Royal Shakespeare Company production of \"Hamlet.\"",
+ "answer": "Kerry Condon"
+ },
+ {
+ "question": "Having the combination of excellent foot speed and bat speed helped Eric Davis, create what kind of outfield for the Los Angeles Dodgers? ",
+ "context": "John William Moses (born August 9, 1957), is a retired professional baseball player and manager who played outfield in the Major Leagues from 1982 to 1992. He later was a 1st Base\/Outfield Coach for the Seattle Mariners from 1998 to 2003 and the Cincinnati Reds in 2006. In 2007, he started off serving as the home field batting practice pitcher for the Mariners and then became the interim first base-coach after manager Mike Hargrove resigned. In 2008, he was hired by the Los Angeles Dodgers as the hitting coach for the AAA Las Vegas 51s. He remained with the Dodgers organization for 2009, as the hitting coach for their new AAA team, the Albuquerque Isotopes, a position he held until he was fired after the 2010 season.\r\nThe 1992 Los Angeles Dodgers season was a poor one for the team as it finished last in the Western Division of the National League with a record of 63 wins and 99 losses. Despite boasting what was nicknamed the \"Outfield of Dreams\", being manned by Eric Davis, Brett Butler, and Darryl Strawberry, injuries to key players and slumps from others contributed to the franchise's worst season since moving to Los Angeles. Additionally, the Dodgers cancelled four home games during the season due to the L.A. Riots. Despite the poor finish, the Dodgers had some hope for the future as first baseman Eric Karros won the National League Rookie of the Year Award, the first of five consecutive Dodger players to do so. The 1992 season also saw the Dodgers drop television station KTTV Ch.11 as their chief broadcaster of Dodger baseball, ending a 34 year-35 consecutive season association with that station. Additionally, it was the first time the Dodgers lost 90 games in a season since 1944.\r\nThe Arizona League Dodgers are the Rookie Level minor league affiliate of the Los Angeles Dodgers. They were formerly known as the Gulf Coast League (GCL) Dodgers and played in Vero Beach, Florida, at Dodgertown (specifically on the historic Field One). Dodgertown includes Holman Stadium, which is also the former spring training home to the Brooklyn and Los Angeles Dodgers. The team was composed mainly of players who were in their first year of professional baseball either as draftees or non-drafted free agents.\r\nEric Keith Davis (born May 29, 1962) is a former center fielder for several Major League Baseball teams. Davis was 21 years old when he broke into the big leagues on May 19, 1984 with the Cincinnati Reds, the team for which he is most remembered. Blessed with a rare combination of excellent foot speed and bat speed, Davis became the first major league player to hit at least 30 home runs and steal at least 50 bases in the same season in 1987.\r\nLarry Don Miller (born June 19, 1937) was a pitcher in Major League Baseball. He pitched from 1964 to 1966 for the Los Angeles Dodgers and New York Mets. Before the 1959 season he was signed by the Los Angeles Dodgers as an amateur free agent. Miller was traded by the Los Angeles Dodgers to the New York Mets for Dick Smith on October 15, 1964. His final game was September 17, 1966.\r\nWilliam Henry Davis, Jr. (April 15, 1940 \u2013 March 9, 2010) was a center fielder in Major League Baseball who played most of his career for the Los Angeles Dodgers. At the end of his career he ranked seventh in major league history in putouts (5449) and total chances (5719) in the outfield, and third in games in center field (2237). He was ninth in National League history in total outfield games (2274), and won Gold Glove Awards from 1971 to 1973. He had 13 seasons of 20 or more stolen bases, led the NL in triples twice, and retired with the fourth most triples (138) by any major leaguer since 1945. He holds Los Angeles club records (1958\u2013present) for career hits (2091), runs (1004), triples (110), at bats (7495), total bases (3094) and extra base hits (585). His 31-game hitting streak in 1969 remains the longest by a Dodger. At one point during the streak, when the team was playing at home, the big message board at Dodger Stadium quoted a message from a telegram sent to Davis and the team from Zack Wheat, the team's former record holder, at his home in Missouri.\r\nJorge Jarr\u00edn is a broadcaster for the Los Angeles Dodgers. He was a Los Angeles traffic reporter for radio station KABC. He was the helicopter reporter in \"Jet Copter 790\" from 1985 to 2011, earning the nickname \"Captain Jorge.\" Jorge also broadcast traffic reports on Spanish KSKQ. On October 26, 2011, Jorge was let go, one of 27 KABC\/KLOS employees to lose their jobs after Cumulus Media took over those stations from Citadel Broadcasting. Beginning in 2012, Jarr\u00edn was teamed with former Los Angeles Dodgers left fielder Manny Mota, doing Spanish-language telecasts of Dodgers games for Fox Deportes. He also co-hosted the \"Dodger Talk\" radio post-game show on KLAC along with Kevin Kennedy and David Vassegh. When the Dodgers started SportsNet LA in 2014, he and Mota called select games on the Spanish-language feed. In 2015, he was teamed with his father on the Dodgers radio broadcasts on KTNQ.\r\nThe Los Angeles metropolitan area is home to several professional and collegiate sports teams. The Greater Los Angeles Area has nine major league professional teams: the Anaheim Ducks, the Los Angeles Angels, the Los Angeles Chargers, the Los Angeles Clippers, the Los Angeles Dodgers, LA Galaxy, the Los Angeles Kings, the Los Angeles Lakers, and the Los Angeles Rams. Los Angeles FC will begin play as the area's tenth major team in 2018. USC Trojans football, UCLA Bruins men's basketball, USC Trojans baseball, USC Trojans track & field, and Cal State Fullerton Titans baseball are all historically premier organizations in college sports. Other major sports teams include UCLA Bruins Football, Los Angeles Sparks, Pepperdine Waves baseball, and formerly the Los Angeles Raiders and Los Angeles Aztecs. Between them, these Los Angeles area sports teams have won a combined 105 Championship Titles. Los Angeles area colleges have produced upwards of 200 National Championship Teams, primarily from USC Trojans and UCLA Bruins of the Pac-12 Conference. The 1932 and 1984 Summer Olympics were held in Los Angeles. In 2028 the city will host the Olympics for a third time.\r\nThe Dodgers\u2013Yankees rivalry is a Major League Baseball (MLB) rivalry between the Los Angeles Dodgers and the New York Yankees. The Dodgers are a member club of the National League (NL) West division, and the Yankees are a member club of the American League (AL) East division. The rivalry between the Dodgers and Yankees is one of the most well-known rivalries in Major League Baseball. The two teams have met 11 times in the World Series, more times than any other pair of teams from the American and National Leagues. The initial significance was embodied in the two teams' proximity in New York City, when the Dodgers initially played in Brooklyn. After the Dodgers moved to Los Angeles in 1958 , the rivalry retained its significance as the two teams represented the dominant cities on each coast of the United States, and since the 1980s, the two largest cities in the United States. The Dodgers currently lead the regular season series 8-6.\r\nSmith attended Tennessee State University. His professional career (1956\u201359; 1961\u201364) was spent in the Brooklyn\/Los Angeles Dodgers' organization until the Orioles purchased his contract from the Triple-A Omaha Dodgers in September 1962. In his first MLB at bat, Smith pinch hit for Oriole pitcher Wes Stock and singled off left-hander Ted Bowsfield of the Los Angeles Angels. He would collect one more hit, a double off another lefty, Jack Kralick of the Minnesota Twins, in his last MLB game.",
+ "answer": "\"Outfield of Dreams\""
+ },
{
"question": "Which of these publications was most recently published, Who Put the Bomp or Self?",
"context": "He Put the Bomp! In the Bomp is a Greg Shaw tribute album released in November 2007 by Bomp Records in the USA and Vivid Sound Corporation in Japan. The album features 23 classic songs covered by different bands having in common the raw approach to rock and roll music Shaw most liked.\r\n\"Who Put the Bomp (in the Bomp, Bomp, Bomp)\" is a doo-wop style hit song from 1961 co-written (with Gerry Goffin) and recorded by Barry Mann. He was backed up by the Halos, who had previously backed Curtis Lee on \"Pretty Little Angel Eyes\". The song was originally released as a single on the ABC-Paramount label (10237).\r\nAMA Manual of Style: A Guide for Authors and Editors is the style guide of the American Medical Association. It is written by the editors of \"JAMA\" (\"Journal of the American Medical Association\") and the \"Archives\" journals and is most recently published by Oxford University Press. It specifies the writing and citation styles for use in the journals published by the American Medical Association. The manual was first published in 1962, and its current edition, the 10th, came out in 2007. It covers a breadth of topics for authors and editors in medicine and related health fields. The online edition also has updates (style points that have changed since the last print edition), a blog, monthly tips from the editors, quizzes, and an SI unit conversion calculator.\r\nWho Put The Bomp was a rock music fanzine edited and published by Greg Shaw from 1970 to 1979. Its name came from the hit 1961 doo-wop song by Barry Mann, \"Who Put the Bomp\". Later, the name was shortened to \"Bomp!\"\r\nThe Court Historian is a peer-reviewed academic journal published by The Society for Court Studies covering research in the field of court history. The journal is published twice a year and features articles on the history of royal and princely courts from the late Middle Ages to the present. As well as articles and book reviews, each issue contains a Miscellany section, covering materials and media of interest to students of the court, including books, exhibitions, exhibition and sales catalogues, compact discs, concerts and live performances of opera and theatre. The journal also features a bibliography of recently published books.\r\nLe Voleur was an illustrated literary magazine published weekly in Paris from 1828 until 1907. It was established by Charles Lautour-M\u00e9zeray and \u00c9mile de Girardin. During its existence, it had a variety of subtitles including \"Journal litt\u00e9raire de Paris\" and \"Gazette des journaux fran\u00e7ais et \u00e9trangers\". In the last decades of its publication it went by the title Le Voleur illustr\u00e9. The journal published literary criticism, satire, interviews, extracts from recently published or soon-to-be published fiction, and reprints of (often sensationalist) articles from other magazines and newspapers.\r\nSamuel C. Florman (born January 19, 1925) is an American civil engineer, general contractor and author. He is best known for his writings and speeches about engineering, technology and the general culture. The most widely distributed of his seven books is \"'The Existential Pleasures of Engineering'\", published in 1976, second edition in 1994. According to one authority, 'It has become an often-referred-to modern classic.' His most recently published book is \"Good Guys, Wiseguys and Putting Up Buildings: A Life in Construction\", published in 2012. Florman is Chairman of Kreisler Borg Florman General Construction Company, Scarsdale, New York. In 1995 he was elected to the National Academy of Engineering \u201cFor literary contributions furthering engineering professionalism, ethics and liberal engineering education.\"\r\nBrian James Freeman is an author whose fiction has been published in magazines and anthologies including \"Borderlands 5\", \"Corpse Blossoms\", and all four volumes of the \"Shivers\" series. His first novel, \"Black Fire,\" was written under the pseudonym James Kidman. Published in 2004 by Leisure Books and Cemetery Dance Publications, the book was nominated for the Bram Stoker Award for Best First Novel, one of the major awards in the horror genre. His work has been nominated for several awards in the horror genre over the years. Cemetery Dance Publications recently published his \"Blue November Storms,\" a new novella, and \"The Illustrated Stephen King Trivia Book,\" which he wrote with Stephen King expert Bev Vincent. Acclaimed horror artist Glenn Chadbourne created over fifty unique illustrations for the book.\r\nThe Readers' Guide to Periodical Literature is a reference guide to recently published articles in periodical magazines and scholarly journals, organized by article subject. \"The Readers' Guide\" has been published regularly since 1901 by The H. W. Wilson Company, and is a staple of public and academic reference libraries throughout the United States; a retrospective index of general periodicals published from 1890 to 1982 is also available.\r\nSelf is an American magazine for women that specializes in health, wellness, beauty, and style. Part of Cond\u00e9 Nast, Self had a circulation of 1,515,880 and a total audience of 5,282,000 readers, according to its corporate media kit n 2013. The editor-in-chief is Carolyn Kylstra. \"Self\" is based in the Cond\u00e9 Nast U.S. headquarters at 1 World Trade Center in New York, NY. In February 2017 the magazine became an online publication.",
"answer": "Self"
},
{
- "question": "Which magazine has published articles by Scott Shaw, Tae Kwon Do Times or Southwest Art?",
- "context": "Rick Timmons (, St. Petersburg, Florida) is an American painter. After attending the Art Institute of Dallas, he joined the Dallas Fire Department in 1981 where he spent the next thirteen years. While doing more and more commissioned oil portrait paintings he was picked up by numerous southwest art galleries and in 1987\/1988 was chosen to do commemorative paintings for both the New York and Texas Firefighter's Associations. In 1994 Timmons left the Dallas Fire Department and became a full-time painter. His works are mainly focused on firefighting, portraits, equine art, southwest art and bar murals.\r\nDuk Sung Son (Hangul: \uc190\ub355\uc131, Hanja: \u5b6b\u5fb7\u6210) (June 17, 1922 \u2013 March 29, 2011) was a martial artist, Grand Master, 9th degree black belt, Co-Founder of the Korean martial art of Tae Kwon Do, successor of Won Kuk Lee and leader of the Chung Do Kwan school (1950\u20131959). He was also the chief Instructor of the South Korean Army and the Eighth U.S. Army, founder and president of the World Tae Kwon Do Association and author of the books \"Korean Karate, the Art of Tae Kwon Do\u201d and \u201cBlack Belt Korean Karate \".\r\nNam Suk Lee (June 28, 1925\u00a0\u2013 August 29, 2000) born in the city of Yeo Joo, is credited with co-founding the traditional Korean martial art of Chang Moo Kwan in the mid-1940s, and then promoting and expanding it globally. Chang Moo Kwan was one of the five original Kwans which became Tae Kwon Do in the mid 1950s. In his later life Nam Suk Lee was to make the seaside community of San Pedro, California his home, where he reestablished his traditional roots in Chang Moo Kwan. He was 75 and still actively teaching Chang Moo Kwan through the San Pedro YMCA. Nam Suk Lee died in the neighboring Southern California community of Torrance on August 29, 2000, due to a stroke.\r\nSouthwest Art is a magazine published by F+W that specializes in fine art depicting artwork of the American Southwest.\r\nTae Kwon Do Times is a magazine devoted to the martial art of taekwondo, and is published in the United States of America. While the title suggests that it focuses on taekwondo exclusively, the magazine also covers other Korean martial arts. \"Tae Kwon Do Times\" has published articles by a wide range of authors, including He-Young Kimm, Thomas Kurz, Scott Shaw, and Mark Van Schuyver.\r\nRhee Taekwon-Do (\ub9ac\ud0dc\uad8c\ub3c4; \u674e\u8dc6\u62f3\u9053), also known as Rhee Tae Kwon-Do, Rhee Tae Kwon Do, or Rhee Taekwondo, is a martial art school in Australia and New Zealand teaching the Korean martial art of taekwondo. Its full name is \"Rhee International Taekwon-Do\" with \"(Australia)\" or \"(New Zealand)\" appended. Chong Chul Rhee, one of the original masters of taekwondo, founded the school in the mid-1960s. Two of Rhee's brothers, Chong Hyup Rhee and Chong Yoon Rhee, later came to assist him in the 1970s.\r\nCho Hee Il (born October 13, 1940) is a prominent Korean-American master of taekwondo, holding the rank of 9th \"dan\" in the martial art. He has written 11 martial art books, produced 70 martial art training videos, and has appeared on more than 70 martial arts magazine covers. Cho won several national and international competitions as a taekwondo competitor, and has appeared in several films, including \"Fight to Win\", \"Best of the Best\", \"Bloodsport II\", and \"Bloodsport III\". He founded the Action International Martial Arts Association (AIMAA) in 1980, and is its President. Cho is a member of both \"Black Belt\" magazine's Hall of Fame and \"Tae Kwon Do Times\" magazine's Hall of Fame.\r\nYeon Hwan Park (born June 29, 1952) is a South Korean master of taekwondo. He currently has earned a ninth-degree black belt and holds the title kwan jang-nim (Grandmaster) under the direction of the Kukkiwon. Park was the undefeated Korean national champion of Tae Kwon Do from 1971 to 1975 and the former coach of the U.S. Olympic and Pan-American Tae Kwon Do team.\r\nScott Shaw (often spelled Scott Shaw!) is a United States cartoonist and animator, and historian of comics. Among Scott's comic-book work is Hanna-Barbera's \"The Flintstones\" (for Marvel Comics and Harvey Comics), \"Captain Carrot and His Amazing Zoo Crew\" (for DC Comics), and \"Simpsons Comics\" (for Bongo Comics). He was also the first artist for Archie Comics' \"Sonic the Hedgehog\" comic book series.\r\nEdward B. Sell (died February 5, 2014) was an American martial arts instructor, and the highest ranking non-Korean practitioner of tae kwon do, holding the rank of 9th degree black belt in the art.",
- "answer": "Tae Kwon Do Times"
- },
- {
- "question": "At My Window was released by which American singer-songwriter?",
- "context": "Through the Window is an album by the American music project Prurient, the performing name of the artist Dominick Fernow. The three-song album was released on March 19, 2013 through the English label Blackest Ever Black. Though released in 2013, the tracks for \"Through the Window\" were recorded in October 2011 at the same time as Prurient's two Hydra Head Records releases \u2014 the studio album \"Bermuda Drain\" (2011) and the EP \"Time's Arrow\" (2011) \u2014 and were noted for musically showing more techno influences, akin to one of Fernow's other projects, Vatican Shadow.\r\nYes I Am is the fourth studio album by American singer-songwriter Melissa Etheridge, released by Island Records on September 21, 1993 (see 1993 in music). The title is generally thought to refer to Etheridge's recent coming out as a lesbian, confirming long-standing rumors about her personal life. This is the album that gave Etheridge national recognition. The rock ballad \"Come to My Window\" was the first single released from the album, which peaked at No. 25 on the \"Billboard\" Hot 100, and its video featured actress Juliette Lewis having a nervous breakdown. This single brought the album into the public consciousness and was quickly followed by \"I'm the Only One\", which became a major hit and reached No. 8 on the Hot 100, and \"If I Wanted To\", which hit No. 16.\r\nChristian Joseph \"Chris\" Arena is an American singer-songwriter and producer whose work can be seen across television networks such as ABC, ABC Family, CBS, The CW and others as well as feature films. Arena was nominated for a 2016 Emmy Award for 'Outstanding Original Song in Daytime Drama' for his song 'Dreams' written for ABC's \"General Hospital\". Most recently, Arena's work can be seen on \"\" and \"Scream\" on MTV. Other tracks, \"Baby Fish\", \"Yes It Do\", \"Train\", \"City Inside Me\", and \"Closed Window\" were featured in Season 4 of ABC's \"Pretty Little Liars\". His song \"Dreams\" was used as a theme song on ABC's \"General Hospital\" in January 2015 as well as his latest song \"Nothing's Gonna Stop Us\", which was featured in TV Land's \"Younger\" in April 2015. His song \"For You\" was also picked for the romantic comedy\/feature film, \"This Thing With Sarah\".\r\nMelissa Lou Etheridge (born May 29, 1961) is an American singer-songwriter, guitarist, and activist. Her self-titled debut album \"Melissa Etheridge\" was released in 1988 and became an underground success. The album peaked at No. 22 on the \"Billboard\" 200, and its lead single, \"Bring Me Some Water\", garnered Etheridge her first Grammy Award nomination for Best Rock Vocal Performance, Female. In 1993, Etheridge won her first Grammy award for her single \"Ain't It Heavy\" from her third album, \"Never Enough\". Later that year, she released what would become her mainstream breakthrough album, \"Yes I Am\". Its tracks \"I'm the Only One\" and \"Come to My Window\" both reached the top 30 in the United States, and the latter earned Etheridge her second Grammy award. \"Yes I Am\" peaked at No. 15 on the \"Billboard\" 200, and spent 138 weeks on the chart, earning a RIAA certification of 6x Platinum, her largest to date.\r\nAmerican singer-songwriter Bridgit Mendler has embarked on two concert tours, one of which have been worldwide. Her debut tour, \"\", started on August 25, 2012. Mendler played at state fairs and music festivals in the United States and Canada to promote her debut album \"Hello My Name Is...\" with the new songs. \"Rocks at My Window\" and \"Hold On for Dear Love\" were the only songs from the album not to be performed. She performing two covers songs in the shows, \"Animal\", originally by Neon Trees, and \"This Love, by Maroon 5. She also sang a song from the soundtrack of \"Lemonade Mouth\", \"Somebody\". On January 19, 2013 Mendler in New York from UNICEF charity. Her second concert, the Summer Tour, visited North America in the leg one and started in Iowa and ended in Washington. In 2014 Mendler announced the second leg of the tour as part of the release of her upcoming second album. The leg started in Charlottetown, Canada, on June 28, 2014.\r\nJohn Townes Van Zandt (March 7, 1944 \u2013 January 1, 1997), best known as Townes Van Zandt, was an American singer songwriter. He is widely regarded for his poetic, often heroically sad songs. In 1983, six years after Emmylou Harris had first popularized it, Willie Nelson and Merle Haggard covered his song \"Pancho and Lefty\", scoring a number one hit on the Billboard country music charts. Much of his life was spent touring various dive bars, often living in cheap motel rooms and backwoods cabins. For much of the 1970s, he lived in a simple shack without electricity or a phone.\r\nNative Window is the self-titled debut album of American progressive rock band Native Window. It was released on June 23, 2009. The tracks on the album are all original material composed by the members of the band. The album came about soon after the band formed; it was because Steve Walsh, the lead singer for Kansas, would not write any new material. Phil Ehart, Rich Williams, Billy Greer, and David Ragsdale got together to write new songs, and released them under the Native Window name.\r\nAt My Window is an album released by Folk\/country singer-songwriter Townes Van Zandt in 1987. This was Van Zandt's first studio album in the nine years that followed 1978's \"Flyin' Shoes\", and his only studio album recorded in the 1980s. Although the songwriter had become less prolific, this release showed that the quality of his material remained high.\r\nLove Letter for Fire is a collaborative album of duets by American singer-songwriter Sam Beam, commonly known as Iron & Wine, and American singer-songwriter Jesca Hoop, released on April 15, 2016 on Sub Pop.\r\nLittle Window is the debut album of American singer-songwriter Baby Dee. The album was released in 2002 on the Durtro label. It was produced, composed, and performed entirely by Dee.",
- "answer": "John Townes Van Zandt"
+ "question": "In what year was the club founded that played Manchester City in the 1972 FA Charity Shield",
+ "context": "The 1985 FA Charity Shield (also known as the General Motors FA Charity Shield for sponsorship reasons) was the 63rd FA Charity Shield, an annual football match played between the winners of the previous season's First Division and FA Cup competitions. The match was played on 10 August 1985 at Wembley Stadium and contested by Everton, who had won the 1984\u201385 First Division, and Manchester United, who had won the 1984\u201385 FA Cup. Everton won 2\u20130 with goals from Trevor Steven and Adrian Heath. Trevor Steven put Everton into the lead when he swept home from six yards after a cross from the left in the first half. The second goal came in the second half when Manchester United goalkeeper Gary Bailey dropped a cross from the left to allow Adrian Heath to tip the ball past him into the left corner of the net.\r\nThe 1995 FA Charity Shield (also known as the Littlewoods FA Charity Shield for sponsorship reasons) was the 73rd FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup competitions. The match was played on 13 August 1995 at Wembley Stadium and contested by Blackburn Rovers, who had won the Premier League and FA Cup winners Everton. It was Blackburn's second successive Charity Shield appearance, while Everton were appearing in their eleventh and their first since 1987. Everton won the match 1\u20130 with a goal from Vinny Samways when he caught Tim Flowers off his line and lifted the ball over him from the left of the penalty area and into the right corner of the net. Dave Watson lifted the trophy for Everton.\r\nThe 1972 FA Charity Shield was contested between Manchester City and Aston Villa.\r\nThe 1997 FA Charity Shield (known as the Littlewoods FA Charity Shield for sponsorship reasons) was the 75th FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup competitions. The match was played on 3 August 1997 at Wembley Stadium and contested by Manchester United, who had won the 1996\u201397 FA Premier League, and Chelsea, who had won the 1996\u201397 FA Cup. Manchester United won the match 4\u20132 on penalties after the match had finished at 1\u20131 after 90 minutes.\r\nThe 1956 FA Charity Shield was the 34th FA Charity Shield, an annual football match held between the winners of the previous season's Football League and FA Cup competitions. The match was contested by Manchester United, who had won the 1955\u201356 Football League, and Manchester City, who had won the 1955\u201356 FA Cup, at Maine Road, Manchester, on 24 October 1956. Manchester United won the match 1\u20130, Dennis Viollet scoring the winning goal. Manchester United goalkeeper David Gaskell made his debut for the club during the game, taking the place of injured goalkeeper Ray Wood, and, at the age of 16 years and 19 days, became the youngest player ever to play for the club.\r\nThe 1937 FA Charity Shield was the 24th FA Charity Shield, a football match between the winners of the previous season's First Division and FA Cup competitions. The match was contested by league champions Manchester City and FA Cup winners Sunderland, and was played at Maine Road, the home ground of Manchester City. Manchester City won the game, 2\u20130.\r\nThe 2000 FA Charity Shield (also known as the One 2 One FA Charity Shield for sponsorship reasons) was the 78th FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup competitions. The match was played between Manchester United, who won the 1999\u20132000 Premier League, and Chelsea, who won the 1999\u20132000 FA Cup, and resulted in a 2\u20130 Chelsea win. The goals were scored by Jimmy Floyd Hasselbaink and Mario Melchiot. Roy Keane was sent off for a challenge on Gustavo Poyet and was the last person to be sent off at the old Wembley Stadium.\r\nThe 2001 FA Charity Shield (also known as the One 2 One FA Charity Shield for sponsorship reasons) was the 79th FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup. The match was contested between Liverpool, winners of the 2000\u201301 FA Cup and Manchester United, who won the 2000\u201301 Premier League on 12 August 2001. It was the first Shield match to be held at the Millennium Stadium following the closure of Wembley Stadium for reconstruction.\r\nAston Villa Football Club ( ; nicknamed Villa, The Villa, The Villans and The Lions) is a professional football club in Aston, Birmingham, that plays in the Championship, the second level of English football. Founded in 1874, they have played at their current home ground, Villa Park, since 1897. Aston Villa were one of the founder members of the Football League in 1888 and of the Premier League in 1992.\r\nThe 1996 FA Charity Shield (also known as the Littlewoods FA Charity Shield for sponsorship reasons) was the 74th FA Charity Shield, an annual football match played between the winners of the previous season's Premier League and FA Cup competitions. The match was played on 11 August 1996 at Wembley Stadium and contested by Manchester United, who had won the Double of Premier League and FA Cup in 1995\u201396, and Newcastle United, who had finished as runners-up in the Premier League. Manchester United won the match 4\u20130 with goals from Eric Cantona, Nicky Butt, David Beckham and Roy Keane.",
+ "answer": "1874"
}
],
"signature_instructions": "Instructions:\n You are a top-tier algorithm designed for extracting information from text in structured formats to build a knowledge graph.\n - **Nodes** represent entities and concepts, akin to Wikipedia nodes.\n - **Edges** represent relationships between entities and concepts, akin to Wikipedia hyperlinks.\n Extract information from the text and build a detailed knowledge graph.",
diff --git a/notebooks/dspy.ipynb b/notebooks/dspy.ipynb
deleted file mode 100644
index 83ebcf62e..000000000
--- a/notebooks/dspy.ipynb
+++ /dev/null
@@ -1,174 +0,0 @@
-{
- "cells": [
- {
- "cell_type": "code",
- "execution_count": null,
- "metadata": {},
- "outputs": [],
- "source": [
- "from dspy.datasets import HotPotQA\n",
- "\n",
- "hotpot_dataset = HotPotQA(train_seed = 1, eval_seed = 2023, dev_size = 20, keep_details = True)\n",
- "example_data = hotpot_dataset.dev[0]\n",
- "\n",
- "context_text = \"\\n\\n\".join(\"\\n\".join(focused_context) for focused_context in example_data.context[\"sentences\"])"
- ]
- },
- {
- "cell_type": "code",
- "execution_count": null,
- "metadata": {},
- "outputs": [],
- "source": [
- "from cognee.modules.cognify.extract_categories import ExtractCategories\n",
- "\n",
- "extract_categories = ExtractCategories()\n",
- "\n",
- "categories = extract_categories(text = context_text)\n",
- "print(categories)\n"
- ]
- },
- {
- "cell_type": "code",
- "execution_count": null,
- "metadata": {},
- "outputs": [],
- "source": [
- "from cognee.modules.cognify.extract_cognitive_layers import ExtractCognitiveLayers\n",
- "from cognee.shared.data_models import TextContent\n",
- "\n",
- "extract_cognitive_layers = ExtractCognitiveLayers()\n",
- "\n",
- "category = categories[0].subclass[0].value\n",
- "\n",
- "cognitive_layers = extract_cognitive_layers(text = context_text, category = category)\n",
- "\n",
- "print(cognitive_layers)\n"
- ]
- },
- {
- "cell_type": "code",
- "execution_count": null,
- "metadata": {},
- "outputs": [],
- "source": [
- "import dspy\n",
- "from uuid import uuid4\n",
- "from cognee.infrastructure.databases.graph.get_graph_client import get_graph_client, GraphDBType\n",
- "from cognee.modules.cognify.generate_knowledge_graph import GenerateKnowledgeGraph\n",
- "from cognee.shared.data_models import Node, Edge\n",
- "\n",
- "dspy.configure(trace=[])\n",
- "\n",
- "generate_knowledge_graph = GenerateKnowledgeGraph().activate_assertions()\n",
- "\n",
- "graph_file_name = str(uuid4()) + \".pkl\"\n",
- "\n",
- "graph_client = get_graph_client(GraphDBType.NETWORKX, graph_file_name)\n",
- "\n",
- "graph = generate_knowledge_graph(layer = 'Transportation Infrastructure', text = context_text)\n",
- "\n",
- "root_node_per_category = {}\n",
- "\n",
- "for node in graph.nodes:\n",
- " if node.entity_type is not None and node.entity_name is not None:\n",
- " graph_client.add_node(node.id, entity_name = node.entity_name, entity_type = node.entity_type)\n",
- "\n",
- " if node.entity_type not in root_node_per_category:\n",
- " root_node = Node(\n",
- " id = node.entity_type + \" root\",\n",
- " entity_name = node.entity_type,\n",
- " entity_type = node.entity_type + \" root\"\n",
- " )\n",
- " root_node_per_category[node.entity_type] = root_node\n",
- " graph_client.add_node(\n",
- " id = root_node.id,\n",
- " entity_name = root_node.entity_name,\n",
- " entity_type = root_node.entity_type\n",
- " )\n",
- "\n",
- " graph_client.add_edge(\n",
- " node.id,\n",
- " root_node_per_category[node.entity_type].id,\n",
- " relationship_name = \"is\"\n",
- " )\n",
- "\n",
- "for edge in graph.edges:\n",
- " if edge.source_node_id is not None and edge.target_node_id is not None and edge.relationship_name is not None:\n",
- " graph_client.add_edge(edge.source_node_id, edge.target_node_id, relationship_name = edge.relationship_name)\n",
- "\n"
- ]
- },
- {
- "cell_type": "code",
- "execution_count": 3,
- "metadata": {},
- "outputs": [
- {
- "name": "stdout",
- "output_type": "stream",
- "text": [
- "Graph is visualized at: https://hub.graphistry.com/graph/graph.html?dataset=842a911115124473bbf23f2769dc3e96&type=arrow&viztoken=65c1d750-91fa-4e42-8696-6e8e000c34ae&usertag=993172cb-pygraphistry-0.33.5&splashAfter=1712859766&info=true\n"
- ]
- }
- ],
- "source": [
- "import networkx as nx\n",
- "import pandas as pd\n",
- "import graphistry\n",
- "from cognee.config import Config\n",
- "from cognee.utils import render_graph\n",
- "from cognee.infrastructure.databases.graph.get_graph_client import get_graph_client, GraphDBType\n",
- "\n",
- "config = Config()\n",
- "config.load()\n",
- "\n",
- "graphistry.register(\n",
- " api = 3,\n",
- " username = config.graphistry_username,\n",
- " password = config.graphistry_password\n",
- ")\n",
- "\n",
- "graph_client = get_graph_client(GraphDBType.NETWORKX, \"32652370-04d9-418e-916d-3086aa41685c.pkl\")\n",
- "graph = graph_client.graph\n",
- "\n",
- "edges = nx.to_pandas_edgelist(graph)\n",
- "\n",
- "nodes_data = [{\n",
- " \"id\": node_id,\n",
- " \"entity_name\": node[\"entity_name\"],\n",
- " \"entity_type\": node[\"entity_type\"]\n",
- "} for (node_id, node) in graph.nodes(data = True)]\n",
- "\n",
- "nodes = pd.DataFrame(nodes_data)\n",
- "\n",
- "plotter = graphistry.edges(edges, source = \"source\", destination = \"target\").nodes(nodes, \"id\")\n",
- "\n",
- "plotter.bind(edge_title = \"relationship_name\", edge_label = \"relationship_name\", point_title = \"entity_name\", point_label = \"entity_name\")\n",
- "url = plotter.plot(render = False, as_files = True)\n",
- "print(f\"Graph is visualized at: {url}\")"
- ]
- }
- ],
- "metadata": {
- "kernelspec": {
- "display_name": ".venv",
- "language": "python",
- "name": "python3"
- },
- "language_info": {
- "codemirror_mode": {
- "name": "ipython",
- "version": 3
- },
- "file_extension": ".py",
- "mimetype": "text/x-python",
- "name": "python",
- "nbconvert_exporter": "python",
- "pygments_lexer": "ipython3",
- "version": "3.11.8"
- }
- },
- "nbformat": 4,
- "nbformat_minor": 2
-}
diff --git a/notebooks/full_run.ipynb b/notebooks/full_run.ipynb
index 4eaebd7b1..f0b3a0050 100644
--- a/notebooks/full_run.ipynb
+++ b/notebooks/full_run.ipynb
@@ -10,7 +10,7 @@
"from os import path\n",
"import cognee\n",
"import dspy\n",
- "from dspy.datasets import HotPotQA\n",
+ "from cognee.modules.cognify.dataset import HotPotQA\n",
"\n",
"data_directory_path = path.abspath(\"../.data\")\n",
"cognee.config.data_root_directory(data_directory_path)\n",
@@ -45,27 +45,10 @@
},
{
"cell_type": "code",
- "execution_count": 1,
+ "execution_count": null,
"id": "44603a2a",
"metadata": {},
- "outputs": [
- {
- "name": "stderr",
- "output_type": "stream",
- "text": [
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/tqdm/auto.py:21: TqdmWarning: IProgress not found. Please update jupyter and ipywidgets. See https://ipywidgets.readthedocs.io/en/stable/user_install.html\n",
- " from .autonotebook import tqdm as notebook_tqdm\n"
- ]
- },
- {
- "name": "stdout",
- "output_type": "stream",
- "text": [
- "['train_dataset']\n",
- "10\n"
- ]
- }
- ],
+ "outputs": [],
"source": [
"from os import path\n",
"import cognee\n",
@@ -84,607 +67,10 @@
},
{
"cell_type": "code",
- "execution_count": 2,
+ "execution_count": null,
"id": "65bfaf09",
"metadata": {},
- "outputs": [
- {
- "name": "stderr",
- "output_type": "stream",
- "text": [
- "WARNING:NetworkXAdapter:File /Users/borisarzentar/Projects/Topoteretes/cognee/.cognee_system/databases/cognee_graph.pkl not found. Initializing an empty graph.:123: ResourceWarning: unclosed \n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=76 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 67806.30it/s]\n",
- "WARNING:NetworkXAdapter:File /Users/borisarzentar/Projects/Topoteretes/cognee/.cognee_system/databases/cognee_graph.pkl not found. Initializing an empty graph.WARNING:NetworkXAdapter:File /Users/borisarzentar/Projects/Topoteretes/cognee/.cognee_system/databases/cognee_graph.pkl not found. Initializing an empty graph."
- ]
- },
- {
- "name": "stdout",
- "output_type": "stream",
- "text": [
- "Processing document (faf8441f25bf58d5a55a2821e5e40a9e).\n",
- "Processing document (0a4c678b77a75927992f72b81fda2398).\n",
- "Processing document (ae7c88b9432a5f51a512885da6f2d1c6).\n"
- ]
- },
- {
- "name": "stderr",
- "output_type": "stream",
- "text": [
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/networkx/classes/reportviews.py:921: ResourceWarning: unclosed \n",
- " self._report = lambda n, nbr, k, dd: (n, nbr, k, dd)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/threading.py:910: ResourceWarning: unclosed \n",
- " self._invoke_excepthook = _make_invoke_excepthook()\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=79 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 78085.45it/s]\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/pydantic/_internal/_core_utils.py:197: ResourceWarning: unclosed \n",
- " return f(schema, self._walk)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=75 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 118866.91it/s]\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/pydantic/_internal/_core_utils.py:200: ResourceWarning: unclosed \n",
- " schema = self._schema_type_to_method[schema['type']](schema.copy(), f)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 75282.38it/s]\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/pydantic/_internal/_core_utils.py:200: ResourceWarning: unclosed \n",
- " schema = self._schema_type_to_method[schema['type']](schema.copy(), f)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n"
- ]
- },
- {
- "name": "stdout",
- "output_type": "stream",
- "text": [
- "Document (DOCUMENT__faf8441f25bf58d5a55a2821e5e40a9e) classified.\n",
- "Document (DOCUMENT__0a4c678b77a75927992f72b81fda2398) classified.\n"
- ]
- },
- {
- "name": "stderr",
- "output_type": "stream",
- "text": [
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=75 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n"
- ]
- },
- {
- "name": "stdout",
- "output_type": "stream",
- "text": [
- "Document (DOCUMENT__ae7c88b9432a5f51a512885da6f2d1c6) classified.\n",
- "Document (DOCUMENT__faf8441f25bf58d5a55a2821e5e40a9e) summarized.\n",
- "Document (DOCUMENT__ae7c88b9432a5f51a512885da6f2d1c6) summarized.\n",
- "Document (DOCUMENT__0a4c678b77a75927992f72b81fda2398) summarized.\n"
- ]
- },
- {
- "name": "stderr",
- "output_type": "stream",
- "text": [
- "[nltk_data] Downloading package stopwords to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package stopwords is already up-to-date!\n",
- "[nltk_data] Downloading package stopwords to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package stopwords is already up-to-date!\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=85 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=88 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=83 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=81 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=79 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=84 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=82 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/ipykernel/iostream.py:720: ResourceWarning: unclosed \n",
- " with self._buffer_lock:\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 61941.20it/s]\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/networkx/classes/reportviews.py:947: ResourceWarning: unclosed \n",
- " return (\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "[nltk_data] Downloading package stopwords to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package stopwords is already up-to-date!\n",
- "[nltk_data] Downloading package stopwords to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package stopwords is already up-to-date!\n",
- "[nltk_data] Downloading package stopwords to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package stopwords is already up-to-date!\n",
- "[nltk_data] Downloading package stopwords to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package stopwords is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 111212.61it/s]\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 120823.57it/s]\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/pydantic/main.py:175: ResourceWarning: unclosed \n",
- " self.__pydantic_validator__.validate_python(data, self_instance=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/pydantic/main.py:175: ResourceWarning: unclosed \n",
- " self.__pydantic_validator__.validate_python(data, self_instance=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/networkx/classes/reportviews.py:947: ResourceWarning: unclosed \n",
- " return (\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 57456.22it/s]\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "[nltk_data] Downloading package vader_lexicon to\n",
- "[nltk_data] /Users/borisarzentar/nltk_data...\n",
- "[nltk_data] Package vader_lexicon is already up-to-date!\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/networkx/classes/reportviews.py:947: ResourceWarning: unclosed \n",
- " return (\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 64245.36it/s]\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 116972.62it/s]\n"
- ]
- },
- {
- "data": {
- "text/plain": [
- ""
- ]
- },
- "execution_count": 2,
- "metadata": {},
- "output_type": "execute_result"
- }
- ],
+ "outputs": [],
"source": [
"from os import path\n",
"import cognee\n",
@@ -702,42 +88,10 @@
},
{
"cell_type": "code",
- "execution_count": 5,
+ "execution_count": null,
"id": "a514cf38",
"metadata": {},
- "outputs": [
- {
- "name": "stderr",
- "output_type": "stream",
- "text": [
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/json/decoder.py:353: ResourceWarning: unclosed \n",
- " obj, end = self.scan_once(s, idx)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/json/decoder.py:353: ResourceWarning: unclosed \n",
- " obj, end = self.scan_once(s, idx)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/json/decoder.py:353: ResourceWarning: unclosed \n",
- " obj, end = self.scan_once(s, idx)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=88 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/json/decoder.py:353: ResourceWarning: unclosed \n",
- " obj, end = self.scan_once(s, idx)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=89 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n"
- ]
- },
- {
- "name": "stdout",
- "output_type": "stream",
- "text": [
- "Graph is visualized at: https://hub.graphistry.com/graph/graph.html?dataset=bbc22f0135744f678f1bbc590b2501d8&type=arrow&viztoken=380021af-aef1-4173-8ced-ce8adf956812&usertag=993172cb-pygraphistry-0.33.7&splashAfter=1713632217&info=true\n"
- ]
- }
- ],
+ "outputs": [],
"source": [
"import networkx as nx\n",
"import pandas as pd\n",
@@ -778,52 +132,14 @@
},
{
"cell_type": "code",
- "execution_count": 4,
+ "execution_count": null,
"id": "e916c484",
"metadata": {},
- "outputs": [
- {
- "name": "stderr",
- "output_type": "stream",
- "text": [
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 122845.72it/s]\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 88434.12it/s]\n",
- "Fetching 7 files: 100%|██████████| 7/7 [00:00<00:00, 56461.78it/s]\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/pydantic/_internal/_core_utils.py:568: ResourceWarning: unclosed \n",
- " return _validate_core_schema(schema)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=79 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/Projects/Topoteretes/cognee/.venv/lib/python3.11/site-packages/pydantic/_internal/_core_utils.py:568: ResourceWarning: unclosed \n",
- " return _validate_core_schema(schema)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n",
- "/Users/borisarzentar/.pyenv/versions/3.11.8/lib/python3.11/asyncio/selector_events.py:868: ResourceWarning: unclosed transport <_SelectorSocketTransport fd=81 read=idle write=>\n",
- " _warn(f\"unclosed transport {self!r}\", ResourceWarning, source=self)\n",
- "ResourceWarning: Enable tracemalloc to get the object allocation traceback\n"
- ]
- },
- {
- "name": "stdout",
- "output_type": "stream",
- "text": [
- "True\n",
- "Through the Window is an album by the American music project Prurient, the performing name of the artist Dominick Fernow. The three-song album was released on March 19, 2013 through the English label Blackest Ever Black. Though released in 2013, the tracks for \"Through the Window\" were recorded in October 2011 at the same time as Prurient's two Hydra Head Records releases — the studio album \"Bermuda Drain\" (2011) and the EP \"Time's Arrow\" (2011) — and were noted for musically showing more techno influences, akin to one of Fernow's other projects, Vatican Shadow.\n",
- "Yes I Am is the fourth studio album by American singer-songwriter Melissa Etheridge, released by Island Records on September 21, 1993 (see 1993 in music). The title is generally thought to refer to Etheridge's recent coming out as a lesbian, confirming long-standing rumors about her personal life. This is the album that gave Etheridge national recognition. The rock ballad \"Come to My Window\" was the first single released from the album, which peaked at No. 25 on the \"Billboard\" Hot 100, and its video featured actress Juliette Lewis having a nervous breakdown. This single brought the album into the public consciousness and was quickly followed by \"I'm the Only One\", which became a major hit and reached No. 8 on the Hot 100, and \"If I Wanted To\", which hit No. 16.\n",
- "Christian Joseph \"Chris\" Arena is an American singer-songwriter and producer whose work can be seen across television networks such as ABC, ABC Family, CBS, The CW and others as well as feature films. Arena was nominated for a 2016 Emmy Award for 'Outstanding Original Song in Daytime Drama' for his song 'Dreams' written for ABC's \"General Hospital\". Most recently, Arena's work can be seen on \"\" and \"Scream\" on MTV. Other tracks, \"Baby Fish\", \"Yes It Do\", \"Train\", \"City Inside Me\", and \"Closed Window\" were featured in Season 4 of ABC's \"Pretty Little Liars\". His song \"Dreams\" was used as a theme song on ABC's \"General Hospital\" in January 2015 as well as his latest song \"Nothing's Gonna Stop Us\", which was featured in TV Land's \"Younger\" in April 2015. His song \"For You\" was also picked for the romantic comedy/feature film, \"This Thing With Sarah\".\n",
- "Melissa Lou Etheridge (born May 29, 1961) is an American singer-songwriter, guitarist, and activist. Her self-titled debut album \"Melissa Etheridge\" was released in 1988 and became an underground success. The album peaked at No. 22 on the \"Billboard\" 200, and its lead single, \"Bring Me Some Water\", garnered Etheridge her first Grammy Award nomination for Best Rock Vocal Performance, Female. In 1993, Etheridge won her first Grammy award for her single \"Ain't It Heavy\" from her third album, \"Never Enough\". Later that year, she released what would become her mainstream breakthrough album, \"Yes I Am\". Its tracks \"I'm the Only One\" and \"Come to My Window\" both reached the top 30 in the United States, and the latter earned Etheridge her second Grammy award. \"Yes I Am\" peaked at No. 15 on the \"Billboard\" 200, and spent 138 weeks on the chart, earning a RIAA certification of 6x Platinum, her largest to date.\n",
- "American singer-songwriter Bridgit Mendler has embarked on two concert tours, one of which have been worldwide. Her debut tour, \"\", started on August 25, 2012. Mendler played at state fairs and music festivals in the United States and Canada to promote her debut album \"Hello My Name Is...\" with the new songs. \"Rocks at My Window\" and \"Hold On for Dear Love\" were the only songs from the album not to be performed. She performing two covers songs in the shows, \"Animal\", originally by Neon Trees, and \"This Love, by Maroon 5. She also sang a song from the soundtrack of \"Lemonade Mouth\", \"Somebody\". On January 19, 2013 Mendler in New York from UNICEF charity. Her second concert, the Summer Tour, visited North America in the leg one and started in Iowa and ended in Washington. In 2014 Mendler announced the second leg of the tour as part of the release of her upcoming second album. The leg started in Charlottetown, Canada, on June 28, 2014.\n",
- "John Townes Van Zandt (March 7, 1944 – January 1, 1997), best known as Townes Van Zandt, was an American singer songwriter. He is widely regarded for his poetic, often heroically sad songs. In 1983, six years after Emmylou Harris had first popularized it, Willie Nelson and Merle Haggard covered his song \"Pancho and Lefty\", scoring a number one hit on the Billboard country music charts. Much of his life was spent touring various dive bars, often living in cheap motel rooms and backwoods cabins. For much of the 1970s, he lived in a simple shack without electricity or a phone.\n",
- "Native Window is the self-titled debut album of American progressive rock band Native Window. It was released on June 23, 2009. The tracks on the album are all original material composed by the members of the band. The album came about soon after the band formed; it was because Steve Walsh, the lead singer for Kansas, would not write any new material. Phil Ehart, Rich Williams, Billy Greer, and David Ragsdale got together to write new songs, and released them under the Native Window name.\n",
- "At My Window is an album released by Folk/country singer-songwriter Townes Van Zandt in 1987. This was Van Zandt's first studio album in the nine years that followed 1978's \"Flyin' Shoes\", and his only studio album recorded in the 1980s. Although the songwriter had become less prolific, this release showed that the quality of his material remained high.\n",
- "Love Letter for Fire is a collaborative album of duets by American singer-songwriter Sam Beam, commonly known as Iron & Wine, and American singer-songwriter Jesca Hoop, released on April 15, 2016 on Sub Pop.\n",
- "Little Window is the debut album of American singer-songwriter Baby Dee. The album was released in 2002 on the Durtro label. It was produced, composed, and performed entirely by Dee.\n"
- ]
- }
- ],
+ "outputs": [],
"source": [
"from os import path\n",
"import cognee\n",
+ "from cognee.infrastructure.databases.graph.get_graph_client import get_graph_client, GraphDBType\n",
"from cognee.modules.search.vector.search_similarity import search_similarity\n",
"\n",
"data_directory_path = path.abspath(\"../.data\")\n",
@@ -832,7 +148,10 @@
"cognee_directory_path = path.abspath(\"../.cognee_system\")\n",
"cognee.config.system_root_directory(cognee_directory_path)\n",
"\n",
- "results = await search_similarity(\"At My Window was released by which American singer-songwriter?\")\n",
+ "graph_client = await get_graph_client(GraphDBType.NETWORKX)\n",
+ "graph = graph_client.graph\n",
+ "\n",
+ "results = await search_similarity(\"At My Window was released by which American singer-songwriter?\", graph)\n",
"\n",
"for result in results:\n",
" print(\"At My Window\" in result)\n",
diff --git a/poetry.lock b/poetry.lock
index 455c3850c..8fd62d5eb 100644
--- a/poetry.lock
+++ b/poetry.lock
@@ -1129,26 +1129,25 @@ tests = ["pytest", "pytest-cov", "pytest-xdist"]
[[package]]
name = "datasets"
-version = "2.18.0"
+version = "2.14.7"
description = "HuggingFace community-driven open-source library of datasets"
optional = false
python-versions = ">=3.8.0"
files = [
- {file = "datasets-2.18.0-py3-none-any.whl", hash = "sha256:f1bbf0e2896917a914de01cbd37075b14deea3837af87ad0d9f697388ccaeb50"},
- {file = "datasets-2.18.0.tar.gz", hash = "sha256:cdf8b8c6abf7316377ba4f49f9589a4c74556d6b481afd0abd2284f3d69185cb"},
+ {file = "datasets-2.14.7-py3-none-any.whl", hash = "sha256:1a64041a7da4f4130f736fc371c1f528b8ddd208cebe156400f65719bdbba79d"},
+ {file = "datasets-2.14.7.tar.gz", hash = "sha256:394cf9b4ec0694b25945977b16ad5d18d5c15fb0e94141713eb8ead7452caf9e"},
]
[package.dependencies]
aiohttp = "*"
-dill = ">=0.3.0,<0.3.9"
-filelock = "*"
-fsspec = {version = ">=2023.1.0,<=2024.2.0", extras = ["http"]}
-huggingface-hub = ">=0.19.4"
+dill = ">=0.3.0,<0.3.8"
+fsspec = {version = ">=2023.1.0,<=2023.10.0", extras = ["http"]}
+huggingface-hub = ">=0.14.0,<1.0.0"
multiprocess = "*"
numpy = ">=1.17"
packaging = "*"
pandas = "*"
-pyarrow = ">=12.0.0"
+pyarrow = ">=8.0.0"
pyarrow-hotfix = "*"
pyyaml = ">=5.1"
requests = ">=2.19.0"
@@ -1156,18 +1155,18 @@ tqdm = ">=4.62.1"
xxhash = "*"
[package.extras]
-apache-beam = ["apache-beam (>=2.26.0)"]
+apache-beam = ["apache-beam (>=2.26.0,<2.44.0)"]
audio = ["librosa", "soundfile (>=0.12.1)"]
benchmarks = ["tensorflow (==2.12.0)", "torch (==2.0.1)", "transformers (==4.30.1)"]
-dev = ["Pillow (>=6.2.1)", "absl-py", "apache-beam (>=2.26.0)", "elasticsearch (<8.0.0)", "faiss-cpu (>=1.6.4)", "jax (>=0.3.14)", "jaxlib (>=0.3.14)", "joblib (<1.3.0)", "joblibspark", "librosa", "lz4", "py7zr", "pyspark (>=3.4)", "pytest", "pytest-datadir", "pytest-xdist", "rarfile (>=4.0)", "ruff (>=0.3.0)", "s3fs", "s3fs (>=2021.11.1)", "soundfile (>=0.12.1)", "sqlalchemy", "tensorflow (>=2.2.0,!=2.6.0,!=2.6.1)", "tensorflow (>=2.3,!=2.6.0,!=2.6.1)", "tensorflow-macos", "tiktoken", "torch", "torch (>=2.0.0)", "transformers", "typing-extensions (>=4.6.1)", "zstandard"]
+dev = ["Pillow (>=6.2.1)", "absl-py", "apache-beam (>=2.26.0,<2.44.0)", "black (>=23.1,<24.0)", "elasticsearch (<8.0.0)", "faiss-cpu (>=1.6.4)", "joblib (<1.3.0)", "joblibspark", "librosa", "lz4", "py7zr", "pyspark (>=3.4)", "pytest", "pytest-datadir", "pytest-xdist", "pyyaml (>=5.3.1)", "rarfile (>=4.0)", "ruff (>=0.0.241)", "s3fs", "s3fs (>=2021.11.1)", "soundfile (>=0.12.1)", "sqlalchemy (<2.0.0)", "tensorflow (>=2.2.0,!=2.6.0,!=2.6.1)", "tensorflow (>=2.3,!=2.6.0,!=2.6.1)", "tensorflow-macos", "tiktoken", "torch", "transformers", "zstandard"]
docs = ["s3fs", "tensorflow (>=2.2.0,!=2.6.0,!=2.6.1)", "tensorflow-macos", "torch", "transformers"]
-jax = ["jax (>=0.3.14)", "jaxlib (>=0.3.14)"]
+jax = ["jax (>=0.2.8,!=0.3.2,<=0.3.25)", "jaxlib (>=0.1.65,<=0.3.25)"]
metrics-tests = ["Werkzeug (>=1.0.1)", "accelerate", "bert-score (>=0.3.6)", "jiwer", "langdetect", "mauve-text", "nltk", "requests-file (>=1.5.1)", "rouge-score", "sacrebleu", "sacremoses", "scikit-learn", "scipy", "sentencepiece", "seqeval", "six (>=1.15.0,<1.16.0)", "spacy (>=3.0.0)", "texttable (>=1.6.3)", "tldextract", "tldextract (>=3.1.0)", "toml (>=0.10.1)", "typer (<0.5.0)"]
-quality = ["ruff (>=0.3.0)"]
+quality = ["black (>=23.1,<24.0)", "pyyaml (>=5.3.1)", "ruff (>=0.0.241)"]
s3 = ["s3fs"]
tensorflow = ["tensorflow (>=2.2.0,!=2.6.0,!=2.6.1)", "tensorflow-macos"]
tensorflow-gpu = ["tensorflow-gpu (>=2.2.0,!=2.6.0,!=2.6.1)"]
-tests = ["Pillow (>=6.2.1)", "absl-py", "apache-beam (>=2.26.0)", "elasticsearch (<8.0.0)", "faiss-cpu (>=1.6.4)", "jax (>=0.3.14)", "jaxlib (>=0.3.14)", "joblib (<1.3.0)", "joblibspark", "librosa", "lz4", "py7zr", "pyspark (>=3.4)", "pytest", "pytest-datadir", "pytest-xdist", "rarfile (>=4.0)", "s3fs (>=2021.11.1)", "soundfile (>=0.12.1)", "sqlalchemy", "tensorflow (>=2.3,!=2.6.0,!=2.6.1)", "tensorflow-macos", "tiktoken", "torch (>=2.0.0)", "transformers", "typing-extensions (>=4.6.1)", "zstandard"]
+tests = ["Pillow (>=6.2.1)", "absl-py", "apache-beam (>=2.26.0,<2.44.0)", "elasticsearch (<8.0.0)", "faiss-cpu (>=1.6.4)", "joblib (<1.3.0)", "joblibspark", "librosa", "lz4", "py7zr", "pyspark (>=3.4)", "pytest", "pytest-datadir", "pytest-xdist", "rarfile (>=4.0)", "s3fs (>=2021.11.1)", "soundfile (>=0.12.1)", "sqlalchemy (<2.0.0)", "tensorflow (>=2.3,!=2.6.0,!=2.6.1)", "tensorflow-macos", "tiktoken", "torch", "transformers", "zstandard"]
torch = ["torch"]
vision = ["Pillow (>=6.2.1)"]
@@ -1226,18 +1225,17 @@ files = [
[[package]]
name = "dill"
-version = "0.3.8"
+version = "0.3.7"
description = "serialize all of Python"
optional = false
-python-versions = ">=3.8"
+python-versions = ">=3.7"
files = [
- {file = "dill-0.3.8-py3-none-any.whl", hash = "sha256:c36ca9ffb54365bdd2f8eb3eff7d2a21237f8452b57ace88b1ac615b7e815bd7"},
- {file = "dill-0.3.8.tar.gz", hash = "sha256:3ebe3c479ad625c4553aca177444d89b486b1d84982eeacded644afc0cf797ca"},
+ {file = "dill-0.3.7-py3-none-any.whl", hash = "sha256:76b122c08ef4ce2eedcd4d1abd8e641114bfc6c2867f49f3c41facf65bf19f5e"},
+ {file = "dill-0.3.7.tar.gz", hash = "sha256:cc1c8b182eb3013e24bd475ff2e9295af86c1a38eb1aff128dac8962a9ce3c03"},
]
[package.extras]
graph = ["objgraph (>=1.7.2)"]
-profile = ["gprof2dot (>=2022.7.29)"]
[[package]]
name = "diskcache"
@@ -1334,45 +1332,40 @@ files = [
]
[[package]]
-name = "dspy"
-version = "2.0.8"
+name = "dspy-ai"
+version = "2.4.3"
description = "DSPy"
optional = false
-python-versions = ">=3.9,<3.12"
-files = []
-develop = false
+python-versions = ">=3.9"
+files = [
+ {file = "dspy-ai-2.4.3.tar.gz", hash = "sha256:d4dce88358cec53ee70025831baafb5621ac3453a2ad200faede8e128b22369b"},
+ {file = "dspy_ai-2.4.3-py3-none-any.whl", hash = "sha256:0742b83da7ec8750580b2c0b24eb8ec2594fee704a7ab0a369c621e36387b2ec"},
+]
[package.dependencies]
-backoff = "^2.2.1"
-datasets = "^2.14.6"
-joblib = "^1.3.2"
+backoff = ">=2.2.1,<2.3.0"
+datasets = ">=2.14.6,<2.15.0"
+joblib = ">=1.3.2,<1.4.0"
openai = ">=0.28.1,<2.0.0"
-optuna = "^3.4.0"
-pandas = "^2.1.1"
-pydantic = "^2.0"
-regex = "^2023.10.3"
-requests = "^2.31.0"
-rich = "^13.7.1"
-structlog = "^24.1.0"
-tqdm = "^4.66.1"
-ujson = "^5.8.0"
+optuna = "*"
+pandas = "*"
+pydantic = ">=2.5.0,<=2.7"
+regex = "*"
+requests = "*"
+tqdm = "*"
+ujson = "*"
[package.extras]
-aws = ["boto3 (>=1.34.78,<2.0.0)"]
+anthropic = ["anthropic (>=0.18.0,<0.19.0)"]
chromadb = ["chromadb (>=0.4.14,<0.5.0)"]
-docs = ["autodoc_pydantic", "docutils (<0.17)", "furo (>=2023.3.27)", "m2r2", "myst-nb", "myst-parser", "sphinx (>=4.3.0)", "sphinx-autobuild", "sphinx-automodapi (==0.16.0)", "sphinx-reredirects (>=0.1.2,<0.2.0)", "sphinx_rtd_theme"]
-marqo = ["marqo"]
-milvus = ["pymilvus (>=2.3.6,<3.0.0)"]
-pinecone = ["pinecone-client (>=2.2.4,<3.0.0)"]
-postgres = ["pgvector (>=0.2.5,<0.3.0)", "psycopg2 (>=2.9.9,<3.0.0)"]
-qdrant = ["fastembed (>=0.1.0,<0.2.0)", "qdrant-client (>=1.6.2,<2.0.0)"]
-weaviate = ["weaviate-client (>=4.5.4,<5.0.0)"]
-
-[package.source]
-type = "git"
-url = "https://github.com/Vasilije1990/dspy.git"
-reference = "main"
-resolved_reference = "1f53443551e3298739e3f3f770421b4890201d0c"
+dev = ["pytest (>=6.2.5)"]
+docs = ["autodoc-pydantic", "docutils (<0.17)", "furo (>=2023.3.27)", "m2r2", "myst-nb", "myst-parser", "sphinx (>=4.3.0)", "sphinx-autobuild", "sphinx-automodapi (==0.16.0)", "sphinx-reredirects (>=0.1.2)", "sphinx-rtd-theme"]
+faiss-cpu = ["faiss-cpu", "sentence-transformers"]
+marqo = ["marqo", "marqo (>=3.1.0,<3.2.0)"]
+mongodb = ["pymongo (>=3.12.0,<3.13.0)"]
+pinecone = ["pinecone-client (>=2.2.4,<2.3.0)"]
+qdrant = ["fastembed", "fastembed (>=0.1.0)", "qdrant-client", "qdrant-client (>=1.6.2)"]
+weaviate = ["weaviate-client (>=3.26.1,<3.27.0)", "weaviate-client (>=4.5.4,<4.6.0)"]
[[package]]
name = "duckdb"
@@ -1730,17 +1723,18 @@ files = [
[[package]]
name = "fsspec"
-version = "2024.2.0"
+version = "2023.10.0"
description = "File-system specification"
optional = false
python-versions = ">=3.8"
files = [
- {file = "fsspec-2024.2.0-py3-none-any.whl", hash = "sha256:817f969556fa5916bc682e02ca2045f96ff7f586d45110fcb76022063ad2c7d8"},
- {file = "fsspec-2024.2.0.tar.gz", hash = "sha256:b6ad1a679f760dda52b1168c859d01b7b80648ea6f7f7c7f5a8a91dc3f3ecb84"},
+ {file = "fsspec-2023.10.0-py3-none-any.whl", hash = "sha256:346a8f024efeb749d2a5fca7ba8854474b1ff9af7c3faaf636a4548781136529"},
+ {file = "fsspec-2023.10.0.tar.gz", hash = "sha256:330c66757591df346ad3091a53bd907e15348c2ba17d63fd54f5c39c4457d2a5"},
]
[package.dependencies]
aiohttp = {version = "<4.0.0a0 || >4.0.0a0,<4.0.0a1 || >4.0.0a1", optional = true, markers = "extra == \"http\""}
+requests = {version = "*", optional = true, markers = "extra == \"http\""}
[package.extras]
abfs = ["adlfs"]
@@ -1757,7 +1751,7 @@ github = ["requests"]
gs = ["gcsfs"]
gui = ["panel"]
hdfs = ["pyarrow (>=1)"]
-http = ["aiohttp (!=4.0.0a0,!=4.0.0a1)"]
+http = ["aiohttp (!=4.0.0a0,!=4.0.0a1)", "requests"]
libarchive = ["libarchive-c"]
oci = ["ocifs"]
s3 = ["s3fs"]
@@ -2547,13 +2541,13 @@ files = [
[[package]]
name = "joblib"
-version = "1.4.0"
+version = "1.3.2"
description = "Lightweight pipelining with Python functions"
optional = false
-python-versions = ">=3.8"
+python-versions = ">=3.7"
files = [
- {file = "joblib-1.4.0-py3-none-any.whl", hash = "sha256:42942470d4062537be4d54c83511186da1fc14ba354961a2114da91efa9a4ed7"},
- {file = "joblib-1.4.0.tar.gz", hash = "sha256:1eb0dc091919cd384490de890cb5dfd538410a6d4b3b54eef09fb8c50b409b1c"},
+ {file = "joblib-1.3.2-py3-none-any.whl", hash = "sha256:ef4331c65f239985f3f2220ecc87db222f08fd22097a3dd5698f693875f8cbb9"},
+ {file = "joblib-1.3.2.tar.gz", hash = "sha256:92f865e621e17784e7955080b6d042489e3b8e294949cc44c6eac304f59772b1"},
]
[[package]]
@@ -3582,27 +3576,31 @@ files = [
[[package]]
name = "multiprocess"
-version = "0.70.16"
+version = "0.70.15"
description = "better multiprocessing and multithreading in Python"
optional = false
-python-versions = ">=3.8"
+python-versions = ">=3.7"
files = [
- {file = "multiprocess-0.70.16-pp310-pypy310_pp73-macosx_10_13_x86_64.whl", hash = "sha256:476887be10e2f59ff183c006af746cb6f1fd0eadcfd4ef49e605cbe2659920ee"},
- {file = "multiprocess-0.70.16-pp310-pypy310_pp73-manylinux_2_28_x86_64.whl", hash = "sha256:d951bed82c8f73929ac82c61f01a7b5ce8f3e5ef40f5b52553b4f547ce2b08ec"},
- {file = "multiprocess-0.70.16-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:37b55f71c07e2d741374998c043b9520b626a8dddc8b3129222ca4f1a06ef67a"},
- {file = "multiprocess-0.70.16-pp38-pypy38_pp73-manylinux_2_28_x86_64.whl", hash = "sha256:ba8c31889abf4511c7308a8c52bb4a30b9d590e7f58523302ba00237702ca054"},
- {file = "multiprocess-0.70.16-pp39-pypy39_pp73-macosx_10_13_x86_64.whl", hash = "sha256:0dfd078c306e08d46d7a8d06fb120313d87aa43af60d66da43ffff40b44d2f41"},
- {file = "multiprocess-0.70.16-pp39-pypy39_pp73-manylinux_2_28_x86_64.whl", hash = "sha256:e7b9d0f307cd9bd50851afaac0dba2cb6c44449efff697df7c7645f7d3f2be3a"},
- {file = "multiprocess-0.70.16-py310-none-any.whl", hash = "sha256:c4a9944c67bd49f823687463660a2d6daae94c289adff97e0f9d696ba6371d02"},
- {file = "multiprocess-0.70.16-py311-none-any.whl", hash = "sha256:af4cabb0dac72abfb1e794fa7855c325fd2b55a10a44628a3c1ad3311c04127a"},
- {file = "multiprocess-0.70.16-py312-none-any.whl", hash = "sha256:fc0544c531920dde3b00c29863377f87e1632601092ea2daca74e4beb40faa2e"},
- {file = "multiprocess-0.70.16-py38-none-any.whl", hash = "sha256:a71d82033454891091a226dfc319d0cfa8019a4e888ef9ca910372a446de4435"},
- {file = "multiprocess-0.70.16-py39-none-any.whl", hash = "sha256:a0bafd3ae1b732eac64be2e72038231c1ba97724b60b09400d68f229fcc2fbf3"},
- {file = "multiprocess-0.70.16.tar.gz", hash = "sha256:161af703d4652a0e1410be6abccecde4a7ddffd19341be0a7011b94aeb171ac1"},
+ {file = "multiprocess-0.70.15-pp310-pypy310_pp73-macosx_10_9_x86_64.whl", hash = "sha256:aa36c7ed16f508091438687fe9baa393a7a8e206731d321e443745e743a0d4e5"},
+ {file = "multiprocess-0.70.15-pp37-pypy37_pp73-macosx_10_9_x86_64.whl", hash = "sha256:20e024018c46d0d1602024c613007ac948f9754659e3853b0aa705e83f6931d8"},
+ {file = "multiprocess-0.70.15-pp37-pypy37_pp73-manylinux_2_24_i686.whl", hash = "sha256:e576062981c91f0fe8a463c3d52506e598dfc51320a8dd8d78b987dfca91c5db"},
+ {file = "multiprocess-0.70.15-pp37-pypy37_pp73-manylinux_2_24_x86_64.whl", hash = "sha256:e73f497e6696a0f5433ada2b3d599ae733b87a6e8b008e387c62ac9127add177"},
+ {file = "multiprocess-0.70.15-pp38-pypy38_pp73-macosx_10_9_x86_64.whl", hash = "sha256:73db2e7b32dcc7f9b0f075c2ffa45c90b6729d3f1805f27e88534c8d321a1be5"},
+ {file = "multiprocess-0.70.15-pp38-pypy38_pp73-manylinux_2_24_i686.whl", hash = "sha256:4271647bd8a49c28ecd6eb56a7fdbd3c212c45529ad5303b40b3c65fc6928e5f"},
+ {file = "multiprocess-0.70.15-pp38-pypy38_pp73-manylinux_2_24_x86_64.whl", hash = "sha256:cf981fb998d6ec3208cb14f0cf2e9e80216e834f5d51fd09ebc937c32b960902"},
+ {file = "multiprocess-0.70.15-pp39-pypy39_pp73-macosx_10_9_x86_64.whl", hash = "sha256:18f9f2c7063346d1617bd1684fdcae8d33380ae96b99427260f562e1a1228b67"},
+ {file = "multiprocess-0.70.15-pp39-pypy39_pp73-manylinux_2_24_i686.whl", hash = "sha256:0eac53214d664c49a34695e5824872db4006b1a465edd7459a251809c3773370"},
+ {file = "multiprocess-0.70.15-pp39-pypy39_pp73-manylinux_2_24_x86_64.whl", hash = "sha256:1a51dd34096db47fb21fa2b839e615b051d51b97af9a67afbcdaa67186b44883"},
+ {file = "multiprocess-0.70.15-py310-none-any.whl", hash = "sha256:7dd58e33235e83cf09d625e55cffd7b0f0eede7ee9223cdd666a87624f60c21a"},
+ {file = "multiprocess-0.70.15-py311-none-any.whl", hash = "sha256:134f89053d82c9ed3b73edd3a2531eb791e602d4f4156fc92a79259590bd9670"},
+ {file = "multiprocess-0.70.15-py37-none-any.whl", hash = "sha256:f7d4a1629bccb433114c3b4885f69eccc200994323c80f6feee73b0edc9199c5"},
+ {file = "multiprocess-0.70.15-py38-none-any.whl", hash = "sha256:bee9afba476c91f9ebee7beeee0601face9eff67d822e893f9a893725fbd6316"},
+ {file = "multiprocess-0.70.15-py39-none-any.whl", hash = "sha256:3e0953f5d52b4c76f1c973eaf8214554d146f2be5decb48e928e55c7a2d19338"},
+ {file = "multiprocess-0.70.15.tar.gz", hash = "sha256:f20eed3036c0ef477b07a4177cf7c1ba520d9a2677870a4f47fe026f0cd6787e"},
]
[package.dependencies]
-dill = ">=0.3.8"
+dill = ">=0.3.7"
[[package]]
name = "mypy"
@@ -4479,13 +4477,13 @@ test = ["appdirs (==1.4.4)", "covdefaults (>=2.3)", "pytest (>=7.4.3)", "pytest-
[[package]]
name = "pluggy"
-version = "1.4.0"
+version = "1.5.0"
description = "plugin and hook calling mechanisms for python"
optional = false
python-versions = ">=3.8"
files = [
- {file = "pluggy-1.4.0-py3-none-any.whl", hash = "sha256:7db9f7b503d67d1c5b95f59773ebb58a8c1c288129a88665838012cfb07b8981"},
- {file = "pluggy-1.4.0.tar.gz", hash = "sha256:8c85c2876142a764e5b7548e7d9a0e0ddb46f5185161049a79b7e974454223be"},
+ {file = "pluggy-1.5.0-py3-none-any.whl", hash = "sha256:44e1ad92c8ca002de6377e165f3e0f1be63266ab4d554740532335b9d75ea669"},
+ {file = "pluggy-1.5.0.tar.gz", hash = "sha256:2cffa88e94fdc978c4c574f15f9e59b7f4201d439195c3715ca9e2486f1d0cf1"},
]
[package.extras]
@@ -5287,104 +5285,104 @@ rpds-py = ">=0.7.0"
[[package]]
name = "regex"
-version = "2023.12.25"
+version = "2024.4.16"
description = "Alternative regular expression module, to replace re."
optional = false
python-versions = ">=3.7"
files = [
- {file = "regex-2023.12.25-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:0694219a1d54336fd0445ea382d49d36882415c0134ee1e8332afd1529f0baa5"},
- {file = "regex-2023.12.25-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:b014333bd0217ad3d54c143de9d4b9a3ca1c5a29a6d0d554952ea071cff0f1f8"},
- {file = "regex-2023.12.25-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:d865984b3f71f6d0af64d0d88f5733521698f6c16f445bb09ce746c92c97c586"},
- {file = "regex-2023.12.25-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:1e0eabac536b4cc7f57a5f3d095bfa557860ab912f25965e08fe1545e2ed8b4c"},
- {file = "regex-2023.12.25-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:c25a8ad70e716f96e13a637802813f65d8a6760ef48672aa3502f4c24ea8b400"},
- {file = "regex-2023.12.25-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:a9b6d73353f777630626f403b0652055ebfe8ff142a44ec2cf18ae470395766e"},
- {file = "regex-2023.12.25-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:a9cc99d6946d750eb75827cb53c4371b8b0fe89c733a94b1573c9dd16ea6c9e4"},
- {file = "regex-2023.12.25-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:88d1f7bef20c721359d8675f7d9f8e414ec5003d8f642fdfd8087777ff7f94b5"},
- {file = "regex-2023.12.25-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:cb3fe77aec8f1995611f966d0c656fdce398317f850d0e6e7aebdfe61f40e1cd"},
- {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:7aa47c2e9ea33a4a2a05f40fcd3ea36d73853a2aae7b4feab6fc85f8bf2c9704"},
- {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:df26481f0c7a3f8739fecb3e81bc9da3fcfae34d6c094563b9d4670b047312e1"},
- {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:c40281f7d70baf6e0db0c2f7472b31609f5bc2748fe7275ea65a0b4601d9b392"},
- {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:d94a1db462d5690ebf6ae86d11c5e420042b9898af5dcf278bd97d6bda065423"},
- {file = "regex-2023.12.25-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:ba1b30765a55acf15dce3f364e4928b80858fa8f979ad41f862358939bdd1f2f"},
- {file = "regex-2023.12.25-cp310-cp310-win32.whl", hash = "sha256:150c39f5b964e4d7dba46a7962a088fbc91f06e606f023ce57bb347a3b2d4630"},
- {file = "regex-2023.12.25-cp310-cp310-win_amd64.whl", hash = "sha256:09da66917262d9481c719599116c7dc0c321ffcec4b1f510c4f8a066f8768105"},
- {file = "regex-2023.12.25-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:1b9d811f72210fa9306aeb88385b8f8bcef0dfbf3873410413c00aa94c56c2b6"},
- {file = "regex-2023.12.25-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:d902a43085a308cef32c0d3aea962524b725403fd9373dea18110904003bac97"},
- {file = "regex-2023.12.25-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:d166eafc19f4718df38887b2bbe1467a4f74a9830e8605089ea7a30dd4da8887"},
- {file = "regex-2023.12.25-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:c7ad32824b7f02bb3c9f80306d405a1d9b7bb89362d68b3c5a9be53836caebdb"},
- {file = "regex-2023.12.25-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:636ba0a77de609d6510235b7f0e77ec494d2657108f777e8765efc060094c98c"},
- {file = "regex-2023.12.25-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:0fda75704357805eb953a3ee15a2b240694a9a514548cd49b3c5124b4e2ad01b"},
- {file = "regex-2023.12.25-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:f72cbae7f6b01591f90814250e636065850c5926751af02bb48da94dfced7baa"},
- {file = "regex-2023.12.25-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:db2a0b1857f18b11e3b0e54ddfefc96af46b0896fb678c85f63fb8c37518b3e7"},
- {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:7502534e55c7c36c0978c91ba6f61703faf7ce733715ca48f499d3dbbd7657e0"},
- {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:e8c7e08bb566de4faaf11984af13f6bcf6a08f327b13631d41d62592681d24fe"},
- {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:283fc8eed679758de38fe493b7d7d84a198b558942b03f017b1f94dda8efae80"},
- {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:f44dd4d68697559d007462b0a3a1d9acd61d97072b71f6d1968daef26bc744bd"},
- {file = "regex-2023.12.25-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:67d3ccfc590e5e7197750fcb3a2915b416a53e2de847a728cfa60141054123d4"},
- {file = "regex-2023.12.25-cp311-cp311-win32.whl", hash = "sha256:68191f80a9bad283432385961d9efe09d783bcd36ed35a60fb1ff3f1ec2efe87"},
- {file = "regex-2023.12.25-cp311-cp311-win_amd64.whl", hash = "sha256:7d2af3f6b8419661a0c421584cfe8aaec1c0e435ce7e47ee2a97e344b98f794f"},
- {file = "regex-2023.12.25-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:8a0ccf52bb37d1a700375a6b395bff5dd15c50acb745f7db30415bae3c2b0715"},
- {file = "regex-2023.12.25-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:c3c4a78615b7762740531c27cf46e2f388d8d727d0c0c739e72048beb26c8a9d"},
- {file = "regex-2023.12.25-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:ad83e7545b4ab69216cef4cc47e344d19622e28aabec61574b20257c65466d6a"},
- {file = "regex-2023.12.25-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:b7a635871143661feccce3979e1727c4e094f2bdfd3ec4b90dfd4f16f571a87a"},
- {file = "regex-2023.12.25-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:d498eea3f581fbe1b34b59c697512a8baef88212f92e4c7830fcc1499f5b45a5"},
- {file = "regex-2023.12.25-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:43f7cd5754d02a56ae4ebb91b33461dc67be8e3e0153f593c509e21d219c5060"},
- {file = "regex-2023.12.25-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:51f4b32f793812714fd5307222a7f77e739b9bc566dc94a18126aba3b92b98a3"},
- {file = "regex-2023.12.25-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ba99d8077424501b9616b43a2d208095746fb1284fc5ba490139651f971d39d9"},
- {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:4bfc2b16e3ba8850e0e262467275dd4d62f0d045e0e9eda2bc65078c0110a11f"},
- {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:8c2c19dae8a3eb0ea45a8448356ed561be843b13cbc34b840922ddf565498c1c"},
- {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:60080bb3d8617d96f0fb7e19796384cc2467447ef1c491694850ebd3670bc457"},
- {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:b77e27b79448e34c2c51c09836033056a0547aa360c45eeeb67803da7b0eedaf"},
- {file = "regex-2023.12.25-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:518440c991f514331f4850a63560321f833979d145d7d81186dbe2f19e27ae3d"},
- {file = "regex-2023.12.25-cp312-cp312-win32.whl", hash = "sha256:e2610e9406d3b0073636a3a2e80db05a02f0c3169b5632022b4e81c0364bcda5"},
- {file = "regex-2023.12.25-cp312-cp312-win_amd64.whl", hash = "sha256:cc37b9aeebab425f11f27e5e9e6cf580be7206c6582a64467a14dda211abc232"},
- {file = "regex-2023.12.25-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:da695d75ac97cb1cd725adac136d25ca687da4536154cdc2815f576e4da11c69"},
- {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:d126361607b33c4eb7b36debc173bf25d7805847346dd4d99b5499e1fef52bc7"},
- {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4719bb05094d7d8563a450cf8738d2e1061420f79cfcc1fa7f0a44744c4d8f73"},
- {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:5dd58946bce44b53b06d94aa95560d0b243eb2fe64227cba50017a8d8b3cd3e2"},
- {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:22a86d9fff2009302c440b9d799ef2fe322416d2d58fc124b926aa89365ec482"},
- {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:2aae8101919e8aa05ecfe6322b278f41ce2994c4a430303c4cd163fef746e04f"},
- {file = "regex-2023.12.25-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:e692296c4cc2873967771345a876bcfc1c547e8dd695c6b89342488b0ea55cd8"},
- {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:263ef5cc10979837f243950637fffb06e8daed7f1ac1e39d5910fd29929e489a"},
- {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:d6f7e255e5fa94642a0724e35406e6cb7001c09d476ab5fce002f652b36d0c39"},
- {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:88ad44e220e22b63b0f8f81f007e8abbb92874d8ced66f32571ef8beb0643b2b"},
- {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:3a17d3ede18f9cedcbe23d2daa8a2cd6f59fe2bf082c567e43083bba3fb00347"},
- {file = "regex-2023.12.25-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:d15b274f9e15b1a0b7a45d2ac86d1f634d983ca40d6b886721626c47a400bf39"},
- {file = "regex-2023.12.25-cp37-cp37m-win32.whl", hash = "sha256:ed19b3a05ae0c97dd8f75a5d8f21f7723a8c33bbc555da6bbe1f96c470139d3c"},
- {file = "regex-2023.12.25-cp37-cp37m-win_amd64.whl", hash = "sha256:a6d1047952c0b8104a1d371f88f4ab62e6275567d4458c1e26e9627ad489b445"},
- {file = "regex-2023.12.25-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:b43523d7bc2abd757119dbfb38af91b5735eea45537ec6ec3a5ec3f9562a1c53"},
- {file = "regex-2023.12.25-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:efb2d82f33b2212898f1659fb1c2e9ac30493ac41e4d53123da374c3b5541e64"},
- {file = "regex-2023.12.25-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:b7fca9205b59c1a3d5031f7e64ed627a1074730a51c2a80e97653e3e9fa0d415"},
- {file = "regex-2023.12.25-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:086dd15e9435b393ae06f96ab69ab2d333f5d65cbe65ca5a3ef0ec9564dfe770"},
- {file = "regex-2023.12.25-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:e81469f7d01efed9b53740aedd26085f20d49da65f9c1f41e822a33992cb1590"},
- {file = "regex-2023.12.25-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:34e4af5b27232f68042aa40a91c3b9bb4da0eeb31b7632e0091afc4310afe6cb"},
- {file = "regex-2023.12.25-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9852b76ab558e45b20bf1893b59af64a28bd3820b0c2efc80e0a70a4a3ea51c1"},
- {file = "regex-2023.12.25-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:ff100b203092af77d1a5a7abe085b3506b7eaaf9abf65b73b7d6905b6cb76988"},
- {file = "regex-2023.12.25-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:cc038b2d8b1470364b1888a98fd22d616fba2b6309c5b5f181ad4483e0017861"},
- {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:094ba386bb5c01e54e14434d4caabf6583334090865b23ef58e0424a6286d3dc"},
- {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:5cd05d0f57846d8ba4b71d9c00f6f37d6b97d5e5ef8b3c3840426a475c8f70f4"},
- {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:9aa1a67bbf0f957bbe096375887b2505f5d8ae16bf04488e8b0f334c36e31360"},
- {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:98a2636994f943b871786c9e82bfe7883ecdaba2ef5df54e1450fa9869d1f756"},
- {file = "regex-2023.12.25-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:37f8e93a81fc5e5bd8db7e10e62dc64261bcd88f8d7e6640aaebe9bc180d9ce2"},
- {file = "regex-2023.12.25-cp38-cp38-win32.whl", hash = "sha256:d78bd484930c1da2b9679290a41cdb25cc127d783768a0369d6b449e72f88beb"},
- {file = "regex-2023.12.25-cp38-cp38-win_amd64.whl", hash = "sha256:b521dcecebc5b978b447f0f69b5b7f3840eac454862270406a39837ffae4e697"},
- {file = "regex-2023.12.25-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:f7bc09bc9c29ebead055bcba136a67378f03d66bf359e87d0f7c759d6d4ffa31"},
- {file = "regex-2023.12.25-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:e14b73607d6231f3cc4622809c196b540a6a44e903bcfad940779c80dffa7be7"},
- {file = "regex-2023.12.25-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:9eda5f7a50141291beda3edd00abc2d4a5b16c29c92daf8d5bd76934150f3edc"},
- {file = "regex-2023.12.25-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:cc6bb9aa69aacf0f6032c307da718f61a40cf970849e471254e0e91c56ffca95"},
- {file = "regex-2023.12.25-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:298dc6354d414bc921581be85695d18912bea163a8b23cac9a2562bbcd5088b1"},
- {file = "regex-2023.12.25-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:2f4e475a80ecbd15896a976aa0b386c5525d0ed34d5c600b6d3ebac0a67c7ddf"},
- {file = "regex-2023.12.25-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:531ac6cf22b53e0696f8e1d56ce2396311254eb806111ddd3922c9d937151dae"},
- {file = "regex-2023.12.25-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:22f3470f7524b6da61e2020672df2f3063676aff444db1daa283c2ea4ed259d6"},
- {file = "regex-2023.12.25-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:89723d2112697feaa320c9d351e5f5e7b841e83f8b143dba8e2d2b5f04e10923"},
- {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:0ecf44ddf9171cd7566ef1768047f6e66975788258b1c6c6ca78098b95cf9a3d"},
- {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:905466ad1702ed4acfd67a902af50b8db1feeb9781436372261808df7a2a7bca"},
- {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:4558410b7a5607a645e9804a3e9dd509af12fb72b9825b13791a37cd417d73a5"},
- {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:7e316026cc1095f2a3e8cc012822c99f413b702eaa2ca5408a513609488cb62f"},
- {file = "regex-2023.12.25-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:3b1de218d5375cd6ac4b5493e0b9f3df2be331e86520f23382f216c137913d20"},
- {file = "regex-2023.12.25-cp39-cp39-win32.whl", hash = "sha256:11a963f8e25ab5c61348d090bf1b07f1953929c13bd2309a0662e9ff680763c9"},
- {file = "regex-2023.12.25-cp39-cp39-win_amd64.whl", hash = "sha256:e693e233ac92ba83a87024e1d32b5f9ab15ca55ddd916d878146f4e3406b5c91"},
- {file = "regex-2023.12.25.tar.gz", hash = "sha256:29171aa128da69afdf4bde412d5bedc335f2ca8fcfe4489038577d05f16181e5"},
+ {file = "regex-2024.4.16-cp310-cp310-macosx_10_9_universal2.whl", hash = "sha256:fb83cc090eac63c006871fd24db5e30a1f282faa46328572661c0a24a2323a08"},
+ {file = "regex-2024.4.16-cp310-cp310-macosx_10_9_x86_64.whl", hash = "sha256:8c91e1763696c0eb66340c4df98623c2d4e77d0746b8f8f2bee2c6883fd1fe18"},
+ {file = "regex-2024.4.16-cp310-cp310-macosx_11_0_arm64.whl", hash = "sha256:10188fe732dec829c7acca7422cdd1bf57d853c7199d5a9e96bb4d40db239c73"},
+ {file = "regex-2024.4.16-cp310-cp310-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:956b58d692f235cfbf5b4f3abd6d99bf102f161ccfe20d2fd0904f51c72c4c66"},
+ {file = "regex-2024.4.16-cp310-cp310-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:a70b51f55fd954d1f194271695821dd62054d949efd6368d8be64edd37f55c86"},
+ {file = "regex-2024.4.16-cp310-cp310-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:5c02fcd2bf45162280613d2e4a1ca3ac558ff921ae4e308ecb307650d3a6ee51"},
+ {file = "regex-2024.4.16-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:c4ed75ea6892a56896d78f11006161eea52c45a14994794bcfa1654430984b22"},
+ {file = "regex-2024.4.16-cp310-cp310-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:bd727ad276bb91928879f3aa6396c9a1d34e5e180dce40578421a691eeb77f47"},
+ {file = "regex-2024.4.16-cp310-cp310-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:7cbc5d9e8a1781e7be17da67b92580d6ce4dcef5819c1b1b89f49d9678cc278c"},
+ {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_aarch64.whl", hash = "sha256:78fddb22b9ef810b63ef341c9fcf6455232d97cfe03938cbc29e2672c436670e"},
+ {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_i686.whl", hash = "sha256:445ca8d3c5a01309633a0c9db57150312a181146315693273e35d936472df912"},
+ {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_ppc64le.whl", hash = "sha256:95399831a206211d6bc40224af1c635cb8790ddd5c7493e0bd03b85711076a53"},
+ {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_s390x.whl", hash = "sha256:7731728b6568fc286d86745f27f07266de49603a6fdc4d19c87e8c247be452af"},
+ {file = "regex-2024.4.16-cp310-cp310-musllinux_1_1_x86_64.whl", hash = "sha256:4facc913e10bdba42ec0aee76d029aedda628161a7ce4116b16680a0413f658a"},
+ {file = "regex-2024.4.16-cp310-cp310-win32.whl", hash = "sha256:911742856ce98d879acbea33fcc03c1d8dc1106234c5e7d068932c945db209c0"},
+ {file = "regex-2024.4.16-cp310-cp310-win_amd64.whl", hash = "sha256:e0a2df336d1135a0b3a67f3bbf78a75f69562c1199ed9935372b82215cddd6e2"},
+ {file = "regex-2024.4.16-cp311-cp311-macosx_10_9_universal2.whl", hash = "sha256:1210365faba7c2150451eb78ec5687871c796b0f1fa701bfd2a4a25420482d26"},
+ {file = "regex-2024.4.16-cp311-cp311-macosx_10_9_x86_64.whl", hash = "sha256:9ab40412f8cd6f615bfedea40c8bf0407d41bf83b96f6fc9ff34976d6b7037fd"},
+ {file = "regex-2024.4.16-cp311-cp311-macosx_11_0_arm64.whl", hash = "sha256:fd80d1280d473500d8086d104962a82d77bfbf2b118053824b7be28cd5a79ea5"},
+ {file = "regex-2024.4.16-cp311-cp311-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:7bb966fdd9217e53abf824f437a5a2d643a38d4fd5fd0ca711b9da683d452969"},
+ {file = "regex-2024.4.16-cp311-cp311-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:20b7a68444f536365af42a75ccecb7ab41a896a04acf58432db9e206f4e525d6"},
+ {file = "regex-2024.4.16-cp311-cp311-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b74586dd0b039c62416034f811d7ee62810174bb70dffcca6439f5236249eb09"},
+ {file = "regex-2024.4.16-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:0c8290b44d8b0af4e77048646c10c6e3aa583c1ca67f3b5ffb6e06cf0c6f0f89"},
+ {file = "regex-2024.4.16-cp311-cp311-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:f2d80a6749724b37853ece57988b39c4e79d2b5fe2869a86e8aeae3bbeef9eb0"},
+ {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_aarch64.whl", hash = "sha256:3a1018e97aeb24e4f939afcd88211ace472ba566efc5bdf53fd8fd7f41fa7170"},
+ {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_i686.whl", hash = "sha256:8d015604ee6204e76569d2f44e5a210728fa917115bef0d102f4107e622b08d5"},
+ {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_ppc64le.whl", hash = "sha256:3d5ac5234fb5053850d79dd8eb1015cb0d7d9ed951fa37aa9e6249a19aa4f336"},
+ {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_s390x.whl", hash = "sha256:0a38d151e2cdd66d16dab550c22f9521ba79761423b87c01dae0a6e9add79c0d"},
+ {file = "regex-2024.4.16-cp311-cp311-musllinux_1_1_x86_64.whl", hash = "sha256:159dc4e59a159cb8e4e8f8961eb1fa5d58f93cb1acd1701d8aff38d45e1a84a6"},
+ {file = "regex-2024.4.16-cp311-cp311-win32.whl", hash = "sha256:ba2336d6548dee3117520545cfe44dc28a250aa091f8281d28804aa8d707d93d"},
+ {file = "regex-2024.4.16-cp311-cp311-win_amd64.whl", hash = "sha256:8f83b6fd3dc3ba94d2b22717f9c8b8512354fd95221ac661784df2769ea9bba9"},
+ {file = "regex-2024.4.16-cp312-cp312-macosx_10_9_universal2.whl", hash = "sha256:80b696e8972b81edf0af2a259e1b2a4a661f818fae22e5fa4fa1a995fb4a40fd"},
+ {file = "regex-2024.4.16-cp312-cp312-macosx_10_9_x86_64.whl", hash = "sha256:d61ae114d2a2311f61d90c2ef1358518e8f05eafda76eaf9c772a077e0b465ec"},
+ {file = "regex-2024.4.16-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:8ba6745440b9a27336443b0c285d705ce73adb9ec90e2f2004c64d95ab5a7598"},
+ {file = "regex-2024.4.16-cp312-cp312-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:6295004b2dd37b0835ea5c14a33e00e8cfa3c4add4d587b77287825f3418d310"},
+ {file = "regex-2024.4.16-cp312-cp312-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4aba818dcc7263852aabb172ec27b71d2abca02a593b95fa79351b2774eb1d2b"},
+ {file = "regex-2024.4.16-cp312-cp312-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:d0800631e565c47520aaa04ae38b96abc5196fe8b4aa9bd864445bd2b5848a7a"},
+ {file = "regex-2024.4.16-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:08dea89f859c3df48a440dbdcd7b7155bc675f2fa2ec8c521d02dc69e877db70"},
+ {file = "regex-2024.4.16-cp312-cp312-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:eeaa0b5328b785abc344acc6241cffde50dc394a0644a968add75fcefe15b9d4"},
+ {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_aarch64.whl", hash = "sha256:4e819a806420bc010489f4e741b3036071aba209f2e0989d4750b08b12a9343f"},
+ {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_i686.whl", hash = "sha256:c2d0e7cbb6341e830adcbfa2479fdeebbfbb328f11edd6b5675674e7a1e37730"},
+ {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_ppc64le.whl", hash = "sha256:91797b98f5e34b6a49f54be33f72e2fb658018ae532be2f79f7c63b4ae225145"},
+ {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_s390x.whl", hash = "sha256:d2da13568eff02b30fd54fccd1e042a70fe920d816616fda4bf54ec705668d81"},
+ {file = "regex-2024.4.16-cp312-cp312-musllinux_1_1_x86_64.whl", hash = "sha256:370c68dc5570b394cbaadff50e64d705f64debed30573e5c313c360689b6aadc"},
+ {file = "regex-2024.4.16-cp312-cp312-win32.whl", hash = "sha256:904c883cf10a975b02ab3478bce652f0f5346a2c28d0a8521d97bb23c323cc8b"},
+ {file = "regex-2024.4.16-cp312-cp312-win_amd64.whl", hash = "sha256:785c071c982dce54d44ea0b79cd6dfafddeccdd98cfa5f7b86ef69b381b457d9"},
+ {file = "regex-2024.4.16-cp37-cp37m-macosx_10_9_x86_64.whl", hash = "sha256:e2f142b45c6fed48166faeb4303b4b58c9fcd827da63f4cf0a123c3480ae11fb"},
+ {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e87ab229332ceb127a165612d839ab87795972102cb9830e5f12b8c9a5c1b508"},
+ {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:81500ed5af2090b4a9157a59dbc89873a25c33db1bb9a8cf123837dcc9765047"},
+ {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:b340cccad138ecb363324aa26893963dcabb02bb25e440ebdf42e30963f1a4e0"},
+ {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:2c72608e70f053643437bd2be0608f7f1c46d4022e4104d76826f0839199347a"},
+ {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:a01fe2305e6232ef3e8f40bfc0f0f3a04def9aab514910fa4203bafbc0bb4682"},
+ {file = "regex-2024.4.16-cp37-cp37m-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:03576e3a423d19dda13e55598f0fd507b5d660d42c51b02df4e0d97824fdcae3"},
+ {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_aarch64.whl", hash = "sha256:549c3584993772e25f02d0656ac48abdda73169fe347263948cf2b1cead622f3"},
+ {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_i686.whl", hash = "sha256:34422d5a69a60b7e9a07a690094e824b66f5ddc662a5fc600d65b7c174a05f04"},
+ {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_ppc64le.whl", hash = "sha256:5f580c651a72b75c39e311343fe6875d6f58cf51c471a97f15a938d9fe4e0d37"},
+ {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_s390x.whl", hash = "sha256:3399dd8a7495bbb2bacd59b84840eef9057826c664472e86c91d675d007137f5"},
+ {file = "regex-2024.4.16-cp37-cp37m-musllinux_1_1_x86_64.whl", hash = "sha256:8d1f86f3f4e2388aa3310b50694ac44daefbd1681def26b4519bd050a398dc5a"},
+ {file = "regex-2024.4.16-cp37-cp37m-win32.whl", hash = "sha256:dd5acc0a7d38fdc7a3a6fd3ad14c880819008ecb3379626e56b163165162cc46"},
+ {file = "regex-2024.4.16-cp37-cp37m-win_amd64.whl", hash = "sha256:ba8122e3bb94ecda29a8de4cf889f600171424ea586847aa92c334772d200331"},
+ {file = "regex-2024.4.16-cp38-cp38-macosx_10_9_universal2.whl", hash = "sha256:743deffdf3b3481da32e8a96887e2aa945ec6685af1cfe2bcc292638c9ba2f48"},
+ {file = "regex-2024.4.16-cp38-cp38-macosx_10_9_x86_64.whl", hash = "sha256:7571f19f4a3fd00af9341c7801d1ad1967fc9c3f5e62402683047e7166b9f2b4"},
+ {file = "regex-2024.4.16-cp38-cp38-macosx_11_0_arm64.whl", hash = "sha256:df79012ebf6f4efb8d307b1328226aef24ca446b3ff8d0e30202d7ebcb977a8c"},
+ {file = "regex-2024.4.16-cp38-cp38-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:e757d475953269fbf4b441207bb7dbdd1c43180711b6208e129b637792ac0b93"},
+ {file = "regex-2024.4.16-cp38-cp38-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:4313ab9bf6a81206c8ac28fdfcddc0435299dc88cad12cc6305fd0e78b81f9e4"},
+ {file = "regex-2024.4.16-cp38-cp38-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:d83c2bc678453646f1a18f8db1e927a2d3f4935031b9ad8a76e56760461105dd"},
+ {file = "regex-2024.4.16-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:9df1bfef97db938469ef0a7354b2d591a2d438bc497b2c489471bec0e6baf7c4"},
+ {file = "regex-2024.4.16-cp38-cp38-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:62120ed0de69b3649cc68e2965376048793f466c5a6c4370fb27c16c1beac22d"},
+ {file = "regex-2024.4.16-cp38-cp38-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:c2ef6f7990b6e8758fe48ad08f7e2f66c8f11dc66e24093304b87cae9037bb4a"},
+ {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_aarch64.whl", hash = "sha256:8fc6976a3395fe4d1fbeb984adaa8ec652a1e12f36b56ec8c236e5117b585427"},
+ {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_i686.whl", hash = "sha256:03e68f44340528111067cecf12721c3df4811c67268b897fbe695c95f860ac42"},
+ {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_ppc64le.whl", hash = "sha256:ec7e0043b91115f427998febaa2beb82c82df708168b35ece3accb610b91fac1"},
+ {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_s390x.whl", hash = "sha256:c21fc21a4c7480479d12fd8e679b699f744f76bb05f53a1d14182b31f55aac76"},
+ {file = "regex-2024.4.16-cp38-cp38-musllinux_1_1_x86_64.whl", hash = "sha256:12f6a3f2f58bb7344751919a1876ee1b976fe08b9ffccb4bbea66f26af6017b9"},
+ {file = "regex-2024.4.16-cp38-cp38-win32.whl", hash = "sha256:479595a4fbe9ed8f8f72c59717e8cf222da2e4c07b6ae5b65411e6302af9708e"},
+ {file = "regex-2024.4.16-cp38-cp38-win_amd64.whl", hash = "sha256:0534b034fba6101611968fae8e856c1698da97ce2efb5c2b895fc8b9e23a5834"},
+ {file = "regex-2024.4.16-cp39-cp39-macosx_10_9_universal2.whl", hash = "sha256:a7ccdd1c4a3472a7533b0a7aa9ee34c9a2bef859ba86deec07aff2ad7e0c3b94"},
+ {file = "regex-2024.4.16-cp39-cp39-macosx_10_9_x86_64.whl", hash = "sha256:6f2f017c5be19984fbbf55f8af6caba25e62c71293213f044da3ada7091a4455"},
+ {file = "regex-2024.4.16-cp39-cp39-macosx_11_0_arm64.whl", hash = "sha256:803b8905b52de78b173d3c1e83df0efb929621e7b7c5766c0843704d5332682f"},
+ {file = "regex-2024.4.16-cp39-cp39-manylinux_2_17_aarch64.manylinux2014_aarch64.whl", hash = "sha256:684008ec44ad275832a5a152f6e764bbe1914bea10968017b6feaecdad5736e0"},
+ {file = "regex-2024.4.16-cp39-cp39-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl", hash = "sha256:65436dce9fdc0aeeb0a0effe0839cb3d6a05f45aa45a4d9f9c60989beca78b9c"},
+ {file = "regex-2024.4.16-cp39-cp39-manylinux_2_17_s390x.manylinux2014_s390x.whl", hash = "sha256:ea355eb43b11764cf799dda62c658c4d2fdb16af41f59bb1ccfec517b60bcb07"},
+ {file = "regex-2024.4.16-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl", hash = "sha256:98c1165f3809ce7774f05cb74e5408cd3aa93ee8573ae959a97a53db3ca3180d"},
+ {file = "regex-2024.4.16-cp39-cp39-manylinux_2_5_i686.manylinux1_i686.manylinux_2_17_i686.manylinux2014_i686.whl", hash = "sha256:cccc79a9be9b64c881f18305a7c715ba199e471a3973faeb7ba84172abb3f317"},
+ {file = "regex-2024.4.16-cp39-cp39-manylinux_2_5_x86_64.manylinux1_x86_64.manylinux_2_12_x86_64.manylinux2010_x86_64.whl", hash = "sha256:00169caa125f35d1bca6045d65a662af0202704489fada95346cfa092ec23f39"},
+ {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_aarch64.whl", hash = "sha256:6cc38067209354e16c5609b66285af17a2863a47585bcf75285cab33d4c3b8df"},
+ {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_i686.whl", hash = "sha256:23cff1b267038501b179ccbbd74a821ac4a7192a1852d1d558e562b507d46013"},
+ {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_ppc64le.whl", hash = "sha256:b9d320b3bf82a39f248769fc7f188e00f93526cc0fe739cfa197868633d44701"},
+ {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_s390x.whl", hash = "sha256:89ec7f2c08937421bbbb8b48c54096fa4f88347946d4747021ad85f1b3021b3c"},
+ {file = "regex-2024.4.16-cp39-cp39-musllinux_1_1_x86_64.whl", hash = "sha256:4918fd5f8b43aa7ec031e0fef1ee02deb80b6afd49c85f0790be1dc4ce34cb50"},
+ {file = "regex-2024.4.16-cp39-cp39-win32.whl", hash = "sha256:684e52023aec43bdf0250e843e1fdd6febbe831bd9d52da72333fa201aaa2335"},
+ {file = "regex-2024.4.16-cp39-cp39-win_amd64.whl", hash = "sha256:e697e1c0238133589e00c244a8b676bc2cfc3ab4961318d902040d099fec7483"},
+ {file = "regex-2024.4.16.tar.gz", hash = "sha256:fa454d26f2e87ad661c4f0c5a5fe4cf6aab1e307d1b94f16ffdfcb089ba685c0"},
]
[[package]]
@@ -7077,4 +7075,4 @@ weaviate = ["weaviate-client"]
[metadata]
lock-version = "2.0"
python-versions = ">=3.9.0,<3.12"
-content-hash = "a541095d5a95b5c55b467df9a62e088d9276933af6372cd6e3b51fbaafcdd0e6"
+content-hash = "deea0ca0fe759aabe96f616f95cf647714d970873466cfa8ae942f158b3423d0"
diff --git a/pyproject.toml b/pyproject.toml
index 62c79dafd..4398b289e 100644
--- a/pyproject.toml
+++ b/pyproject.toml
@@ -57,10 +57,10 @@ xmltodict = "^0.13.0"
neo4j = "^5.18.0"
jinja2 = "^3.1.3"
matplotlib = "^3.8.3"
-dspy = { git = "https://github.com/Vasilije1990/dspy.git", branch = "main" }
nest-asyncio = "^1.6.0"
structlog = "^24.1.0"
tiktoken = "^0.6.0"
+dspy-ai = "2.4.3"
[tool.poetry.extras]