Scenarios

A Scenario is a dictionary containing a key/value pair that is used to add data or content to questions in a survey, replacing a parameter in a question with a specific value. A ScenarioList is a list of Scenario objects.

Purpose

Scenarios allow you create variations and versions of questions efficiently. For example, we could create a question “How much do you enjoy {{ activity }}?” and use scenarios to replace the parameter activity with running or reading or other activities. When we add the scenarios to the question, the question will be asked multiple times, once for each scenario, with the parameter replaced by the value in the scenario. This allows us to administer multiple versions of the question together in a survey, either asynchronously (by default) or according to Surveys rules that we can specify (e.g., skip/stop logic), without having to create each question manually.

Metadata

Scenarios are also a convenient way to keep track of metadata or other information relating to our survey questions that is important to our analysis of the results. For example, say we are using scenarios to parameterize questions with pieces of {{ content }} from a dataset. In our scenarios for the content parameter, we could also include metadata about the source of the content, such as the {{ author }}, the {{ publication_date }}, or the {{ source }}. This will create columns for the additional data in the survey results without passing them to the question texts if there is no corresponding parameter in the question texts. This allows us to analyze the responses in the context of the metadata without needing to match up the data with the metadata post-survey.

Constructing a Scenario

To use a scenario, we start by creating a question that takes a parameter in double braces:

from edsl import QuestionMultipleChoice

q = QuestionMultipleChoice(
    question_name = "enjoy",
    question_text = "How much do you enjoy {{ activity }}?",
    question_options = ["Not at all", "Somewhat", "Very much"]
)

Next we create a dictionary for a value that will replace the parameter and store it in a Scenario object:

from edsl import Scenario

scenario = Scenario({"activity": "running"})

We can inspect the scenario and see that it consists of the key/value pair that we created:

scenario

This will return:

{
    "activity": "running"
}

ScenarioList

If multiple values will be used, we can create a list of Scenario objects:

scenarios = [Scenario({"activity": a}) for a in ["running", "reading"]]

We can inspect the scenarios:

scenarios

This will return:

[Scenario({'activity': 'running'}), Scenario({'activity': 'reading'})]

We can also create a ScenarioList object to store multiple scenarios:

from edsl import ScenarioList

scenariolist = ScenarioList([Scenario({"activity": a}) for a in ["running", "reading"]])

We can inspect it:

scenariolist

This will return:

{
    "scenarios": [
        {
            "activity": "running"
        },
        {
            "activity": "reading"
        }
    ]
}

A list of scenarios is used in the same way as a ScenarioList. The difference is that a ScenarioList is a class that can be used to create a list of scenarios from a variety of data sources, such as a list, dictionary, or a Wikipedia table (see examples below).

Using f-strings with scenarios

It is possible to use scenarios and f-strings together in a question. An f-string must be evaluated when a question is constructed, whereas a scenario is evaluated when a question is run.

For example, here we use an f-string to create different versions of a question that also takes a parameter {{ activity }}, together with a list of scenarios to replace the parameter when the questions are run. We optionally include the f-string in the question name as well as the question text in order to simultaneously create unique identifiers for the questions, which are needed in order to pass the questions that are created to a Survey. Then we use the show_prompts() method to examine the user prompts that are created when the scenarios are added to the questions:

from edsl import QuestionFreeText, ScenarioList, Scenario, Survey

questions = []
sentiments = ["enjoy", "hate", "love"]

for sentiment in sentiments:
    q = QuestionFreeText(
        question_name = f"{ sentiment }_activity",
        question_text = f"How much do you { sentiment } {{ activity }}?"
    )
    questions.append(q)

scenarios = ScenarioList(
    Scenario({"activity": activity}) for activity in ["running", "reading"]
)

survey = Survey(questions = questions)
survey.by(scenarios).show_prompts()

This will print the questions created with the f-string with the scenarios added (not that the system prompts are blank because we have not created any agents):

┏━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━┓
┃ user_prompt                    ┃ system_prompt ┃
┡━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━┩
│ How much do you enjoy running? │               │
├────────────────────────────────┼───────────────┤
│ How much do you hate running?  │               │
├────────────────────────────────┼───────────────┤
│ How much do you love running?  │               │
├────────────────────────────────┼───────────────┤
│ How much do you enjoy reading? │               │
├────────────────────────────────┼───────────────┤
│ How much do you hate reading?  │               │
├────────────────────────────────┼───────────────┤
│ How much do you love reading?  │               │
└────────────────────────────────┴───────────────┘

To learn more about prompts, please see the Prompts section.

Using a Scenario

We use a scenario (or scenariolist) by adding it to a question (or a survey of questions), either when constructing the question or else when running it.

We use the by() method to add a scenario to a question when running it:

from edsl import QuestionMultipleChoice, Scenario, Agent

q = QuestionMultipleChoice(
    question_name = "enjoy",
    question_text = "How much do you enjoy {{ activity }}?",
    question_options = ["Not at all", "Somewhat", "Very much"]
)

s = Scenario({"activity": "running"})

a = Agent(traits = {"persona":"You are a human."})

results = q.by(s).by(a).run()

We can check the results to verify that the scenario has been used correctly:

results.select("activity", "enjoy").print(format="rich")

This will print a table of the selected components of the results:

┏━━━━━━━━━━━┳━━━━━━━━━━┓
┃ scenario  ┃ answer   ┃
┃ .activity ┃ .enjoy   ┃
┡━━━━━━━━━━━╇━━━━━━━━━━┩
│ running   │ Somewhat │
└───────────┴──────────┘

Looping

We use the loop() method to add a scenario to a question when constructing it, passing it a ScenarioList. This creates a list containing a new question for each scenario that was passed. Note that we can optionally include the scenario key in the question name as well; otherwise a unique identifies is automatically added to each question name.

For example:

from edsl import QuestionMultipleChoice, ScenarioList, Scenario

q = QuestionMultipleChoice(
    question_name = "enjoy_{{ activity }}",
    question_text = "How much do you enjoy {{ activity }}?",
    question_options = ["Not at all", "Somewhat", "Very much"]
)

sl = ScenarioList(
    Scenario({"activity": a}) for a in ["running", "reading"]
)

questions = q.loop(sl)

We can inspect the questions to see that they have been created correctly:

questions

This will return:

[Question('multiple_choice', question_name = """enjoy_running""", question_text = """How much do you enjoy running?""", question_options = ['Not at all', 'Somewhat', 'Very much']),
Question('multiple_choice', question_name = """enjoy_reading""", question_text = """How much do you enjoy reading?""", question_options = ['Not at all', 'Somewhat', 'Very much'])]

We can pass the questions to a survey and run it:

from edsl import Survey, Agent

survey = Survey(questions = questions)

a = Agent(traits = {"persona": "You are a human."})

results = survey.by(a).run()

results.select("answer.*").print(format="rich")

This will print a table of the response for each question (note that “activity” is no longer in a separate scenario field):

┏━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━┓
┃ answer         ┃ answer         ┃
┃ .enjoy_reading ┃ .enjoy_running ┃
┡━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━┩
│ Very much      │ Somewhat       │
└────────────────┴────────────────┘

Multiple parameters

We can also create a Scenario for multiple parameters:

from edsl import QuestionFreeText

q = QuestionFreeText(
    question_name = "counting",
    question_text = "How many {{ unit }} are in a {{ distance }}?",
)

scenario = Scenario({"unit": "inches", "distance": "mile"})

results = q.by(scenario).run()

results.select("unit", "distance", "counting").print(format="rich")

This will print a table of the selected components of the results:

┏━━━━━━━━━━┳━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃ scenario ┃ scenario  ┃ answer                             ┃
┃ .unit    ┃ .distance ┃ .counting                          ┃
┡━━━━━━━━━━╇━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ inches   │ mile      │ There are 63,360 inches in a mile. │
└──────────┴───────────┴────────────────────────────────────┘

To learn more about constructing surveys, please see the Surveys module.

Scenarios for question options

In the above examples we created scenarios in the question_text. We can also create a Scenario for question_options, e.g., in a multiple choice, checkbox, linear scale or other question type that requires them:

from edsl import QuestionMultipleChoice, Scenario

q = QuestionMultipleChoice(
    question_name = "capital_of_france",
    question_text = "What is the capital of France?",
    question_options = "{{ question_options }}"
)

s = Scenario({'question_options': ['Paris', 'London', 'Berlin', 'Madrid']})

results = q.by(s).run()

results.select("answer.*").print(format="rich")

Output:

┏━━━━━━━━━━━━━━━━━━━━┓
┃ answer             ┃
┃ .capital_of_france ┃
┡━━━━━━━━━━━━━━━━━━━━┩
│ Paris              │
└────────────────────┘

Combining Scenarios

We can combine multiple scenarios into a single Scenario object:

from edsl import Scenario

scenario1 = Scenario({"food": "apple"})
scenario2 = Scenario({"drink": "water"})

combined_scenario = scenario1 + scenario2

combined_scenario

This will return:

{
    "food": "apple",
    "drink": "water"
}

We can also combine ScenarioList objects:

from edsl import ScenarioList

scenariolist1 = ScenarioList([Scenario({"food": "apple"}), Scenario({"drink": "water"})])
scenariolist2 = ScenarioList([Scenario({"color": "red"}), Scenario({"shape": "circle"})])

combined_scenariolist = scenariolist1 + scenariolist2

combined_scenariolist

This will return:

{
    "scenarios": [
        {
            "food": "apple"
        },
        {
            "drink": "water"
        },
        {
            "color": "red"
        },
        {
            "shape": "circle"
        }
    ]
}

We can create a cross product of ScenarioList objects (combine the scenarios in each list with each other):

from edsl import ScenarioList

scenariolist1 = ScenarioList([Scenario({"food": "apple"}), Scenario({"drink": "water"})])
scenariolist2 = ScenarioList([Scenario({"color": "red"}), Scenario({"shape": "circle"})])

cross_product_scenariolist = scenariolist1 * scenariolist2

cross_product_scenariolist

This will return:

{
    "scenarios": [
        {
            "food": "apple",
            "color": "red"
        },
        {
            "food": "apple",
            "shape": "circle"
        },
        {
            "drink": "water",
            "color": "red"
        },
        {
            "drink": "water",
            "shape": "circle"
        }
    ]
}

Creating scenarios from a dataset

There are a variety of methods for creating and working with scenarios generated from datasets and different data types.

Turning results into scenarios

The method to_scenario_list() can be used to turn the results of a survey into a list of scenarios.

Example usage:

Say we have some results from a survey where we asked agents to choose a random number between 1 and 1000:

from edsl import QuestionNumerical, Agent

q_random = QuestionNumerical(
    question_name = "random",
    question_text = "Choose a random number between 1 and 1000."
)

agents = [Agent({"persona":p}) for p in ["Child", "Magician", "Olympic breakdancer"]]

results = q_random.by(agents).run()
results.select("persona", "random").print(format="rich")

Our results are:

┏━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━┓
┃ agent               ┃ answer  ┃
┃ .persona            ┃ .random ┃
┡━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━┩
│ Child               │ 7       │
├─────────────────────┼─────────┤
│ Magician            │ 472     │
├─────────────────────┼─────────┤
│ Olympic breakdancer │ 529     │
└─────────────────────┴─────────┘

We can use the to_scenario_list() method turn components of the results into a list of scenarios to use in a new survey:

scenarios = results.select("persona", "random").to_scenario_list() # excluding other columns of the results

scenarios

We can inspect the scenarios to see that they have been created correctly:

{
    "scenarios": [
        {
            "persona": "Child",
            "random": 7
        },
        {
            "persona": "Magician",
            "random": 472
        },
        {
            "persona": "Olympic breakdancer",
            "random": 529
        }
    ]
}

PDFs as textual scenarios

The ScenarioList method from_pdf(‘path/to/pdf’) is a convenient way to extract information from large files. It allows you to read in a PDF and automatically create a list of textual scenarios for the pages of the file. Each scenario has the following keys: filename, page, text which can be used as a parameter in a question (or stored as metadat), and renamed as desired.

How it works: Add a placeholder {{ text }} to a question text to use the text of a PDF page as a parameter in the question. When you run the survey with the PDF scenarios, the text of each page will be inserted into the question text in place of the placeholder.

Example usage:

from edsl import QuestionFreeText, ScenarioList, Survey

# Create a survey of questions parameterized by the {{ text }} of the PDF pages:
q1 = QuestionFreeText(
    question_name = "themes",
    question_text = "Identify the key themes mentioned on this page: {{ text }}",
)

q2 = QuestionFreeText(
    question_name = "idea",
    question_text = "Identify the most important idea on this page: {{ text }}",
)

survey = Survey([q1, q2])

scenarios = ScenarioList.from_pdf("path/to/pdf_file.pdf")

# Run the survey with the pages of the PDF as scenarios:
results = survey.by(scenarios).run()

# To print the page and text of each PDF page scenario together with the answers to the question:
results.select("page", "text", "answer.*").print(format="rich")

See a demo notebook of this method in the notebooks section of the docs index: “Extracting information from PDFs”.

Image scenarios

The Scenario method from_image(‘<filepath>.png’) converts a PNG into into a scenario that can be used with an image model (e.g., gpt-4o). This method generates a scenario with a single key - <filepath> - that can be used in a question text the same as scenarios from other data sources.

Example usage:

from edsl import Scenario

s = Scenario.from_image("logo.png") # Replace with your own local file

Here we use the example scenario, which is the Expected Parrot logo:

from edsl import Scenario

s = Scenario.example(has_image = True)

We can verify the scenario key (the filepath for the image from which the scenario was generated):

s.keys()

Output:

['logo']

We can add the key to questions as we do scenarios from other data sources:

from edsl import Model, QuestionFreeText, QuestionList, Survey

m = Model("gpt-4o")

q1 = QuestionFreeText(
    question_name = "identify",
    question_text = "What animal is in this picture: {{ logo }}" # The scenario key is the filepath
)

q2 = QuestionList(
    question_name = "colors",
    question_text = "What colors do you see in this picture: {{ logo }}"
)

survey = Survey([q1, q2])

results = survey.by(s).run()

results.select("logo", "identify", "colors").print(format="rich")

Output using the Expected Parrot logo:

┏━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃ answer                                                   ┃ answer                                               ┃
┃ .identify                                                ┃ .colors                                              ┃
┡━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ The image shows a large letter "E" followed by a pair of │ ['gray', 'green', 'orange', 'pink', 'blue', 'black'] │
│ square brackets containing an illustration of a parrot.  │                                                      │
│ The parrot is green with a yellow beak and some red and  │                                                      │
│ blue coloring on its body. This combination suggests the │                                                      │
│ mathematical notation for the expected value, often      │                                                      │
│ denoted as "E" followed by a random variable in          │                                                      │
│ brackets, commonly used in probability and statistics.   │                                                      │
└──────────────────────────────────────────────────────────┴──────────────────────────────────────────────────────┘

See an example of this method in the notebooks section of the docs index: Using images in a survey.

Creating a scenario list from a list

The ScenarioList method from_list() creates a list of scenarios for a specified key and list of values that is passed to it.

Example usage:

from edsl import ScenarioList

scenariolist = ScenarioList.from_list("item", ["color", "food", "animal"])

scenariolist

This will return:

{
    "scenarios": [
        {
            "item": "color"
        },
        {
            "item": "food"
        },
        {
            "item": "animal"
        }
    ]
}

Creating a scenario list from a dictionary

The Scenario method from_dict() creates a scenario for a dictionary that is passed to it.

The ScenarioList method from_nested_dict() creates a list of scenarios for a specified key and nested dictionary.

Example usage:

# Example dictionary
d = {"item": ["color", "food", "animal"]}


from edsl import Scenario

scenario = Scenario.from_dict(d)

scenario

This will return a single scenario for the list of items in the dict:

{
    "item": [
        "color",
        "food",
        "animal"
    ]
}

If we instead want to create a scenario for each item in the list individually:

from edsl import ScenarioList

scenariolist = ScenarioList.from_nested_dict(d)

scenariolist

This will return:

{
    "scenarios": [
        {
            "item": "color"
        },
        {
            "item": "food"
        },
        {
            "item": "animal"
        }
    ]
}

Creating a scenario list from a Wikipedia table

The ScenarioList method from_wikipedia_table(‘url’) can be used to create a list of scenarios from a Wikipedia table.

Example usage:

from edsl import ScenarioList

scenarios = ScenarioList.from_wikipedia("https://en.wikipedia.org/wiki/1990s_in_film", 3)

scenarios.print(format="rich")

This will return a list of scenarios for the first table on the Wikipedia page:

┏━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━┳━━━━━━┳━━━━━┓
┃      ┃                                     ┃                                     ┃                 ┃      ┃ Ref ┃
┃ Rank ┃ Title                               ┃ Studios                             ┃ Worldwide gross ┃ Year ┃ .   ┃
┡━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━╇━━━━━━╇━━━━━┩
│ 1    │ Titanic                             │ Paramount Pictures/20th Century Fox │ $1,843,201,268  │ 1997 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 2    │ Star Wars: Episode I - The Phantom  │ 20th Century Fox                    │ $924,317,558    │ 1999 │     │
│      │ Menace                              │                                     │                 │      │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 3    │ Jurassic Park                       │ Universal Pictures                  │ $914,691,118    │ 1993 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 4    │ Independence Day                    │ 20th Century Fox                    │ $817,400,891    │ 1996 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 5    │ The Lion King                       │ Walt Disney Studios                 │ $763,455,561    │ 1994 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 6    │ Forrest Gump                        │ Paramount Pictures                  │ $677,387,716    │ 1994 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 7    │ The Sixth Sense                     │ Walt Disney Studios                 │ $672,806,292    │ 1999 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 8    │ The Lost World: Jurassic Park       │ Universal Pictures                  │ $618,638,999    │ 1997 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 9    │ Men in Black                        │ Sony Pictures/Columbia Pictures     │ $589,390,539    │ 1997 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 10   │ Armageddon                          │ Walt Disney Studios                 │ $553,709,788    │ 1998 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 11   │ Terminator 2: Judgment Day          │ TriStar Pictures                    │ $519,843,345    │ 1991 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 12   │ Ghost                               │ Paramount Pictures                  │ $505,702,588    │ 1990 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 13   │ Aladdin                             │ Walt Disney Studios                 │ $504,050,219    │ 1992 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 14   │ Twister                             │ Warner Bros./Universal Pictures     │ $494,471,524    │ 1996 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 15   │ Toy Story 2                         │ Walt Disney Studios                 │ $485,015,179    │ 1999 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 16   │ Saving Private Ryan                 │ DreamWorks Pictures/Paramount       │ $481,840,909    │ 1998 │     │
│      │                                     │ Pictures                            │                 │      │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 17   │ Home Alone                          │ 20th Century Fox                    │ $476,684,675    │ 1990 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 18   │ The Matrix                          │ Warner Bros.                        │ $463,517,383    │ 1999 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 19   │ Pretty Woman                        │ Walt Disney Studios                 │ $463,406,268    │ 1990 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 20   │ Mission: Impossible                 │ Paramount Pictures                  │ $457,696,359    │ 1996 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 21   │ Tarzan                              │ Walt Disney Studios                 │ $448,191,819    │ 1999 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 22   │ Mrs. Doubtfire                      │ 20th Century Fox                    │ $441,286,195    │ 1993 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 23   │ Dances with Wolves                  │ Orion Pictures                      │ $424,208,848    │ 1990 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 24   │ The Mummy                           │ Universal Pictures                  │ $415,933,406    │ 1999 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 25   │ The Bodyguard                       │ Warner Bros.                        │ $411,006,740    │ 1992 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 26   │ Robin Hood: Prince of Thieves       │ Warner Bros.                        │ $390,493,908    │ 1991 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 27   │ Godzilla                            │ TriStar Pictures                    │ $379,014,294    │ 1998 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 28   │ True Lies                           │ 20th Century Fox                    │ $378,882,411    │ 1994 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 29   │ Toy Story                           │ Walt Disney Studios                 │ $373,554,033    │ 1995 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 30   │ There's Something About Mary        │ 20th Century Fox                    │ $369,884,651    │ 1998 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 31   │ The Fugitive                        │ Warner Bros.                        │ $368,875,760    │ 1993 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 32   │ Die Hard with a Vengeance           │ 20th Century Fox/Cinergi Pictures   │ $366,101,666    │ 1995 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 33   │ Notting Hill                        │ PolyGram Filmed Entertainment       │ $363,889,678    │ 1999 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 34   │ A Bug's Life                        │ Walt Disney Studios                 │ $363,398,565    │ 1998 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 35   │ The World Is Not Enough             │ Metro-Goldwyn-Mayer Pictures        │ $361,832,400    │ 1999 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 36   │ Home Alone 2: Lost in New York      │ 20th Century Fox                    │ $358,994,850    │ 1992 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 37   │ American Beauty                     │ DreamWorks Pictures                 │ $356,296,601    │ 1999 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 38   │ Apollo 13                           │ Universal Pictures/Imagine          │ $355,237,933    │ 1995 │     │
│      │                                     │ Entertainment                       │                 │      │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 39   │ Basic Instinct                      │ TriStar Pictures                    │ $352,927,224    │ 1992 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 40   │ GoldenEye                           │ MGM/United Artists                  │ $352,194,034    │ 1995 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 41   │ The Mask                            │ New Line Cinema                     │ $351,583,407    │ 1994 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 42   │ Speed                               │ 20th Century Fox                    │ $350,448,145    │ 1994 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 43   │ Deep Impact                         │ Paramount Pictures/DreamWorks       │ $349,464,664    │ 1998 │     │
│      │                                     │ Pictures                            │                 │      │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 44   │ Beauty and the Beast                │ Walt Disney Studios                 │ $346,317,207    │ 1991 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 45   │ Pocahontas                          │ Walt Disney Studios                 │ $346,079,773    │ 1995 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 46   │ The Flintstones                     │ Universal Pictures                  │ $341,631,208    │ 1994 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 47   │ Batman Forever                      │ Warner Bros.                        │ $336,529,144    │ 1995 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 48   │ The Rock                            │ Walt Disney Studios                 │ $335,062,621    │ 1996 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 49   │ Tomorrow Never Dies                 │ MGM/United Artists                  │ $333,011,068    │ 1997 │     │
├──────┼─────────────────────────────────────┼─────────────────────────────────────┼─────────────────┼──────┼─────┤
│ 50   │ Seven                               │ New Line Cinema                     │ $327,311,859    │ 1995 │     │
└──────┴─────────────────────────────────────┴─────────────────────────────────────┴─────────────────┴──────┴─────┘

The parameters let us know the keys that can be used in the question text or stored as metadata. (They can be edited as needed - e.g., using the rename method discussed above.)

scenarios.parameters

This will return:

{'Rank', 'Ref.', 'Studios', 'Title', 'Worldwide gross', 'Year'}

The scenarios can be used to ask questions about the data in the table:

from edsl import QuestionList

q_leads = QuestionList(
    question_name = "leads",
    question_text = "Who are the lead actors or actresses in {{ Title }}?"
)

results = q_leads.by(scenarios).run()

(
    results
    .sort_by("Title")
    .select("Title", "leads")
    .print(format="rich")
)

Output:

┏━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┓
┃ scenario                                  ┃ answer                                                              ┃
┃ .Title                                    ┃ .leads                                                              ┃
┡━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┩
│ A Bug's Life                              │ ['Dave Foley', 'Kevin Spacey', 'Julia Louis-Dreyfus', 'Hayden       │
│                                           │ Panettiere', 'Phyllis Diller', 'Richard Kind', 'David Hyde Pierce'] │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Aladdin                                   │ ['Mena Massoud', 'Naomi Scott', 'Will Smith']                       │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ American Beauty                           │ ['Kevin Spacey', 'Annette Bening', 'Thora Birch', 'Mena Suvari',    │
│                                           │ 'Wes Bentley', 'Chris Cooper']                                      │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Apollo 13                                 │ ['Tom Hanks', 'Kevin Bacon', 'Bill Paxton']                         │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Armageddon                                │ ['Bruce Willis', 'Billy Bob Thornton', 'Liv Tyler', 'Ben Affleck']  │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Basic Instinct                            │ ['Michael Douglas', 'Sharon Stone']                                 │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Batman Forever                            │ ['Val Kilmer', 'Tommy Lee Jones', 'Jim Carrey', 'Nicole Kidman',    │
│                                           │ "Chris O'Donnell"]                                                  │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Beauty and the Beast                      │ ['Emma Watson', 'Dan Stevens', 'Luke Evans', 'Kevin Kline', 'Josh   │
│                                           │ Gad']                                                               │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Dances with Wolves                        │ ['Kevin Costner', 'Mary McDonnell', 'Graham Greene', 'Rodney A.     │
│                                           │ Grant']                                                             │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Deep Impact                               │ ['Téa Leoni', 'Morgan Freeman', 'Elijah Wood', 'Robert Duvall']     │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Die Hard with a Vengeance                 │ ['Bruce Willis', 'Samuel L. Jackson', 'Jeremy Irons']               │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Forrest Gump                              │ ['Tom Hanks', 'Robin Wright', 'Gary Sinise', 'Mykelti Williamson',  │
│                                           │ 'Sally Field']                                                      │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Ghost                                     │ ['Patrick Swayze', 'Demi Moore', 'Whoopi Goldberg']                 │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Godzilla                                  │ ['Matthew Broderick', 'Jean Reno', 'Bryan Cranston', 'Aaron         │
│                                           │ Taylor-Johnson', 'Elizabeth Olsen', 'Kyle Chandler', 'Vera          │
│                                           │ Farmiga', 'Millie Bobby Brown']                                     │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ GoldenEye                                 │ ['Pierce Brosnan', 'Sean Bean', 'Izabella Scorupco', 'Famke         │
│                                           │ Janssen']                                                           │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Home Alone                                │ ['Macaulay Culkin', 'Joe Pesci', 'Daniel Stern', "Catherine         │
│                                           │ O'Hara", 'John Heard']                                              │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Home Alone 2: Lost in New York            │ ['Macaulay Culkin', 'Joe Pesci', 'Daniel Stern', "Catherine         │
│                                           │ O'Hara", 'John Heard']                                              │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Independence Day                          │ ['Will Smith', 'Bill Pullman', 'Jeff Goldblum']                     │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Jurassic Park                             │ ['Sam Neill', 'Laura Dern', 'Jeff Goldblum', 'Richard               │
│                                           │ Attenborough']                                                      │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Men in Black                              │ ['Tommy Lee Jones', 'Will Smith']                                   │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Mission: Impossible                       │ ['Tom Cruise', 'Ving Rhames', 'Simon Pegg', 'Rebecca Ferguson',     │
│                                           │ 'Jeremy Renner']                                                    │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Mrs. Doubtfire                            │ ['Robin Williams', 'Sally Field', 'Pierce Brosnan', 'Lisa Jakub',   │
│                                           │ 'Matthew Lawrence', 'Mara Wilson']                                  │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Notting Hill                              │ ['Julia Roberts', 'Hugh Grant']                                     │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Pocahontas                                │ ['Irene Bedard', 'Mel Gibson', 'Judy Kuhn', 'David Ogden Stiers',   │
│                                           │ 'Russell Means', 'Christian Bale']                                  │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Pretty Woman                              │ ['Richard Gere', 'Julia Roberts']                                   │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Robin Hood: Prince of Thieves             │ ['Kevin Costner', 'Morgan Freeman', 'Mary Elizabeth Mastrantonio',  │
│                                           │ 'Christian Slater', 'Alan Rickman']                                 │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Saving Private Ryan                       │ ['Tom Hanks', 'Matt Damon', 'Tom Sizemore', 'Edward Burns', 'Barry  │
│                                           │ Pepper', 'Adam Goldberg', 'Vin Diesel', 'Giovanni Ribisi', 'Jeremy  │
│                                           │ Davies']                                                            │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Seven                                     │ ['Brad Pitt', 'Morgan Freeman', 'Gwyneth Paltrow']                  │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Speed                                     │ ['Keanu Reeves', 'Sandra Bullock', 'Dennis Hopper']                 │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Star Wars: Episode I - The Phantom Menace │ ['Liam Neeson', 'Ewan McGregor', 'Natalie Portman', 'Jake Lloyd']   │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Tarzan                                    │ ['Johnny Weissmuller', "Maureen O'Sullivan"]                        │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Terminator 2: Judgment Day                │ ['Arnold Schwarzenegger', 'Linda Hamilton', 'Edward Furlong',       │
│                                           │ 'Robert Patrick']                                                   │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Bodyguard                             │ ['Kevin Costner', 'Whitney Houston']                                │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Flintstones                           │ ['John Goodman', 'Elizabeth Perkins', 'Rick Moranis', "Rosie        │
│                                           │ O'Donnell"]                                                         │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Fugitive                              │ ['Harrison Ford', 'Tommy Lee Jones']                                │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Lion King                             │ ['Matthew Broderick', 'James Earl Jones', 'Jeremy Irons', 'Moira    │
│                                           │ Kelly', 'Nathan Lane', 'Ernie Sabella', 'Rowan Atkinson', 'Whoopi   │
│                                           │ Goldberg']                                                          │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Lost World: Jurassic Park             │ ['Jeff Goldblum', 'Julianne Moore', 'Pete Postlethwaite']           │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Mask                                  │ ['Jim Carrey', 'Cameron Diaz']                                      │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Matrix                                │ ['Keanu Reeves', 'Laurence Fishburne', 'Carrie-Anne Moss']          │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Mummy                                 │ ['Brendan Fraser', 'Rachel Weisz', 'John Hannah', 'Arnold Vosloo']  │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Rock                                  │ ['Sean Connery', 'Nicolas Cage', 'Ed Harris']                       │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The Sixth Sense                           │ ['Bruce Willis', 'Haley Joel Osment', 'Toni Collette', 'Olivia      │
│                                           │ Williams']                                                          │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ The World Is Not Enough                   │ ['Pierce Brosnan', 'Sophie Marceau', 'Denise Richards', 'Robert     │
│                                           │ Carlyle']                                                           │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ There's Something About Mary              │ ['Cameron Diaz', 'Ben Stiller', 'Matt Dillon']                      │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Titanic                                   │ ['Leonardo DiCaprio', 'Kate Winslet']                               │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Tomorrow Never Dies                       │ ['Pierce Brosnan', 'Michelle Yeoh', 'Jonathan Pryce', 'Teri         │
│                                           │ Hatcher']                                                           │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Toy Story                                 │ ['Tom Hanks', 'Tim Allen']                                          │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Toy Story 2                               │ ['Tom Hanks', 'Tim Allen', 'Joan Cusack']                           │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ True Lies                                 │ ['Arnold Schwarzenegger', 'Jamie Lee Curtis']                       │
├───────────────────────────────────────────┼─────────────────────────────────────────────────────────────────────┤
│ Twister                                   │ ['Helen Hunt', 'Bill Paxton']                                       │
└───────────────────────────────────────────┴─────────────────────────────────────────────────────────────────────┘

Creating a scenario list from a CSV

The ScenarioList method from_csv(‘<filepath>.csv’) creates a list of scenarios from a CSV file. The method reads the CSV file and creates a scenario for each row in the file, with the keys as the column names and the values as the row values.

For example, say we have a CSV file containing the following data:

message,user,source,date
I can't log in...,Alice,Customer support,2022-01-01
I need help with my bill...,Bob,Phone,2022-01-02
I have a safety concern...,Charlie,Email,2022-01-03
I need help with a product...,David,Chat,2022-01-04

We can create a list of scenarios from the CSV file:

from edsl import ScenarioList

scenariolist = ScenarioList.from_csv("<filepath>.csv")

scenariolist

This will return a scenario for each row:

{
    "scenarios": [
        {
            "message": "I can't log in...",
            "user": "Alice",
            "source": "Customer support",
            "date": "2022-01-01"
        },
        {
            "message": "I need help with my bill...",
            "user": "Bob",
            "source": "Phone",
            "date": "2022-01-02"
        },
        {
            "message": "I have a safety concern...",
            "user": "Charlie",
            "source": "Email",
            "date": "2022-01-03"
        },
        {
            "message": "I need help with a product...",
            "user": "David",
            "source": "Chat",
            "date": "2022-01-04"
        }
    ]
}

If the scenario keys are not valid Python identifiers, we can use the give_valid_names() method to convert them to valid identifiers.

For example, our CSV file might contain a header row that is question texts:

"What is the message?","Who is the user?","What is the source?","What is the date?"
"I can't log in...","Alice","Customer support","2022-01-01"
"I need help with my bill...","Bob","Phone","2022-01-02"
"I have a safety concern...","Charlie","Email","2022-01-03"
"I need help with a product...","David","Chat","2022-01-04"

We can create a list of scenarios from the CSV file:

from edsl import ScenarioList

scenariolist = ScenarioList.from_csv("<filepath>.csv")

scenariolist = scenariolist.give_valid_names()

scenariolist

This will return scenarios with non-Pythonic identifiers:

{
    "scenarios": [
        {
            "What is the message?": "I can't log in...",
            "Who is the user?": "Alice",
            "What is the source?": "Customer support",
            "What is the date?": "2022-01-01"
        },
        {
            "What is the message?": "I need help with my bill...",
            "Who is the user?": "Bob",
            "What is the source?": "Phone",
            "What is the date?": "2022-01-02"
        },
        {
            "What is the message?": "I have a safety concern...",
            "Who is the user?": "Charlie",
            "What is the source?": "Email",
            "What is the date?": "2022-01-03"
        },
        {
            "What is the message?": "I need help with a product...",
            "Who is the user?": "David",
            "What is the source?": "Chat",
            "What is the date?": "2022-01-04"
        }
    ]
}

We can then use the give_valid_names() method to convert the keys to valid identifiers:

scenariolist.give_valid_names()

scenariolist

This will return scenarios with valid identifiers (removing stop words and using underscores):

{
    "scenarios": [
        {
            "message": "I can't log in...",
            "user": "Alice",
            "source": "Customer support",
            "date": "2022-01-01"
        },
        {
            "message": "I need help with my bill...",
            "user": "Bob",
            "source": "Phone",
            "date": "2022-01-02"
        },
        {
            "message": "I have a safety concern...",
            "user": "Charlie",
            "source": "Email",
            "date": "2022-01-03"
        },
        {
            "message": "I need help with a product...",
            "user": "David",
            "source": "Chat",
            "date": "2022-01-04"
        }
    ]
}

Methods for un/pivoting and grouping scenarios

There are a variety of methods for modifying scenarios and scenario lists.

Unpivoting a scenario list

The ScenarioList method unpivot() can be used to unpivot a scenario list based on one or more specified identifiers. It takes a list of id_vars which are the names of the key/value pairs to keep in each new scenario, and a list of value_vars which are the names of the key/value pairs to unpivot.

For example, say we have a scenario list for the above CSV file:

from edsl import ScenarioList

scenariolist = ScenarioList.from_csv("<filepath>.csv")

scenariolist

We can call the unpivot the scenario list:

scenariolist.unpivot(id_vars = ["user"], value_vars = ["source", "date", "message"])

scenariolist

This will return a list of scenarios with the source, date, and message key/value pairs unpivoted:

{
    "scenarios": [
        {
            "user": "Alice",
            "variable": "source",
            "value": "Customer support"
        },
        {
            "user": "Alice",
            "variable": "date",
            "value": "2022-01-01"
        },
        {
            "user": "Alice",
            "variable": "message",
            "value": "I can't log in..."
        },
        {
            "user": "Bob",
            "variable": "source",
            "value": "Phone"
        },
        {
            "user": "Bob",
            "variable": "date",
            "value": "2022-01-02"
        },
        {
            "user": "Bob",
            "variable": "message",
            "value": "I need help with my bill..."
        },
        {
            "user": "Charlie",
            "variable": "source",
            "value": "Email"
        },
        {
            "user": "Charlie",
            "variable": "date",
            "value": "2022-01-03"
        },
        {
            "user": "Charlie",
            "variable": "message",
            "value": "I have a safety concern..."
        },
        {
            "user": "David",
            "variable": "source",
            "value": "Chat"
        },
        {
            "user": "David",
            "variable": "date",
            "value": "2022-01-04"
        },
        {
            "user": "David",
            "variable": "message",
            "value": "I need help with a product..."
        }
    ]
}

Pivoting a scenario list

We can call the pivot() method to reverse the unpivot operation:

scenariolist.pivot(id_vars = ["user"], var_name="variable", value_name="value")

scenariolist

This will return a list of scenarios with the source, date, and message key/value pairs pivoted back to their original form:

{
    "scenarios": [
        {
            "user": "Alice",
            "source": "Customer support",
            "date": "2022-01-01",
            "message": "I can't log in..."
        },
        {
            "user": "Bob",
            "source": "Phone",
            "date": "2022-01-02",
            "message": "I need help with my bill..."
        },
        {
            "user": "Charlie",
            "source": "Email",
            "date": "2022-01-03",
            "message": "I have a safety concern..."
        },
        {
            "user": "David",
            "source": "Chat",
            "date": "2022-01-04",
            "message": "I need help with a product..."
        }
    ]
}

Grouping scenarios

The group_by() method can be used to group scenarios by one or more specified keys and apply a function to the values of the specified variables.

Example usage:

from edsl import ScenarioList

def avg_sum(a, b):
    return {'avg_a': sum(a) / len(a), 'sum_b': sum(b)}

scenariolist = ScenarioList([
    Scenario({'group': 'A', 'year': 2020, 'a': 10, 'b': 20}),
    Scenario({'group': 'A', 'year': 2021, 'a': 15, 'b': 25}),
    Scenario({'group': 'B', 'year': 2020, 'a': 12, 'b': 22}),
    Scenario({'group': 'B', 'year': 2021, 'a': 17, 'b': 27})
])

scenariolist.group_by(id_vars=['group'], variables=['a', 'b'], func=avg_sum)

This will return a list of scenarios with the a and b key/value pairs grouped by the group key and the avg_a and sum_b key/value pairs calculated by the avg_sum function:

{
    "scenarios": [
        {
            "group": "A",
            "avg_a": 12.5,
            "sum_b": 45
        },
        {
            "group": "B",
            "avg_a": 14.5,
            "sum_b": 49
        }
    ]
}

Data labeling tasks

Scenarios are particularly useful for conducting data labeling or data coding tasks, where the task can be designed as a survey of questions about each piece of data in a dataset.

For example, say we have a dataset of text messages that we want to sort by topic. We can perform this task by using a language model to answer questions such as “What is the primary topic of this message: {{ message }}?” or “Does this message mention a safety issue? {{ message }}”, where each text message is inserted in the message placeholder of the question text.

Here we use scenarios to conduct the task:

from edsl import QuestionMultipleChoice, Survey, Scenario

# Create a question with that takes a parameter
q1 = QuestionMultipleChoice(
    question_name = "topic",
    question_text = "What is the topic of this message: {{ message }}?",
    question_options = ["Safety", "Product support", "Billing", "Login issue", "Other"]
)

q2 = QuestionMultipleChoice(
    question_name = "safety",
    question_text = "Does this message mention a safety issue? {{ message }}?",
    question_options = ["Yes", "No", "Unclear"]
)

# Create a list of scenarios for the parameter
messages = [
    "I can't log in...",
    "I need help with my bill...",
    "I have a safety concern...",
    "I need help with a product..."
    ]
scenarios = [Scenario({"message": message}) for message in messages]

# Create a survey with the question
survey = Survey(questions = [q1, q2])

# Run the survey with the scenarios
results = survey.by(scenarios).run()

We can then analyze the results to see how the agent answered the questions for each scenario:

results.select("message", "safety", "topic").print(format="rich")

This will print a table of the scenarios and the answers to the questions for each scenario:

┏━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━┳━━━━━━━━━━━━━━━━━┓
┃ scenario                      ┃ answer  ┃ answer          ┃
┃ .message                      ┃ .safety ┃ .topic          ┃
┡━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━╇━━━━━━━━━━━━━━━━━┩
│ I can't log in...             │ No      │ Login issue     │
├───────────────────────────────┼─────────┼─────────────────┤
│ I need help with a product... │ No      │ Product support │
├───────────────────────────────┼─────────┼─────────────────┤
│ I need help with my bill...   │ No      │ Billing         │
├───────────────────────────────┼─────────┼─────────────────┤
│ I have a safety concern...    │ Yes     │ Safety          │
└───────────────────────────────┴─────────┴─────────────────┘

Adding metadata

If we have metadata about the messages that we want to keep track of, we can add it to the scenarios as well. This will create additional columns for the metadata in the results dataset, but without the need to include it in our question texts. Here we modify the above example to use a dataset of messages with metadata. Note that the question texts are unchanged:

from edsl import QuestionMultipleChoice, Survey, ScenarioList, Scenario

# Create a question with a parameter
q1 = QuestionMultipleChoice(
    question_name = "topic",
    question_text = "What is the topic of this message: {{ message }}?",
    question_options = ["Safety", "Product support", "Billing", "Login issue", "Other"]
)

q2 = QuestionMultipleChoice(
    question_name = "safety",
    question_text = "Does this message mention a safety issue? {{ message }}?",
    question_options = ["Yes", "No", "Unclear"]
)

# Create scenarios for the sets of parameters
user_messages = [
    {"message": "I can't log in...", "user": "Alice", "source": "Customer support", "date": "2022-01-01"},
    {"message": "I need help with my bill...", "user": "Bob", "source": "Phone", "date": "2022-01-02"},
    {"message": "I have a safety concern...", "user": "Charlie", "source": "Email", "date": "2022-01-03"},
    {"message": "I need help with a product...", "user": "David", "source": "Chat", "date": "2022-01-04"}
]

scenarios = ScenarioList(
    Scenario.from_dict(m) for m in user_messages
)

# Create a survey with the question
survey = Survey(questions = [q1, q2])

# Run the survey with the scenarios
results = survey.by(scenarios).run()

# Inspect the results
results.select("scenario.*", "answer.*").print(format="rich")

We can see how the agent answered the questions for each scenario, together with the metadata that was not included in the question text:

┏━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━┳━━━━━━━━━━━━┳━━━━━━━━━━━━━━━━━┳━━━━━━━━━┓
┃ scenario ┃ scenario         ┃ scenario                      ┃ scenario   ┃ answer          ┃ answer  ┃
┃ .user    ┃ .source          ┃ .message                      ┃ .date      ┃ .topic          ┃ .safety ┃
┡━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━━╇━━━━━━━━━━━━╇━━━━━━━━━━━━━━━━━╇━━━━━━━━━┩
│ Alice    │ Customer support │ I can't log in...             │ 2022-01-01 │ Login issue     │ No      │
├──────────┼──────────────────┼───────────────────────────────┼────────────┼─────────────────┼─────────┤
│ Bob      │ Phone            │ I need help with my bill...   │ 2022-01-02 │ Billing         │ No      │
├──────────┼──────────────────┼───────────────────────────────┼────────────┼─────────────────┼─────────┤
│ Charlie  │ Email            │ I have a safety concern...    │ 2022-01-03 │ Safety          │ Yes     │
├──────────┼──────────────────┼───────────────────────────────┼────────────┼─────────────────┼─────────┤
│ David    │ Chat             │ I need help with a product... │ 2022-01-04 │ Product support │ No      │
└──────────┴──────────────────┴───────────────────────────────┴────────────┴─────────────────┴─────────┘

To learn more about accessing, analyzing and visualizing survey results, please see the Results section.

Slicing/chunking content into scenarios

We can use the Scenario method chunk() to slice a text scenario into a ScenarioList based on num_words or num_lines.

Example usage:

my_haiku = """
This is a long text.
Pages and pages, oh my!
I need to chunk it.
"""

text_scenario = Scenario({"my_text": my_haiku})

word_chunks_scenariolist = text_scenario.chunk(
    "my_text",
    num_words = 5, # use num_words or num_lines but not both
    include_original = True, # optional
    hash_original = True # optional
)
word_chunks_scenariolist

This will return:

{
    "scenarios": [
        {
            "my_text": "This is a long text.",
            "my_text_chunk": 0,
            "my_text_original": "4aec42eda32b7f32bde8be6a6bc11125"
        },
        {
            "my_text": "Pages and pages, oh my!",
            "my_text_chunk": 1,
            "my_text_original": "4aec42eda32b7f32bde8be6a6bc11125"
        },
        {
            "my_text": "I need to chunk it.",
            "my_text_chunk": 2,
            "my_text_original": "4aec42eda32b7f32bde8be6a6bc11125"
        }
    ]
}

Scenario class

A Scenario is a dictionary with a key/value to parameterize a question.

class edsl.scenarios.Scenario.Scenario(data: dict | None = None, name: str = None)[source]

Bases: Base, UserDict, ScenarioHtmlMixin

https://docs.expectedparrot.com/en/latest/scenarios.html

__init__(data: dict | None = None, name: str = None)[source]

Initialize a new Scenario.

# :param data: A dictionary of keys/values for parameterizing questions. #

chunk(field, num_words: int | None = None, num_lines: int | None = None, include_original=False, hash_original=False) ScenarioList[source]

Split a field into chunks of a given size.

Parameters:
  • field – The field to split.

  • num_words – The number of words in each chunk.

  • num_lines – The number of lines in each chunk.

  • include_original – Whether to include the original field in the new scenarios.

  • hash_original – Whether to hash the original field in the new scenarios.

If you specify include_original=True, the original field will be included in the new scenarios with an “_original” suffix.

Either num_words or num_lines must be specified, but not both.

The hash_original parameter is useful if you do not want to store the original text, but still want a unique identifier for it.

Example:

>>> s = Scenario({"text": "This is a test.\nThis is a test.\n\nThis is a test."})
>>> s.chunk("text", num_lines = 1)
ScenarioList([Scenario({'text': 'This is a test.', 'text_chunk': 0}), Scenario({'text': 'This is a test.', 'text_chunk': 1}), Scenario({'text': '', 'text_chunk': 2}), Scenario({'text': 'This is a test.', 'text_chunk': 3})])
>>> s.chunk("text", num_words = 2)
ScenarioList([Scenario({'text': 'This is', 'text_chunk': 0}), Scenario({'text': 'a test.', 'text_chunk': 1}), Scenario({'text': 'This is', 'text_chunk': 2}), Scenario({'text': 'a test.', 'text_chunk': 3}), Scenario({'text': 'This is', 'text_chunk': 4}), Scenario({'text': 'a test.', 'text_chunk': 5})])
>>> s = Scenario({"text": "Hello World"})
>>> s.chunk("text", num_words = 1, include_original = True)
ScenarioList([Scenario({'text': 'Hello', 'text_chunk': 0, 'text_original': 'Hello World'}), Scenario({'text': 'World', 'text_chunk': 1, 'text_original': 'Hello World'})])
>>> s = Scenario({"text": "Hello World"})
>>> s.chunk("text", num_words = 1, include_original = True, hash_original = True)
ScenarioList([Scenario({'text': 'Hello', 'text_chunk': 0, 'text_original': 'b10a8db164e0754105b7a99be72e3fe5'}), Scenario({'text': 'World', 'text_chunk': 1, 'text_original': 'b10a8db164e0754105b7a99be72e3fe5'})])
>>> s.chunk("text")
Traceback (most recent call last):
...
ValueError: You must specify either num_words or num_lines.
>>> s.chunk("text", num_words = 1, num_lines = 1)
Traceback (most recent call last):
...
ValueError: You must specify either num_words or num_lines, but not both.
code() List[str][source]

Return the code for the scenario.

convert_jinja_braces(replacement_left='<<', replacement_right='>>') Scenario[source]

Convert Jinja braces to some other character.

>>> s = Scenario({"food": "I love {{wood chips}}"})
>>> s.convert_jinja_braces()
Scenario({'food': 'I love <<wood chips>>'})
drop(list_of_keys: List[str]) Scenario[source]

Drop a subset of keys from a scenario.

Parameters:

list_of_keys – The keys to drop.

Example:

>>> s = Scenario({"food": "wood chips", "drink": "water"})
>>> s.drop(["food"])
Scenario({'drink': 'water'})
classmethod example(randomize: bool = False, has_image=False) Scenario[source]

Returns an example Scenario instance.

Parameters:

randomize – If True, adds a random string to the value of the example key.

classmethod from_dict(d: dict) Scenario[source]

Convert a dictionary to a scenario.

Example:

>>> Scenario.from_dict({"food": "wood chips"})
Scenario({'food': 'wood chips'})
classmethod from_docx(docx_path: str) Scenario[source]

Creates a scenario from the text of a docx file.

Parameters:

docx_path – The path to the docx file.

Example:

>>> from docx import Document
>>> doc = Document()
>>> _ = doc.add_heading("EDSL Survey")
>>> _ = doc.add_paragraph("This is a test.")
>>> doc.save("test.docx")
>>> s = Scenario.from_docx("test.docx")
>>> s
Scenario({'file_path': 'test.docx', 'text': 'EDSL Survey\nThis is a test.'})
>>> import os; os.remove("test.docx")
classmethod from_file(file_path: str, field_name: str) Scenario[source]

Creates a scenario from a file.

>>> import tempfile
>>> with tempfile.NamedTemporaryFile(suffix=".txt", mode="w") as f:
...     _ = f.write("This is a test.")
...     _ = f.flush()
...     s = Scenario.from_file(f.name, "file")
>>> s
Scenario({'file': FileStore(path='...')})
classmethod from_image(image_path: str, image_name: str | None = None) Scenario[source]

Creates a scenario with a base64 encoding of an image.

Args:

image_path (str): Path to the image file.

Returns:

Scenario: A new Scenario instance with image information.

classmethod from_pdf(pdf_path)[source]
classmethod from_url(url: str, field_name: str | None = 'text') Scenario[source]

Creates a scenario from a URL.

Parameters:
  • url – The URL to create the scenario from.

  • field_name – The field name to use for the text.

property has_jinja_braces: bool[source]

Return whether the scenario has jinja braces. This matters for rendering.

>>> s = Scenario({"food": "I love {{wood chips}}"})
>>> s.has_jinja_braces
True
keep(list_of_keys: List[str]) Scenario[source]

Keep a subset of keys from a scenario.

Parameters:

list_of_keys – The keys to keep.

Example:

>>> s = Scenario({"food": "wood chips", "drink": "water"})
>>> s.keep(["food"])
Scenario({'food': 'wood chips'})
print()[source]

Print the object to the console.

rename(old_name_or_replacement_dict: dict, new_name: str | None = None) Scenario[source]

Rename the keys of a scenario.

Parameters:

replacement_dict – A dictionary of old keys to new keys.

Example:

>>> s = Scenario({"food": "wood chips"})
>>> s.rename({"food": "food_preference"})
Scenario({'food_preference': 'wood chips'})
>>> s = Scenario({"food": "wood chips"})
>>> s.rename("food", "snack")
Scenario({'snack': 'wood chips'})
replicate(n: int) ScenarioList[source]

Replicate a scenario n times to return a ScenarioList.

Parameters:

n – The number of times to replicate the scenario.

Example:

>>> s = Scenario({"food": "wood chips"})
>>> s.replicate(2)
ScenarioList([Scenario({'food': 'wood chips'}), Scenario({'food': 'wood chips'})])
rich_print() Table[source]

Display an object as a rich table.

select(list_of_keys: List[str]) Scenario[source]

Select a subset of keys from a scenario.

Parameters:

list_of_keys – The keys to select.

Example:

>>> s = Scenario({"food": "wood chips", "drink": "water"})
>>> s.select(["food"])
Scenario({'food': 'wood chips'})
to_dict(add_edsl_version=True) dict[source]

Convert a scenario to a dictionary.

Example:

>>> s = Scenario({"food": "wood chips"})
>>> s.to_dict()
{'food': 'wood chips', 'edsl_version': '...', 'edsl_class_name': 'Scenario'}
>>> s.to_dict(add_edsl_version = False)
{'food': 'wood chips'}

ScenarioList class

A list of Scenarios to be used in a survey.

class edsl.scenarios.ScenarioList.ScenarioList(data: list | None = None, codebook: dict | None = None)[source]

Bases: Base, UserList, ScenarioListMixin

Class for creating a list of scenarios to be used in a survey.

__init__(data: list | None = None, codebook: dict | None = None)[source]

Initialize the ScenarioList class.

add_list(name, values) ScenarioList[source]

Add a list of values to a ScenarioList.

Example:

>>> s = ScenarioList([Scenario({'name': 'Alice'}), Scenario({'name': 'Bob'})])
>>> s.add_list('age', [30, 25])
ScenarioList([Scenario({'name': 'Alice', 'age': 30}), Scenario({'name': 'Bob', 'age': 25})])
add_value(name: str, value: Any) ScenarioList[source]

Add a value to all scenarios in a ScenarioList.

Example:

>>> s = ScenarioList([Scenario({'name': 'Alice'}), Scenario({'name': 'Bob'})])
>>> s.add_value('age', 30)
ScenarioList([Scenario({'name': 'Alice', 'age': 30}), Scenario({'name': 'Bob', 'age': 30})])
chunk(field, num_words: int | None = None, num_lines: int | None = None, include_original=False, hash_original=False) ScenarioList[source]

Chunk the scenarios based on a field.

Example:

>>> s = ScenarioList([Scenario({'text': 'The quick brown fox jumps over the lazy dog.'})])
>>> s.chunk('text', num_words=3)
ScenarioList([Scenario({'text': 'The quick brown', 'text_chunk': 0}), Scenario({'text': 'fox jumps over', 'text_chunk': 1}), Scenario({'text': 'the lazy dog.', 'text_chunk': 2})])
code() str[source]

Create the Python code representation of a survey.

concatenate(fields: List[str], separator: str = ';') ScenarioList[source]

Concatenate specified fields into a single field.

Args:

fields (List[str]): List of field names to concatenate. separator (str, optional): Separator to use between field values. Defaults to “;”.

Returns:

ScenarioList: A new ScenarioList with concatenated fields.

Example:
>>> s = ScenarioList([Scenario({'a': 1, 'b': 2, 'c': 3}), Scenario({'a': 4, 'b': 5, 'c': 6})])
>>> s.concatenate(['a', 'b', 'c'])
ScenarioList([Scenario({'concat_a_b_c': '1;2;3'}), Scenario({'concat_a_b_c': '4;5;6'})])
convert_jinja_braces() ScenarioList[source]

Convert Jinja braces to Python braces.

Return a download link for the results.

Parameters:

pretty_labels – A dictionary of pretty labels for the columns.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').download_link()
'<a href="data:file/csv;base64,YW5zd2VyLmhvd19mZWVsaW5nDQpPSw0KR3JlYXQNClRlcnJpYmxlDQpPSw0K" download="my_data.csv">Download CSV file</a>'
drop(*fields) ScenarioList[source]

Drop fields from the scenarios.

Example:

>>> s = ScenarioList([Scenario({'a': 1, 'b': 1}), Scenario({'a': 1, 'b': 2})])
>>> s.drop('a')
ScenarioList([Scenario({'b': 1}), Scenario({'b': 2})])
classmethod example(randomize: bool = False) ScenarioList[source]

Return an example ScenarioList instance.

Params randomize:

If True, use Scenario’s randomize method to randomize the values.

expand(expand_field: str, number_field=False) ScenarioList[source]

Expand the ScenarioList by a field.

Example:

>>> s = ScenarioList( [ Scenario({'a':1, 'b':[1,2]}) ] )
>>> s.expand('b')
ScenarioList([Scenario({'a': 1, 'b': 1}), Scenario({'a': 1, 'b': 2})])
filter(expression: str) ScenarioList[source]

Filter a list of scenarios based on an expression.

Example:

>>> s = ScenarioList([Scenario({'a': 1, 'b': 1}), Scenario({'a': 1, 'b': 2})])
>>> s.filter("b == 2")
ScenarioList([Scenario({'a': 1, 'b': 2})])
classmethod from_csv(source: str | ParseResult) ScenarioList[source]

Create a ScenarioList from a CSV file or URL.

Args:
source: A string representing either a local file path or a URL to a CSV file,

or a urllib.parse.ParseResult object for a URL.

Returns:

ScenarioList: A ScenarioList object containing the data from the CSV.

Example:

>>> import tempfile
>>> import os
>>> with tempfile.NamedTemporaryFile(delete=False, mode='w', suffix='.csv') as f:
...     _ = f.write("name,age,location\nAlice,30,New York\nBob,25,Los Angeles\n")
...     temp_filename = f.name
>>> scenario_list = ScenarioList.from_csv(temp_filename)
>>> len(scenario_list)
2
>>> scenario_list[0]['name']
'Alice'
>>> scenario_list[1]['age']
'25'
>>> url = "https://example.com/data.csv"
>>> ## scenario_list_from_url = ScenarioList.from_csv(url)
classmethod from_dict(data) ScenarioList[source]

Create a ScenarioList from a dictionary.

classmethod from_excel(filename: str, sheet_name: str | None = None) ScenarioList[source]

Create a ScenarioList from an Excel file.

If the Excel file contains multiple sheets and no sheet_name is provided, the method will print the available sheets and require the user to specify one.

Example:

>>> import tempfile
>>> import os
>>> import pandas as pd
>>> with tempfile.NamedTemporaryFile(delete=False, suffix='.xlsx') as f:
...     df1 = pd.DataFrame({
...         'name': ['Alice', 'Bob'],
...         'age': [30, 25],
...         'location': ['New York', 'Los Angeles']
...     })
...     df2 = pd.DataFrame({
...         'name': ['Charlie', 'David'],
...         'age': [35, 40],
...         'location': ['Chicago', 'Boston']
...     })
...     with pd.ExcelWriter(f.name) as writer:
...         df1.to_excel(writer, sheet_name='Sheet1', index=False)
...         df2.to_excel(writer, sheet_name='Sheet2', index=False)
...     temp_filename = f.name
>>> scenario_list = ScenarioList.from_excel(temp_filename, sheet_name='Sheet1')
>>> len(scenario_list)
2
>>> scenario_list[0]['name']
'Alice'
>>> scenario_list = ScenarioList.from_excel(temp_filename)  # Should raise an error and list sheets
Traceback (most recent call last):
...
ValueError: Please provide a sheet name to load data from.
classmethod from_google_doc(url: str) ScenarioList[source]

Create a ScenarioList from a Google Doc.

This method downloads the Google Doc as a Word file (.docx), saves it to a temporary file, and then reads it using the from_docx class method.

Args:

url (str): The URL to the Google Doc.

Returns:

ScenarioList: An instance of the ScenarioList class.

classmethod from_google_sheet(url: str, sheet_name: str = None) ScenarioList[source]

Create a ScenarioList from a Google Sheet.

This method downloads the Google Sheet as an Excel file, saves it to a temporary file, and then reads it using the from_excel class method.

Args:

url (str): The URL to the Google Sheet. sheet_name (str, optional): The name of the sheet to load. If None, the method will behave

the same as from_excel regarding multiple sheets.

Returns:

ScenarioList: An instance of the ScenarioList class.

classmethod from_latex(tex_file_path: str)[source]
classmethod from_list(name: str, values: list, func: Callable | None = None) ScenarioList[source]

Create a ScenarioList from a list of values.

Example:

>>> ScenarioList.from_list('name', ['Alice', 'Bob'])
ScenarioList([Scenario({'name': 'Alice'}), Scenario({'name': 'Bob'})])
classmethod from_nested_dict(data: dict) ScenarioList[source]

Create a ScenarioList from a nested dictionary.

classmethod from_pandas(df) ScenarioList[source]

Create a ScenarioList from a pandas DataFrame.

Example:

>>> import pandas as pd
>>> df = pd.DataFrame({'name': ['Alice', 'Bob'], 'age': [30, 25], 'location': ['New York', 'Los Angeles']})
>>> ScenarioList.from_pandas(df)
ScenarioList([Scenario({'name': 'Alice', 'age': 30, 'location': 'New York'}), Scenario({'name': 'Bob', 'age': 25, 'location': 'Los Angeles'})])
classmethod from_sqlite(filepath: str, table: str)[source]
from_urls(urls: list[str], field_name: str | None = 'text') ScenarioList[source]

Create a ScenarioList from a list of URLs.

Parameters:
  • urls – A list of URLs.

  • field_name – The name of the field to store the text from the URLs.

classmethod from_wikipedia(url: str, table_index: int = 0)[source]

Extracts a table from a Wikipedia page.

Parameters:

url (str): The URL of the Wikipedia page. table_index (int): The index of the table to extract (default is 0).

Returns:

pd.DataFrame: A DataFrame containing the extracted table.

# # Example usage # url = “https://en.wikipedia.org/wiki/List_of_countries_by_GDP_(nominal)” # df = from_wikipedia(url, 0)

# if not df.empty: # print(df.head()) # else: # print(“Failed to extract table.”)

classmethod gen(scenario_dicts_list: List[dict]) ScenarioList[source]

Create a ScenarioList from a list of dictionaries.

Example:

>>> ScenarioList.gen([{'name': 'Alice'}, {'name': 'Bob'}])
ScenarioList([Scenario({'name': 'Alice'}), Scenario({'name': 'Bob'})])
give_valid_names() ScenarioList[source]

Give valid names to the scenario keys.

>>> s = ScenarioList([Scenario({'a': 1, 'b': 2}), Scenario({'a': 1, 'b': 1})])
>>> s.give_valid_names()
ScenarioList([Scenario({'a': 1, 'b': 2}), Scenario({'a': 1, 'b': 1})])
>>> s = ScenarioList([Scenario({'are you there John?': 1, 'b': 2}), Scenario({'a': 1, 'b': 1})])
>>> s.give_valid_names()
ScenarioList([Scenario({'john': 1, 'b': 2}), Scenario({'a': 1, 'b': 1})])
group_by(id_vars, variables, func)[source]

Group the ScenarioList by id_vars and apply a function to the specified variables.

Parameters: id_vars (list): Fields to use as identifier variables for grouping variables (list): Fields to pass to the aggregation function func (callable): Function to apply to the grouped variables.

Should accept lists of values for each variable.

Returns: ScenarioList: A new ScenarioList with the grouped and aggregated results

Example: >>> def avg_sum(a, b): … return {‘avg_a’: sum(a) / len(a), ‘sum_b’: sum(b)} >>> s = ScenarioList([ … Scenario({‘group’: ‘A’, ‘year’: 2020, ‘a’: 10, ‘b’: 20}), … Scenario({‘group’: ‘A’, ‘year’: 2021, ‘a’: 15, ‘b’: 25}), … Scenario({‘group’: ‘B’, ‘year’: 2020, ‘a’: 12, ‘b’: 22}), … Scenario({‘group’: ‘B’, ‘year’: 2021, ‘a’: 17, ‘b’: 27}) … ]) >>> s.group_by(id_vars=[‘group’], variables=[‘a’, ‘b’], func=avg_sum) ScenarioList([Scenario({‘group’: ‘A’, ‘avg_a’: 12.5, ‘sum_b’: 45}), Scenario({‘group’: ‘B’, ‘avg_a’: 14.5, ‘sum_b’: 49})])

property has_jinja_braces: bool[source]

Check if the ScenarioList has Jinja braces.

html(filename: str | None = None, cta: str = 'Open in browser', return_link: bool = False)[source]
keep(*fields) ScenarioList[source]

Keep only the specified fields in the scenarios.

Example:

>>> s = ScenarioList([Scenario({'a': 1, 'b': 1}), Scenario({'a': 1, 'b': 2})])
>>> s.keep('a')
ScenarioList([Scenario({'a': 1}), Scenario({'a': 1})])
mutate(new_var_string: str, functions_dict: dict[str, Callable] | None = None) ScenarioList[source]

Return a new ScenarioList with a new variable added.

Example:

>>> s = ScenarioList([Scenario({'a': 1, 'b': 2}), Scenario({'a': 1, 'b': 1})])
>>> s.mutate("c = a + b")
ScenarioList([Scenario({'a': 1, 'b': 2, 'c': 3}), Scenario({'a': 1, 'b': 1, 'c': 2})])
num_observations()[source]

Return the number of observations in the dataset.

>>> from edsl.results import Results
>>> Results.example().num_observations()
4
order_by(*fields: str, reverse: bool = False) ScenarioList[source]

Order the scenarios by one or more fields.

Example:

>>> s = ScenarioList([Scenario({'a': 1, 'b': 2}), Scenario({'a': 1, 'b': 1})])
>>> s.order_by('b', 'a')
ScenarioList([Scenario({'a': 1, 'b': 1}), Scenario({'a': 1, 'b': 2})])
property parameters: set[source]

Return the set of parameters in the ScenarioList

Example:

>>> s = ScenarioList([Scenario({'a': 1}), Scenario({'b': 2})])
>>> s.parameters == {'a', 'b'}
True
pivot(id_vars, var_name='variable', value_name='value')[source]

Pivot the ScenarioList from long to wide format.

Parameters: id_vars (list): Fields to use as identifier variables var_name (str): Name of the variable column (default: ‘variable’) value_name (str): Name of the value column (default: ‘value’)

Example: >>> s = ScenarioList([ … Scenario({‘id’: 1, ‘year’: 2020, ‘variable’: ‘a’, ‘value’: 10}), … Scenario({‘id’: 1, ‘year’: 2020, ‘variable’: ‘b’, ‘value’: 20}), … Scenario({‘id’: 2, ‘year’: 2021, ‘variable’: ‘a’, ‘value’: 15}), … Scenario({‘id’: 2, ‘year’: 2021, ‘variable’: ‘b’, ‘value’: 25}) … ]) >>> s.pivot(id_vars=[‘id’, ‘year’]) ScenarioList([Scenario({‘id’: 1, ‘year’: 2020, ‘a’: 10, ‘b’: 20}), Scenario({‘id’: 2, ‘year’: 2021, ‘a’: 15, ‘b’: 25})])

print(pretty_labels: dict | None = None, filename: str | None = None, format: Literal['rich', 'html', 'markdown', 'latex'] | None = None, interactive: bool = False, split_at_dot: bool = True, max_rows=None, tee=False, iframe=False, iframe_height: int = 200, iframe_width: int = 600, web=False, return_string: bool = False) None | str | Results[source]

Print the results in a pretty format.

Parameters:
  • pretty_labels – A dictionary of pretty labels for the columns.

  • filename – The filename to save the results to.

  • format – The format to print the results in. Options are ‘rich’, ‘html’, ‘markdown’, or ‘latex’.

  • interactive – Whether to print the results interactively in a Jupyter notebook.

  • split_at_dot – Whether to split the column names at the last dot w/ a newline.

  • max_rows – The maximum number of rows to print.

  • tee – Whether to return the dataset.

  • iframe – Whether to display the table in an iframe.

  • iframe_height – The height of the iframe.

  • iframe_width – The width of the iframe.

  • web – Whether to display the table in a web browser.

  • return_string – Whether to return the output as a string instead of printing.

Returns:

None if tee is False and return_string is False, the dataset if tee is True, or a string if return_string is True.

Example: Print in rich format at the terminal

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').print(format = "rich")
┏━━━━━━━━━━━━━━┓
┃ answer       ┃
┃ .how_feeling ┃
┡━━━━━━━━━━━━━━┩
│ OK           │
├──────────────┤
│ Great        │
├──────────────┤
│ Terrible     │
├──────────────┤
│ OK           │
└──────────────┘
>>> r = Results.example()
>>> r2 = r.select("how_feeling").print(format = "rich", tee = True, max_rows = 2)
┏━━━━━━━━━━━━━━┓
┃ answer       ┃
┃ .how_feeling ┃
┡━━━━━━━━━━━━━━┩
│ OK           │
├──────────────┤
│ Great        │
└──────────────┘
>>> r2
Dataset([{'answer.how_feeling': ['OK', 'Great', 'Terrible', 'OK']}])
>>> r.select('how_feeling').print(format = "rich", max_rows = 2)
┏━━━━━━━━━━━━━━┓
┃ answer       ┃
┃ .how_feeling ┃
┡━━━━━━━━━━━━━━┩
│ OK           │
├──────────────┤
│ Great        │
└──────────────┘
>>> r.select('how_feeling').print(format = "rich", split_at_dot = False)
┏━━━━━━━━━━━━━━━━━━━━┓
┃ answer.how_feeling ┃
┡━━━━━━━━━━━━━━━━━━━━┩
│ OK                 │
├────────────────────┤
│ Great              │
├────────────────────┤
│ Terrible           │
├────────────────────┤
│ OK                 │
└────────────────────┘

Example: using the pretty_labels parameter

>>> r.select('how_feeling').print(format="rich", pretty_labels = {'answer.how_feeling': "How are you feeling"})
┏━━━━━━━━━━━━━━━━━━━━━┓
┃ How are you feeling ┃
┡━━━━━━━━━━━━━━━━━━━━━┩
│ OK                  │
├─────────────────────┤
│ Great               │
├─────────────────────┤
│ Terrible            │
├─────────────────────┤
│ OK                  │
└─────────────────────┘

Example: printing in markdown format

>>> r.select('how_feeling').print(format='markdown')
| answer.how_feeling |
|--|
| OK |
| Great |
| Terrible |
| OK |
...
>>> r.select('how_feeling').print(format='latex')
\begin{tabular}{l}
...
\end{tabular}
print_long()[source]

Print the results in a long format. >>> from edsl.results import Results >>> r = Results.example() >>> r.select(‘how_feeling’).print_long() answer.how_feeling: OK answer.how_feeling: Great answer.how_feeling: Terrible answer.how_feeling: OK

relevant_columns(data_type: str | None = None, remove_prefix=False) list[source]

Return the set of keys that are present in the dataset.

Parameters:
  • data_type – The data type to filter by.

  • remove_prefix – Whether to remove the prefix from the column names.

>>> from edsl.results.Dataset import Dataset
>>> d = Dataset([{'a.b':[1,2,3,4]}])
>>> d.relevant_columns()
['a.b']
>>> d.relevant_columns(remove_prefix=True)
['b']
>>> d = Dataset([{'a':[1,2,3,4]}, {'b':[5,6,7,8]}])
>>> d.relevant_columns()
['a', 'b']
>>> from edsl.results import Results; Results.example().select('how_feeling', 'how_feeling_yesterday').relevant_columns()
['answer.how_feeling', 'answer.how_feeling_yesterday']
>>> from edsl.results import Results
>>> sorted(Results.example().select().relevant_columns(data_type = "model"))
['model.frequency_penalty', 'model.logprobs', 'model.max_tokens', 'model.model', 'model.presence_penalty', 'model.temperature', 'model.top_logprobs', 'model.top_p']
>>> Results.example().relevant_columns(data_type = "flimflam")
Traceback (most recent call last):
...
ValueError: No columns found for data type: flimflam. Available data types are: ...
rename(replacement_dict: dict) ScenarioList[source]

Rename the fields in the scenarios.

Example:

>>> s = ScenarioList([Scenario({'name': 'Alice', 'age': 30}), Scenario({'name': 'Bob', 'age': 25})])
>>> s.rename({'name': 'first_name', 'age': 'years'})
ScenarioList([Scenario({'first_name': 'Alice', 'years': 30}), Scenario({'first_name': 'Bob', 'years': 25})])
rich_print() None[source]

Display an object as a table.

sample(n: int, seed='edsl') ScenarioList[source]

Return a random sample from the ScenarioList

>>> s = ScenarioList.from_list("a", [1,2,3,4,5,6])
>>> s.sample(3)
ScenarioList([Scenario({'a': 2}), Scenario({'a': 1}), Scenario({'a': 3})])
select(*fields) ScenarioList[source]

Selects scenarios with only the references fields.

Example:

>>> s = ScenarioList([Scenario({'a': 1, 'b': 1}), Scenario({'a': 1, 'b': 2})])
>>> s.select('a')
ScenarioList([Scenario({'a': 1}), Scenario({'a': 1})])
shuffle(seed: str | None = 'edsl') ScenarioList[source]

Shuffle the ScenarioList.

>>> s = ScenarioList.from_list("a", [1,2,3,4])
>>> s.shuffle()
ScenarioList([Scenario({'a': 3}), Scenario({'a': 4}), Scenario({'a': 1}), Scenario({'a': 2})])
split(field: str, split_on: str, index: int, new_name: str | None = None) ScenarioList[source]

Split a scenario fiel in multiple fields.

tally(*fields: str | None, top_n: int | None = None, output='Dataset') dict | Dataset[source]

Tally the values of a field or perform a cross-tab of multiple fields.

Parameters:

fields – The field(s) to tally, multiple fields for cross-tabulation.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').tally('answer.how_feeling', output = "dict")
{'OK': 2, 'Great': 1, 'Terrible': 1}
>>> r.select('how_feeling').tally('answer.how_feeling', output = "Dataset")
Dataset([{'value': ['OK', 'Great', 'Terrible']}, {'count': [2, 1, 1]}])
>>> r.select('how_feeling', 'period').tally('how_feeling', 'period', output = "dict")
{('OK', 'morning'): 1, ('Great', 'afternoon'): 1, ('Terrible', 'morning'): 1, ('OK', 'afternoon'): 1}
times(other: ScenarioList) ScenarioList[source]

Takes the cross product of two ScenarioLists.

Example:

>>> s1 = ScenarioList([Scenario({'a': 1}), Scenario({'a': 2})])
>>> s2 = ScenarioList([Scenario({'b': 1}), Scenario({'b': 2})])
>>> s1.times(s2)
ScenarioList([Scenario({'a': 1, 'b': 1}), Scenario({'a': 1, 'b': 2}), Scenario({'a': 2, 'b': 1}), Scenario({'a': 2, 'b': 2})])
to_agent_list(remove_prefix: bool = True)[source]

Convert the results to a list of dictionaries, one per agent.

Parameters:

remove_prefix – Whether to remove the prefix from the column names.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').to_agent_list()
AgentList([Agent(traits = {'how_feeling': 'OK'}), Agent(traits = {'how_feeling': 'Great'}), Agent(traits = {'how_feeling': 'Terrible'}), Agent(traits = {'how_feeling': 'OK'})])
to_csv(filename: str | None = None, remove_prefix: bool = False, download_link: bool = False, pretty_labels: dict | None = None)[source]

Export the results to a CSV file.

Parameters:
  • filename – The filename to save the CSV file to.

  • remove_prefix – Whether to remove the prefix from the column names.

  • download_link – Whether to display a download link in a Jupyter notebook.

Example:

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').to_csv()
'answer.how_feeling\r\nOK\r\nGreat\r\nTerrible\r\nOK\r\n'
>>> r.select('how_feeling').to_csv(pretty_labels = {'answer.how_feeling': "How are you feeling"})
'How are you feeling\r\nOK\r\nGreat\r\nTerrible\r\nOK\r\n'
>>> import tempfile
>>> filename = tempfile.NamedTemporaryFile(delete=False).name
>>> r.select('how_feeling').to_csv(filename = filename)
>>> import os
>>> import csv
>>> with open(filename, newline='') as f:
...     reader = csv.reader(f)
...     for row in reader:
...         print(row)
['answer.how_feeling']
['OK']
['Great']
['Terrible']
['OK']
to_dataset() Dataset[source]
>>> s = ScenarioList.from_list("a", [1,2,3])
>>> s.to_dataset()
Dataset([{'a': [1, 2, 3]}])
>>> s = ScenarioList.from_list("a", [1,2,3]).add_list("b", [4,5,6])
>>> s.to_dataset()
Dataset([{'a': [1, 2, 3]}, {'b': [4, 5, 6]}])
to_dict(sort=False, add_edsl_version=True) dict[source]
>>> s = ScenarioList([Scenario({'food': 'wood chips'}), Scenario({'food': 'wood-fired pizza'})])
>>> s.to_dict()
{'scenarios': [{'food': 'wood chips', 'edsl_version': '...', 'edsl_class_name': 'Scenario'}, {'food': 'wood-fired pizza', 'edsl_version': '...', 'edsl_class_name': 'Scenario'}], 'edsl_version': '...', 'edsl_class_name': 'ScenarioList'}
to_dicts(remove_prefix: bool = True) list[dict][source]

Convert the results to a list of dictionaries.

Parameters:

remove_prefix – Whether to remove the prefix from the column names.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').to_dicts()
[{'how_feeling': 'OK'}, {'how_feeling': 'Great'}, {'how_feeling': 'Terrible'}, {'how_feeling': 'OK'}]
to_key_value(field: str, value=None) dict | set[source]

Return the set of values in the field.

Example:

>>> s = ScenarioList([Scenario({'name': 'Alice'}), Scenario({'name': 'Bob'})])
>>> s.to_key_value('name') == {'Alice', 'Bob'}
True
to_list(flatten=False, remove_none=False, unzipped=False) list[list][source]

Convert the results to a list of lists.

Parameters:
  • flatten – Whether to flatten the list of lists.

  • remove_none – Whether to remove None values from the list.

>>> from edsl.results import Results
>>> Results.example().select('how_feeling', 'how_feeling_yesterday')
Dataset([{'answer.how_feeling': ['OK', 'Great', 'Terrible', 'OK']}, {'answer.how_feeling_yesterday': ['Great', 'Good', 'OK', 'Terrible']}])
>>> Results.example().select('how_feeling', 'how_feeling_yesterday').to_list()
[('OK', 'Great'), ('Great', 'Good'), ('Terrible', 'OK'), ('OK', 'Terrible')]
>>> r = Results.example()
>>> r.select('how_feeling').to_list()
['OK', 'Great', 'Terrible', 'OK']
>>> from edsl.results.Dataset import Dataset
>>> Dataset([{'a.b': [[1, 9], 2, 3, 4]}]).select('a.b').to_list(flatten = True)
[1, 9, 2, 3, 4]
>>> from edsl.results.Dataset import Dataset
>>> Dataset([{'a.b': [[1, 9], 2, 3, 4]}, {'c': [6, 2, 3, 4]}]).select('a.b', 'c').to_list(flatten = True)
Traceback (most recent call last):
...
ValueError: Cannot flatten a list of lists when there are multiple columns selected.
to_pandas(remove_prefix: bool = False, lists_as_strings=False) DataFrame[source]

Convert the results to a pandas DataFrame, ensuring that lists remain as lists.

Parameters:

remove_prefix – Whether to remove the prefix from the column names.

to_scenario_list(remove_prefix: bool = True) list[dict][source]

Convert the results to a list of dictionaries, one per scenario.

Parameters:

remove_prefix – Whether to remove the prefix from the column names.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').to_scenario_list()
ScenarioList([Scenario({'how_feeling': 'OK'}), Scenario({'how_feeling': 'Great'}), Scenario({'how_feeling': 'Terrible'}), Scenario({'how_feeling': 'OK'})])
transform(field: str, func: Callable, new_name: str | None = None) ScenarioList[source]

Transform a field using a function.

unique() ScenarioList[source]

Return a list of unique scenarios.

>>> s = ScenarioList([Scenario({'a': 1}), Scenario({'a': 1}), Scenario({'a': 2})])
>>> s.unique()
ScenarioList([Scenario({'a': 1}), Scenario({'a': 2})])
unpack_dict(field: str, prefix: str | None = None, drop_field: bool = False) ScenarioList[source]

Unpack a dictionary field into separate fields.

Example:

>>> s = ScenarioList([Scenario({'a': 1, 'b': {'c': 2, 'd': 3}})])
>>> s.unpack_dict('b')
ScenarioList([Scenario({'a': 1, 'b': {'c': 2, 'd': 3}, 'c': 2, 'd': 3})])
unpivot(id_vars=None, value_vars=None)[source]

Unpivot the ScenarioList, allowing for id variables to be specified.

Parameters: id_vars (list): Fields to use as identifier variables (kept in each entry) value_vars (list): Fields to unpivot. If None, all fields not in id_vars will be used.

Example: >>> s = ScenarioList([ … Scenario({‘id’: 1, ‘year’: 2020, ‘a’: 10, ‘b’: 20}), … Scenario({‘id’: 2, ‘year’: 2021, ‘a’: 15, ‘b’: 25}) … ]) >>> s.unpivot(id_vars=[‘id’, ‘year’], value_vars=[‘a’, ‘b’]) ScenarioList([Scenario({‘id’: 1, ‘year’: 2020, ‘variable’: ‘a’, ‘value’: 10}), Scenario({‘id’: 1, ‘year’: 2020, ‘variable’: ‘b’, ‘value’: 20}), Scenario({‘id’: 2, ‘year’: 2021, ‘variable’: ‘a’, ‘value’: 15}), Scenario({‘id’: 2, ‘year’: 2021, ‘variable’: ‘b’, ‘value’: 25})])

class edsl.scenarios.ScenarioList.ScenarioListMixin[source]

Bases: ScenarioListPdfMixin, ScenarioListExportMixin

Return a download link for the results.

Parameters:

pretty_labels – A dictionary of pretty labels for the columns.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').download_link()
'<a href="data:file/csv;base64,YW5zd2VyLmhvd19mZWVsaW5nDQpPSw0KR3JlYXQNClRlcnJpYmxlDQpPSw0K" download="my_data.csv">Download CSV file</a>'
html(filename: str | None = None, cta: str = 'Open in browser', return_link: bool = False)[source]
num_observations()[source]

Return the number of observations in the dataset.

>>> from edsl.results import Results
>>> Results.example().num_observations()
4
print(pretty_labels: dict | None = None, filename: str | None = None, format: Literal['rich', 'html', 'markdown', 'latex'] | None = None, interactive: bool = False, split_at_dot: bool = True, max_rows=None, tee=False, iframe=False, iframe_height: int = 200, iframe_width: int = 600, web=False, return_string: bool = False) None | str | Results[source]

Print the results in a pretty format.

Parameters:
  • pretty_labels – A dictionary of pretty labels for the columns.

  • filename – The filename to save the results to.

  • format – The format to print the results in. Options are ‘rich’, ‘html’, ‘markdown’, or ‘latex’.

  • interactive – Whether to print the results interactively in a Jupyter notebook.

  • split_at_dot – Whether to split the column names at the last dot w/ a newline.

  • max_rows – The maximum number of rows to print.

  • tee – Whether to return the dataset.

  • iframe – Whether to display the table in an iframe.

  • iframe_height – The height of the iframe.

  • iframe_width – The width of the iframe.

  • web – Whether to display the table in a web browser.

  • return_string – Whether to return the output as a string instead of printing.

Returns:

None if tee is False and return_string is False, the dataset if tee is True, or a string if return_string is True.

Example: Print in rich format at the terminal

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').print(format = "rich")
┏━━━━━━━━━━━━━━┓
┃ answer       ┃
┃ .how_feeling ┃
┡━━━━━━━━━━━━━━┩
│ OK           │
├──────────────┤
│ Great        │
├──────────────┤
│ Terrible     │
├──────────────┤
│ OK           │
└──────────────┘
>>> r = Results.example()
>>> r2 = r.select("how_feeling").print(format = "rich", tee = True, max_rows = 2)
┏━━━━━━━━━━━━━━┓
┃ answer       ┃
┃ .how_feeling ┃
┡━━━━━━━━━━━━━━┩
│ OK           │
├──────────────┤
│ Great        │
└──────────────┘
>>> r2
Dataset([{'answer.how_feeling': ['OK', 'Great', 'Terrible', 'OK']}])
>>> r.select('how_feeling').print(format = "rich", max_rows = 2)
┏━━━━━━━━━━━━━━┓
┃ answer       ┃
┃ .how_feeling ┃
┡━━━━━━━━━━━━━━┩
│ OK           │
├──────────────┤
│ Great        │
└──────────────┘
>>> r.select('how_feeling').print(format = "rich", split_at_dot = False)
┏━━━━━━━━━━━━━━━━━━━━┓
┃ answer.how_feeling ┃
┡━━━━━━━━━━━━━━━━━━━━┩
│ OK                 │
├────────────────────┤
│ Great              │
├────────────────────┤
│ Terrible           │
├────────────────────┤
│ OK                 │
└────────────────────┘

Example: using the pretty_labels parameter

>>> r.select('how_feeling').print(format="rich", pretty_labels = {'answer.how_feeling': "How are you feeling"})
┏━━━━━━━━━━━━━━━━━━━━━┓
┃ How are you feeling ┃
┡━━━━━━━━━━━━━━━━━━━━━┩
│ OK                  │
├─────────────────────┤
│ Great               │
├─────────────────────┤
│ Terrible            │
├─────────────────────┤
│ OK                  │
└─────────────────────┘

Example: printing in markdown format

>>> r.select('how_feeling').print(format='markdown')
| answer.how_feeling |
|--|
| OK |
| Great |
| Terrible |
| OK |
...
>>> r.select('how_feeling').print(format='latex')
\begin{tabular}{l}
...
\end{tabular}
print_long()[source]

Print the results in a long format. >>> from edsl.results import Results >>> r = Results.example() >>> r.select(‘how_feeling’).print_long() answer.how_feeling: OK answer.how_feeling: Great answer.how_feeling: Terrible answer.how_feeling: OK

relevant_columns(data_type: str | None = None, remove_prefix=False) list[source]

Return the set of keys that are present in the dataset.

Parameters:
  • data_type – The data type to filter by.

  • remove_prefix – Whether to remove the prefix from the column names.

>>> from edsl.results.Dataset import Dataset
>>> d = Dataset([{'a.b':[1,2,3,4]}])
>>> d.relevant_columns()
['a.b']
>>> d.relevant_columns(remove_prefix=True)
['b']
>>> d = Dataset([{'a':[1,2,3,4]}, {'b':[5,6,7,8]}])
>>> d.relevant_columns()
['a', 'b']
>>> from edsl.results import Results; Results.example().select('how_feeling', 'how_feeling_yesterday').relevant_columns()
['answer.how_feeling', 'answer.how_feeling_yesterday']
>>> from edsl.results import Results
>>> sorted(Results.example().select().relevant_columns(data_type = "model"))
['model.frequency_penalty', 'model.logprobs', 'model.max_tokens', 'model.model', 'model.presence_penalty', 'model.temperature', 'model.top_logprobs', 'model.top_p']
>>> Results.example().relevant_columns(data_type = "flimflam")
Traceback (most recent call last):
...
ValueError: No columns found for data type: flimflam. Available data types are: ...
tally(*fields: str | None, top_n: int | None = None, output='Dataset') dict | Dataset[source]

Tally the values of a field or perform a cross-tab of multiple fields.

Parameters:

fields – The field(s) to tally, multiple fields for cross-tabulation.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').tally('answer.how_feeling', output = "dict")
{'OK': 2, 'Great': 1, 'Terrible': 1}
>>> r.select('how_feeling').tally('answer.how_feeling', output = "Dataset")
Dataset([{'value': ['OK', 'Great', 'Terrible']}, {'count': [2, 1, 1]}])
>>> r.select('how_feeling', 'period').tally('how_feeling', 'period', output = "dict")
{('OK', 'morning'): 1, ('Great', 'afternoon'): 1, ('Terrible', 'morning'): 1, ('OK', 'afternoon'): 1}
to_agent_list(remove_prefix: bool = True)[source]

Convert the results to a list of dictionaries, one per agent.

Parameters:

remove_prefix – Whether to remove the prefix from the column names.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').to_agent_list()
AgentList([Agent(traits = {'how_feeling': 'OK'}), Agent(traits = {'how_feeling': 'Great'}), Agent(traits = {'how_feeling': 'Terrible'}), Agent(traits = {'how_feeling': 'OK'})])
to_csv(filename: str | None = None, remove_prefix: bool = False, download_link: bool = False, pretty_labels: dict | None = None)[source]

Export the results to a CSV file.

Parameters:
  • filename – The filename to save the CSV file to.

  • remove_prefix – Whether to remove the prefix from the column names.

  • download_link – Whether to display a download link in a Jupyter notebook.

Example:

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').to_csv()
'answer.how_feeling\r\nOK\r\nGreat\r\nTerrible\r\nOK\r\n'
>>> r.select('how_feeling').to_csv(pretty_labels = {'answer.how_feeling': "How are you feeling"})
'How are you feeling\r\nOK\r\nGreat\r\nTerrible\r\nOK\r\n'
>>> import tempfile
>>> filename = tempfile.NamedTemporaryFile(delete=False).name
>>> r.select('how_feeling').to_csv(filename = filename)
>>> import os
>>> import csv
>>> with open(filename, newline='') as f:
...     reader = csv.reader(f)
...     for row in reader:
...         print(row)
['answer.how_feeling']
['OK']
['Great']
['Terrible']
['OK']
to_dicts(remove_prefix: bool = True) list[dict][source]

Convert the results to a list of dictionaries.

Parameters:

remove_prefix – Whether to remove the prefix from the column names.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').to_dicts()
[{'how_feeling': 'OK'}, {'how_feeling': 'Great'}, {'how_feeling': 'Terrible'}, {'how_feeling': 'OK'}]
to_list(flatten=False, remove_none=False, unzipped=False) list[list][source]

Convert the results to a list of lists.

Parameters:
  • flatten – Whether to flatten the list of lists.

  • remove_none – Whether to remove None values from the list.

>>> from edsl.results import Results
>>> Results.example().select('how_feeling', 'how_feeling_yesterday')
Dataset([{'answer.how_feeling': ['OK', 'Great', 'Terrible', 'OK']}, {'answer.how_feeling_yesterday': ['Great', 'Good', 'OK', 'Terrible']}])
>>> Results.example().select('how_feeling', 'how_feeling_yesterday').to_list()
[('OK', 'Great'), ('Great', 'Good'), ('Terrible', 'OK'), ('OK', 'Terrible')]
>>> r = Results.example()
>>> r.select('how_feeling').to_list()
['OK', 'Great', 'Terrible', 'OK']
>>> from edsl.results.Dataset import Dataset
>>> Dataset([{'a.b': [[1, 9], 2, 3, 4]}]).select('a.b').to_list(flatten = True)
[1, 9, 2, 3, 4]
>>> from edsl.results.Dataset import Dataset
>>> Dataset([{'a.b': [[1, 9], 2, 3, 4]}, {'c': [6, 2, 3, 4]}]).select('a.b', 'c').to_list(flatten = True)
Traceback (most recent call last):
...
ValueError: Cannot flatten a list of lists when there are multiple columns selected.
to_pandas(remove_prefix: bool = False, lists_as_strings=False) DataFrame[source]

Convert the results to a pandas DataFrame, ensuring that lists remain as lists.

Parameters:

remove_prefix – Whether to remove the prefix from the column names.

to_scenario_list(remove_prefix: bool = True) list[dict][source]

Convert the results to a list of dictionaries, one per scenario.

Parameters:

remove_prefix – Whether to remove the prefix from the column names.

>>> from edsl.results import Results
>>> r = Results.example()
>>> r.select('how_feeling').to_scenario_list()
ScenarioList([Scenario({'how_feeling': 'OK'}), Scenario({'how_feeling': 'Great'}), Scenario({'how_feeling': 'Terrible'}), Scenario({'how_feeling': 'OK'})])